Some C++ Fixtures for FitNesse.slim 123

Posted by Brett Schuchert Thu, 22 Jul 2010 05:32:00 GMT

I continue working on these. I was stuck in the airport for 5 hours. Between that and the actual flight, I managed to create three different test examples against a C++ RpnCalculator. Each example uses a different kind of fixture. I had a request from @lrojas to publish some results on the blog. So this is that, however these are in progress and rough.

I’m still trying different forms to figure out what I like the best.

By the way, that lastValue stuff in the fixtures has to do with the fact that all of the hook methods return a char* but I’m responsible for cleaning up after myself.

A Decision Table

!|ExecuteBinaryOperator    |
|lhs|rhs|operator|expected?|
|3  |4  |-       |-1       |
|5  |6  |*       |30       |

And Its Fixture Code

#include <stdlib.h>
#include <stdio.h>
#include <string>
#include "RpnCalculator.h"
#include "OperationFactory.h"
#include "Fixtures.h"
#include "SlimUtils.h"

struct ExecuteBinaryOperator {
    ExecuteBinaryOperator() {
        lastValue[0] = 0;
    }

    int execute() {
        RpnCalculator calculator(factory);
        calculator.enterNumber(lhs);
        calculator.enterNumber(rhs);
        calculator.executeOperator(op);
        return calculator.getX();
    }

    static ExecuteBinaryOperator* From(void *fixtureStorage) {
        return reinterpret_cast<ExecuteBinaryOperator*>(fixtureStorage);
    }

    OperationFactory factory;
    int lhs;
    int rhs;
    std::string op;
    char lastValue[32];
};

extern "C" {
void* ExecuteBinaryOperator_Create(StatementExecutor* errorHandler, SlimList* args) {
    return new ExecuteBinaryOperator;
}

void ExecuteBinaryOperator_Destroy(void* self) {
    delete ExecuteBinaryOperator::From(self);
}

static char* setLhs(void* fixture, SlimList* args) {
    ExecuteBinaryOperator *self = ExecuteBinaryOperator::From(fixture);
    self->lhs = getFirstInt(args);
    return self->lastValue;
}

static char* setRhs(void* fixture, SlimList* args) {
    ExecuteBinaryOperator *self = ExecuteBinaryOperator::From(fixture);
    self->rhs = getFirstInt(args);
    return self->lastValue;
}

static char* setOperator(void *fixture, SlimList* args) {
    ExecuteBinaryOperator *self = ExecuteBinaryOperator::From(fixture);
    self->op = getFirstString(args);
    return self->lastValue;
}
static char* expected(void* fixture, SlimList* args) {
    ExecuteBinaryOperator *self = ExecuteBinaryOperator::From(fixture);
    int result = self->execute();
    snprintf(self->lastValue, sizeof(self->lastValue), "%d", result);
    return self->lastValue;
}

SLIM_CREATE_FIXTURE(ExecuteBinaryOperator)
    SLIM_FUNCTION(setLhs)
    SLIM_FUNCTION(setRhs)
    SLIM_FUNCTION(setOperator)
    SLIM_FUNCTION(expected)
SLIM_END

}
There’s a bit of duplication. I’ve been experimenting with pointers to member functions and template functions to make it better. I really should be using lambdas, but I’m not there yet. I have them available in some form since I’m using gcc 4.5. I simply compile with the option -sdd=c++0x. Even so, I’m not quite ready to do that.

A Script Table

!|script           |ProgramTheCalculator                   |
|startProgramCalled|primeFactorsOfSum                      |
|addOperation      |sum                                    |
|addOperation      |primeFactors                           |
|saveProgram                                               |
|enter             |4                                      |
|enter             |13                                     |
|enter             |7                                      |
|execute           |primeFactorsOfSum                      |
|check             |stackHas|3|then|2|then|2|then|2|is|true|

And Its Fixture Code

#include <stdlib.h>
#include <stdio.h>
#include <string>
#include "RpnCalculator.h"
#include "OperationFactory.h"
#include "SlimUtils.h"
#include "SlimList.h"
#include "Fixtures.h"

struct ProgramTheCalculator {
    ProgramTheCalculator() : calculator(factory) {
    }

    static ProgramTheCalculator* From(void *fixtureStorage) {
        return reinterpret_cast<ProgramTheCalculator*>(fixtureStorage);
    }

    OperationFactory factory;
    RpnCalculator calculator;
};

extern "C" {

void* ProgramTheCalculator_Create(StatementExecutor* errorHandler, SlimList* args) {
    return new ProgramTheCalculator;
}

void ProgramTheCalculator_Destroy(void *fixture) {
    delete ProgramTheCalculator::From(fixture);
}

static char* startProgramCalled(void *fixture, SlimList *args) {
    auto *self = ProgramTheCalculator::From(fixture);
    self->calculator.createProgramNamed(getFirstString(args));
    return remove_const("");
}

static char* addOperation(void *fixture, SlimList *args) {
    auto *self = ProgramTheCalculator::From(fixture);
    self->calculator.addOperation(getFirstString(args));
    return remove_const("");
}

static char* saveProgram(void *fixture, SlimList *args) {
    auto *self = ProgramTheCalculator::From(fixture);
    self->calculator.saveProgram();
    return remove_const("");
}

static char* enter(void *fixture, SlimList *args) {
    auto *self = ProgramTheCalculator::From(fixture);
    self->calculator.enterNumber(getFirstInt(args));
    return remove_const("");
}

static char* execute(void *fixture, SlimList *args) {
    auto *self = ProgramTheCalculator::From(fixture);
    self->calculator.executeOperator(getFirstString(args));
    return remove_const("");
}

static char* stackHasThenThenThenIs(void *fixture, SlimList *args) {
    auto *self = ProgramTheCalculator::From(fixture);
    for(int i = 0; i < 4; ++i) {
            if(self->calculator.getX() != getIntAt(args, i))
                return remove_const("false");
            self->calculator.executeOperator("drop");
    }

      return remove_const("true");
}

SLIM_CREATE_FIXTURE(ProgramTheCalculator)
    SLIM_FUNCTION(startProgramCalled)
    SLIM_FUNCTION(addOperation)
    SLIM_FUNCTION(saveProgram)
    SLIM_FUNCTION(enter)
    SLIM_FUNCTION(execute)
    SLIM_FUNCTION(stackHasThenThenThenIs)
SLIM_END

}
This one is a bit more regular. I am using the updated auto keyword in this code. The fixture is just holding the calculator and its OperationFactory (not my preferred name, but that’s what students wanted to call things like +, -, etc, operations not operators).

The Dreaded Query Table

It’s a bit of a pain to produce query results. So much so, I wrote a simple library in Java to make it easier. I can create a well-formed query result from a single object or a list of objects and even do basic transforms (in names and in paths to data). I started using the jakarta bean utils, but my use was so simple (2 methods), I ripped out that library and just hand-wrote the methods I needed. It was not a case of “not invented here syndrom.” I started by using the library, and I had tests. I didn’t like the size of the library relative to how much I was using it, so I just got rid of it.

Well here I am working C++ and I felt compelled to make it easier work with query results in C++.

First the FitNesse table, then the fixture and finally the support class. I have tests for it as well, I’m not going to show those, however.
!|Query: SingleCharacterNameOperators|
|op                                  |
|+                                   |
|*                                   |
|/                                   |
|!                                   |
|-                                   |

And Its Fixture Code

#include <stdlib.h>
#include <stdio.h>
#include <vector>
#include <string>
#include <memory>
#include "RpnCalculator.h"
#include "OperationFactory.h"
#include "Fixtures.h"
#include "SlimUtils.h"
#include "QueryResultAccumulator.h"

struct SingleCharacterNameOperators {
    OperationFactory factory;
    RpnCalculator calculator;

    SingleCharacterNameOperators() :
        calculator(factory), result(0) {
    }

    ~SingleCharacterNameOperators() {
        delete result;
    }
    static SingleCharacterNameOperators* From(void *fixtureStorage) {
        return reinterpret_cast<SingleCharacterNameOperators*> (fixtureStorage);
    }

    void resetResult(char *newResult) {
        delete result;
        result = newResult;
    }

    void conditionallyAddOperatorNamed(const std::string &name) {
        if (name.size() == 1) {
            accumulator.addFieldNamedWithValue("op", name);
            accumulator.finishCurrentObject();
        }
    }

    void buildResult() {
        v_string names = calculator.allOperatorNames();
        buildResult(names);
    }

    void buildResult(v_string &names) {
        for (v_string::iterator iter = names.begin(); iter != names.end(); ++iter)
            conditionallyAddOperatorNamed(*iter);

        resetResult(accumulator.produceFinalResults());
    }

    QueryResultAccumulator accumulator;
    char *result;
};

extern "C" {
void* SingleCharacterNameOperators_Create(StatementExecutor* errorHandler,
        SlimList* args) {
    return new SingleCharacterNameOperators;
}

void SingleCharacterNameOperators_Destroy(void *fixture) {
    delete SingleCharacterNameOperators::From(fixture);
}

static char* query(void *fixture, SlimList *args) {
    auto *self = SingleCharacterNameOperators::From(fixture);
    self->buildResult();
    return self->result;
}

SLIM_CREATE_FIXTURE(SingleCharacterNameOperators)
    SLIM_FUNCTION(query)SLIM_END
SLIM_END

And the Helper Class

QueryResultAccumulator.h
#pragma once
#ifndef QUERYRESULTACCUMULATOR_H_
#define QUERYRESULTACCUMULATOR_H_

class SlimList;
#include <vector>
#include <string>
class QueryResultAccumulator {
public:
    typedef std::vector<SlimList*> v_SlimList;
    typedef v_SlimList::iterator iterator;

    QueryResultAccumulator();
    virtual ~QueryResultAccumulator();

    void finishCurrentObject();
    void addFieldNamedWithValue(const std::string &name, const std::string &value);
    char *produceFinalResults();

private:
    SlimList* allocate();
    void releaseAll();
    void setInitialConditions();

private:
    v_SlimList created;
    SlimList *list;
    SlimList *currentObject;
    int lastFieldCount;
    int currentFieldCount;
    char *result;

private:
    QueryResultAccumulator(const QueryResultAccumulator&);
    QueryResultAccumulator& operator=(const QueryResultAccumulator&);
};

#endif

I know there are too many fields. The counts help with validating correct usage. I also wrote it so one instance could be re-used and I tried to make sure it was in a “ready to receive fields” state when necessary. In any case, this error checking helped find a defect I introduced while refactoring.

QueryResultAccumulator.cpp
#include "QueryResultAccumulator.h"
#include "DifferentFieldCountsInObjects.h"
#include "InvalidStateException.h"

extern "C" {
#include "SlimList.h"
#include "SlimListSerializer.h"
}

QueryResultAccumulator::QueryResultAccumulator() : result(0) {
    setInitialConditions();
}

QueryResultAccumulator::~QueryResultAccumulator() {
    releaseAll();
    SlimList_Release(result);
}

void QueryResultAccumulator::setInitialConditions() {
    releaseAll();
    list = allocate();
    currentObject = allocate();
    lastFieldCount = -1;
    currentFieldCount = -1;
}

SlimList* QueryResultAccumulator::allocate() {
    SlimList *list = SlimList_Create();
    created.push_back(list);
    return list;
}

void QueryResultAccumulator::releaseAll() {
    for (iterator i = created.begin(); i != created.end(); ++i)
        SlimList_Destroy(*i);
    created.clear();
}

void QueryResultAccumulator::finishCurrentObject() {
    if(lastFieldCount >= 0 && lastFieldCount != currentFieldCount)
        throw DifferentFieldCountsInObjects(lastFieldCount, currentFieldCount);

    SlimList_AddList(list, currentObject);
    currentObject = allocate();

    lastFieldCount = currentFieldCount;
    currentFieldCount = -1;
}

void QueryResultAccumulator::addFieldNamedWithValue(const std::string &name, const std::string &value) {
    SlimList *fieldList = allocate();
    SlimList_AddString(fieldList, name.c_str());
    SlimList_AddString(fieldList, value.c_str());
    SlimList_AddList(currentObject, fieldList);
    ++currentFieldCount;
}

char* QueryResultAccumulator::produceFinalResults() {
    if(currentFieldCount != -1)
        throw InvalidStateException("Current object not written");

    SlimList_Release(result);
    result = SlimList_Serialize(list);
    setInitialConditions();
    return result;
}
Note, this code uses a method I added to the cslim library: SlimListSerializer.h – in include/CSlim
void SlimList_Release(char *serializedResults);
SlimListSerializer.c – in src/CSlim
void SlimList_Release(char *serializedResults)
{
  if(serializedResults)
    free(serializedResults);
}

I needed to add these methods due to a false-positive memory leak indicated when using CppUTest to test this code. That’s another blog.

Comments

Leave a response

  1. Avatar
    buy fat burner 17 days later:

    I`m a novice in work with C++. I hope i will help me, great article!

  2. Avatar
    pop122 24 days later:

    I agree all these are really good content thank you for sharing….....

    Mission Hills Real Estate

  3. Avatar
    pop122 about 1 month later:

    I found this is an informative and interesting post so i think so it is very useful and knowledgeable. I would like to thank you for the efforts you have made in writing this article.

    Leucadia Real Estate

  4. Avatar
    supplynflshop about 1 month later:

    good post and thanks http://www.supplynflshop.com cheap nfl jerseys

  5. Avatar
    pop110 about 1 month later:

    Happy to see your blog as it is just what I’ve looking for and excited to read all the posts. I am looking forward to another great article from you. After skimming through your website

    Lakeside Home Search

  6. Avatar
    jenniferthomos2 about 1 month later:

    How to convert AVI to iPad with best iPad Video Converter – AVI to iPad Best AVI to iPad Converter a professional iPad converter to convert avi files into iPad mp4 format, of course it can easily convert almost 100 kinds of videos to iPad for enjoying. The input format includes AVI, AMV, MKV, FLV, MTS, M2TS, MOD, H.264/AVC, RMVB, HD TS, HD MOV, WMV HD, etc. Best AVI to iPad Converter allows users to enjoy videos with the large and high-resolution screen freely with your iPad. There are many powerful editing functions such as effect, trim, crop, add watermark, merge and so on. RECOMMENDED: For Mac Users, you can try iPad Converter for Mac Version! FLV to iPad Converter DivX to iPad Converter

  7. Avatar
    PDF Converter about 1 month later:

    Place stampstring into PDF page to make created PDF file different and unique. You can even adjust the stampstring’s font, size, color, style and other parameters.

  8. Avatar
    discount fashion hoodies 2 months later:

    good blog,thanks! welcome to www.newstar2010.com we are a professional wholesaler of hockey jerseys,we supply hoodies,coats and jackets,basketball jerseys.also We have been dealt in leather handbags for several years.Welcome to our website to purchase the fashion clothes. Enjoy your shopping from our website.

  9. Avatar
    discount fashion hoodies 2 months later:

    good blog,thanks

  10. Avatar
    prada bags 2 months later:

    I believe you will get what you want.

  11. Avatar
    fitness 2 months later:

    I am beginner in c++ but i want to learn.. thanks for your posts. Greatings from Poland :)

  12. Avatar
    wmv to ipad converter 3 months later:

    Enjoy wmv files on iPad freely!

  13. Avatar
    Hosting 3 months later:

    Wide range of web hosting services are accessible, such as cheap vps, email hosting, Unix hosting, Windows hosting, Linux web hosting windows vps, forex vps etc. We hope you will find a cheap hosting company.

  14. Avatar
    terte 3 months later:
  15. Avatar
    ugg factory outlet 3 months later:

    cMost teenage girls and college-age women own at least one pair of Ugg Boots which i can afford to buying from http://www.ubootszone.com” title=“ugg factory outlet”>ugg factory outlet, if not several, and nowadays they’re all different sorts of colors, shapes and styles. But there’s been a rumor that the making of Ugg Boots is cruel to the sheep, causing Ugg to lose customers. Is that rumor actually true?

  16. Avatar
    lawrence taylor jersey 3 months later:

    http://www.ubootszone.com” title=“kids ugg clearance”>kids ugg

    clearance

  17. Avatar
    oxpdffr 4 months later:

    PowerPoint en PDF Convertisseur possède encore plusieurs fonctions, par exemple : fusionner des documents en un seul, ajouter des filigranes, adjuster la résolution ou la taille du fichier, protéger les documents PDF par mot de passe, etc et sa fonction de sécurité ne vous inquiète pas.En un mot, avec PowerPoint en PDF Convertisseur votre travail sera plus facile ! Télécharger gratuitement PowerPoint en PDF Convertisseur et expérimenter ce logiciel.

  18. Avatar
    Pandora 4 months later:

    So this is that, however these are in progress and rough.

  19. Avatar
    ghd australia 5 months later:

    GHD Straighteners Australia is a very epidemic for women. Whether you are a woman or young woman of middle age, it is Fashional for you.

  20. Avatar
    Moncler 5 months later:

    Moncler is a unified fashion brand, personality rather than obvious.Simple Moncler Jackets bring infinite taste and connotation.Elastic band sleeve cuffs with snap button closure. Rib knit waistband inside.Discount Moncler Outlet is free shipping and great discount online now. http://www.it-moncleroutlet.com

  21. Avatar
    nike sb 5 months later:

    The U.S. ambassador, speaking after a meeting of the Security Council ended with the individual, also reiterated Washington’s position that the South Korean military exercises, have the right of the Yellow Sea, and without having to cheat. nike dunks Nike Dunks Mid Seoul says North Korea’s hostile actions, killing at least 50 of its citizens this year. Five Fingers Vibram Vibram Five Fingers KSO cheap nike air max 2011 shoes

  22. Avatar
    http://www.blacktowhiteiphone4.com 5 months later:

    Has been looking for iphone 4 white Conversion Kit for quite some time? Come and select the latest white iphone 4 Conversion Kit home! You will totally love it!

  23. Avatar
    Digital Thermometer 5 months later:

    I agree with your point,nice article,thanks.I will continue to read your articles.

  24. Avatar
    iskyluo 5 months later:

    I greatly benefit from your PDF to PPT converter articles every time I read one. Thanks for the our jewelry info, it helps a lot. What an inspiring article you wrote! I totally like the useful our uk info shared in the article. Excellent point here. I wish there are more and more cheap Docx to PDF articles like that. when our charms under running water glasses need bath and cleaning to keep a good You have given us some interesting points on our beads . This is a wonderful article and surely Excellent point here. I wish there are more and more New PDF to PPT for Mac articles like that.

    This is my first time i visit here Convert JPG to PDF. I found so many interesting stuff in your Convert PDF to JPEG blog especially its discussion our iPod Converter for Mac. From the tons of comments on your articles our charm PPT to PDF Converer, I guess I am not the only one our charm PDF to Excel Converters having all the enjoyment here iPod Converter for Mac and charms! I was scanning something else about this on another blog charm PDF to Powerpoint Presentation our. Interesting. Your perspective on it is diametrically contradicted our charm iPod Converter for Macs to what I read earlier. I am still pondering over the opposite points of view charm iPod Converter for Macs our, but I’m leaning to a great extent toward yours iPod Converter for Mac uk. And irrespective, that’s what is so great our style iPod Converter for Macs about modern-day democracy and our leather iPod Converter for Mac the marketplace of ideas online cheap iPod Converter for Mac.

    Good job for writing iPod Converter for Mac this brilliant article online iPod Converter for Mac sale. This is a wonderful article surely worth reading gold iPod Converter for Mac. I love this article since it discount iPod Converter for Mac is one of those which truly convey useful ideas iPod Converter for Mac wholesale . It has been long before I iPod Converter for Mac canada can find some useful articles. iPod Converter for Mac australia I totally agree with you on the point our iPod Converter for Mac sale. I greatly benefit from your our iPod Converter for Mac builder articles every time I read one charm iPod Converter for Macs like our .I wish there are more and more authentic our iPod Converter for Mac articles like that.Thank you for sharing this with us our charm iPod Converter for Macs uk.Great work! Keep going.

    I have read a hidden camera few of the articles on your website phone jammer now, and I really like your style of baby monitor blogging. I added it to my favorites web site wireless camera list and will be checking back soon cctv camera. Have you ever thought about adding more videos to mp3 player your blog posts to keep the readers more entertained mp4 player? I mean I just read through the buy online entire document of yours and it was spy sunglasses quite good but since I’m more of a visual learner spy pen, I found that to be more helpful. Either way,stun guns thanks for the info.

  25. Avatar
    iskyluo 6 months later:

    IVR Video Converter articles every time I read one. Thanks for the our jewelry info, it helps a lot. What an inspiring article you wrote! I totally like the useful our uk info shared in the article. Excellent point here. I wish there are more and more cheap DivX Video Converter articles like that. when our charms under running water glasses need bath and cleaning to keep a good You have given us some interesting points on our beads . This is a wonderful article and surely Excellent point here. I wish there are more and more New DivX Video Converter articles like that.

  26. Avatar
    electronic componenets 6 months later:

    Get IC Components from hqew.net

  27. Avatar
    evaporator 7 months later:

    If you want to buy evaporator and air condition condenser,you can contant me.

  28. Avatar
    Solid State Relay 7 months later:

    The global manufacturer and exporter of thyristor, voltage regulator, automatic voltage stabilizer and power supplies.

  29. Avatar
    disney 8 months later:

    Everyone has different growth process, maybe some feel difficult in his or her childhood memory, or others may think that this is a happy ending. Now, there is a adays boxset hot and popular Disney was growing pains is about growing pains as we all know, different people have different ideas. As such, it tells DVD boxset growing pains, the actor has troubled childhood, but he never gave up Dvd And Movie. Finally, he become a person of success, have a happy family, so like us, we must work harder to study, work harder what be what to write, we also must have a dream, never give up, in the end, we all have a bright future. Tell us a lot of useful things, our whole life whether you have time, you had Disney Dvds better buy the growth process full season, you will DVD benefited.

  30. Avatar
    RolexReplica 8 months later:

    It is advisable to own custom made Rolex Replicas to put on about any situation, be it unconventional as well as official. You might have reproduction watches, shopping watches several additional products.

  31. Avatar
    Polo Ralph Lauren 8 months later:

    I can create a well-formed query result from a single object or a list of objects and even do basic transforms

  32. Avatar
    resid123 9 months later:

    Great sources for fashion news and fashion articles. It’s offered many details around the relevant information. I really like this post greatly and i am likely

    to recommend it to my girlfriends. Brief and practical methods inside post saving time and within the searching process. It can be this type of awesome

    source or technique i can’t wait to attempt it. The post is completely incredible. Thank you for whatever you posted and all you could present to us!

    pandora sale

    links of london friendship bracelets

    thomas sabo online shop

    Rosetta Stone

    louboutin

  33. Avatar
    Nothing is impossible for a willing heart. 9 months later:

    Nothing is impossible for a willing heart.

  34. Avatar
    balmain dresses 9 months later:

    good post and thanks for share with us

  35. Avatar
    Okey oyunu oyna 10 months later:

    It is useful code.

    ?nternette görüntülü olarak okey oyunu oyna, gerçek ki?ilerle tan??, turnuva heyecan?n? ya?a. Dünyan?n en büyük internet oyun portal? içerisine kay?t olun ve oynamaya hemen ba?lay?n.

  36. Avatar
    The Breaking News 10 months later:

    Thank you for sharing with us, I always learn something new in your message! Excellent article. I wish I could write so well. The Breaking News

  37. Avatar
    coach purses 10 months later:

    Mr Coates coach purses is the longest U.S. market popular with one of the most successful leather brand. Mr Coates coach purses store represents the most admirable American fashion innovative style and traditional skills . Mr Coates coach bags have durable quality and exquisite technology, Conspicuous Coach Heels in the female consumers have good reputation. Welcome to our shop Elegant Coach Purses

  38. Avatar
    google voguebuybuy 10 months later:

    I advise everyone with dress problems to look (Www Voguebuybuy Com) It has the latest fashion!You can find many cheap stuff in it! I believe you will love it. (Www Voguebuybuy Com) is a wholesale goods website(! To see is to earn! Welcome to search by google (Www Voguebuybuy Com)

  39. Avatar
    mac cosmetics 10 months later:

    This is such great news! I’m really glad you guys get to keep your home. :,)

  40. Avatar
    beats by dr dre headphones 11 months later:

    Some beats by dr dre solo purple training routines that will improve Your Voice instantly when you exercise Them!These training routines are extremely effective at erasing bad habits, and replacing them using a “successful”, fabulous sounding voice. The headphone’s exterior is produced from an ultra glossy complete that’s particular to garner some attention in monster beats dr dre headphones.

  41. Avatar
    curly hair extensions 11 months later:

    very good, look forward to view your other articles.

  42. Avatar
    dashuang123456 12 months later:

    very good, look forward to view your other articles.

  43. Avatar
    Cheapest Car Insurance In California 12 months later:

    You my friend are a genius! Excellent Query coding. I hope you do well in life and take a lot of vacations. You deserve them!

  44. Avatar
    Nike Mercurial about 1 year later:

    http://www.nikemercurialvaporsale.net

  45. Avatar
    web designer about 1 year later:

    It`s creative, funny and makes a modern world. I love such things!

  46. Avatar
    cartier bangle about 1 year later:

    http://www.alijewelry.com/burberry-earring-c-10.html"> Burberry Earring ,
    http://www.alijewelry.com/burberry-bangle-c-11.html"> Burberry Bangle ,
    http://www.alijewelry.com/bvlgari-earring-c-12.html"> Bvlgari Earring ,

  47. Avatar
    Ralph Lauren about 1 year later:

    These new arrivals are one of our men’s editor’s favorites from our August line-up. And, we assure you, there is a masculine way to pull them off.Taking inspiration from days of yore, our standard chino short is refreshed with antique accents, Polo Outlet Shirtslike back buckles for an adjustable waistband and expertly faded cotton twill. why not roll it into a neckerchief and tie it in the front, Hemingway style.

  48. Avatar
    NoNo about 1 year later:

    http://www.hswshop.com You want to walk in ahead of the fashion? It!!!!!Will not bring you the same feeling. Dolce Gabbana high-top shoes

    D&G women sandals

  49. Avatar
    Pandora Chalcedony Earring Drops about 1 year later:

    However, not matter which design or the materials of the Pandora Chalcedony Earring Dropsthat they made from, the most important is that you have to consider what you can afford.

  50. Avatar
    Belstaff Jackets about 1 year later:

    This week, all the NBA stars will give the Belstaff Jackets fans, Belstaff Outlet fans, Belstaff Factory fans or Belstaff Leather a new fashion around the world to take the lead in unveiled new Belstaff Jackets shoes. This appearance is Belstaff Jackets Men , and the Belstaff Blouson signature shoe seems to popular, unstoppable, like Belstaff Bags is many players’ essential Belstaff Coat Parka Men choice

  51. Avatar
    Red Wing Shoes Sale about 1 year later:

    Red Wing Work Boots—Highest quality Work Boots You Can Get Millions have enjoyed superior quality craftsmanship of Newest Red Wing Footwear. As you pick up a pair of these tough boots, you get Red Wing Suede Work Boots from a organization who cares about their work and who has been making Newest Red Wing Fur shoes for more than one hundred years. Realize now why they are considered by many the perfect work boots you are able to get. If you ever rely upon the saying you get what you pay for, you’ll be proud to purchase a pair of Red Wings Crazy Horse Shoe. These work boots are regarded for high quality and renowned longevity.

  52. Avatar
    Faviana about 1 year later:

    Thank you for the wonderful article! I want to buy the Maggie Sottero dress. Many brides-to-be around me find it difficult to buy a Sottero Midgley dress. I think they will be very happy when they read your article.

  53. Avatar
    bagsupplyer about 1 year later:

    It is nice of you to post this.Thank you very much.I will pay more attention on it.Waiting for update. Wholesale new men Jack Jones short sleeve shirt from China at on line store

  54. Avatar
    Darren Sharper Jersey about 1 year later:

    2010 NFL Super Bowl, the National Federation champion New Orleans Saints with 31 to 17 victory over the United States Federation champion Indianapolis Colts, the team’s first historical won the Super Bowl champion. Mark Ingram Jersey, Darren Sharper Jersey and Jeremy Shockey Jersey belong to this team, they are proud of their team.

  55. Avatar
    Pierre Thomas Jersey about 1 year later:

    New Orleans Saints announced on Monday, they have led the Saints two seasons to obtain the first-ever Super Bowl championship team exploits coach Sean Payton signed a contract extension, Payton will continue to coach ball team until the 2015 season. So we can still see Drew Brees Jerseys and Pierre Thomas Jersey led by Sean Payton in Saints Jersey.

  56. Avatar
    Terrell Owens Jerseys about 1 year later:

    NFL preseason first round of the war, the first five games, the second team play New England Patriots 47-12 rout of the Jacksonville Jaguars, the other results of the competition is to win over Cowboys 24-23 Broncos, Cardinals 24-18 wins Raiders, Seahawks 24-17 victory Lightning, the Hawks 13-6 victory Ravens. Cowboys players play well, like Terrell Owens Jerseys and Miles Austin Jerseys are outstanding in the games.

  57. Avatar
    Tony Romo Jerseys about 1 year later:

    Evening of 25 December 2010, NFL regular season in Phoenix for Christmas battle by the Arizona Cardinals vs Dallas Cowboys. NFL arrange the match was held on Christmas Day, it is intended to have two competitive teams playoff showdown between two teams. Marion Barber Jerseys, Dez Bryant Jerseys and Tony Romo Jerseys in the Cowboys team are important, we look forward to their playing.

  58. Avatar
    leds lights about 1 year later:

    For children, regular physical activity is essential for healthy growth and development. For adults, it allows daily tasks to be accomplished with greater ease and comfort and with less fatigue.

  59. Avatar
    Eagles jerseys about 1 year later:

    New York jets was defeat to Philadelphia eagles as 14 to 24 at home, Celek #87 green Jersey pass 23 times successful 15 times, distance to 193 yards, also help Vick Jersey of a battle

  60. Avatar
    bahauddinweb about 1 year later:

    BahauddinWEB Online A multiService Website offering Free internet TV , Radio , Sim checker pakistan , Love Meter , Free Sms sending , Study Social, Google adsense , ptc website Master list and Many more Visit NOW mandi bahauddin Study Social mobile mania

  61. Avatar
    christianlouboutin about 1 year later:

    All among us realise that if you MBT boots or shoes within get hold of, Jimmy Choo Sandaleseducation-women’ vertisements mbt tunisha providing may easily really encourages lymphatic circulation,Jimmy Choo Bottines you’ chemical in all probability more significant receive boots or shoes clearance retail store as a result of MBT while it a good number of at no cost submitting in combination with MBT boots or shoes are almost always pay for and also profit designed notnaxcanada goose outlet.

    A particular low-priced MBT Nama Boots and shoes out of a number of online space boots and shoes plus boot footwear MBT great bargains preferred now in now would be to simply and even safely mbt sandals pay for consumers pay for progressively more over the internetcanada goose jakke, have MBT footwear and remaining grown to be a sample. MBT boots providing now, ways to explain any one prevent
    the north face

    ? Brand-new assumed to test a person's MBT boots pay for, generate a test? My wife and i reassurance any one, we have a special working experience
    North Face Denali Jakker Kvinder hoodie

    .
  62. Avatar
    sar sojib about 1 year later:

    I Really Enjoyed The Blog. I Have Just Bookmarked. I Am Regular Visitor Of Your Website I Will Share It With My Friends .I am sure everyone also enjoyed and know important things to go through this article.

    Vyvanse Abuse

  63. Avatar
    canada goose coat about 1 year later:

    Canada Goose Outlet is Marmot 8000M Parka. The Marmot 8000M Parka is really a waterproof, breathable jacket with 800 fill canada goose jacket feathers. It truly is design and light colored shell is produced for trendy, but uncomplicated, protection from cold temperatures. Reinforced shoulders, elbows and adjustable waist and hem make the Marmot a perfect alternate for skiing and other outdoor sports that want fairly a bit of arm motion. The 8000M Parka weighs three lbs., comes in bonfire and black colours and might be stuffed and stored like a sleeping bag to your convenience.This is one of well-know and prime down jacket brands.Hope our friends like its!Like canada goose womens and Canada Goose Expedition Parka.There are wholesale canada goose.

  64. Avatar
    sex about 1 year later:

    .Thanks for your sharing,it helps me more.I will look forward to your more wonderful articles

  65. Avatar
    bakiretr about 1 year later:

    I enjoyed reading it. Thanks for sharing this.

  66. Avatar
    John Peter about 1 year later:

    Hi thank you for this, its contents and excellent, I love your blog

  67. Avatar
    kiramark about 1 year later:

    It is great to have the opportunity to read a good quality article with useful information on topics that plenty are interested on.I concur with your conclusions and will eagerly look forward to your future updates nts download form

  68. Avatar
    Christian about 1 year later:

    asdfas 0as+dfa+ a s

  69. Avatar
    moncler about 1 year later:

    asdfs0a +sdfas. asf

  70. Avatar
    Louboutins about 1 year later:

    asdfa asd0f+asd s+s+sss

  71. Avatar
    wes welker jersey about 1 year later:

    Growing up in Oklahoma City,new england patroits jerseys Wes Welker couldn’t help but root for “America’s Team” during its dynasty in the early ’90s.Yes, wes welker jersey grew up pulling for the Cowboys.“The era of Troy Aikman and Emmitt Smith and Michael Irvin — I was definitely a big fan,” Welker said.patroits jerseys Those teams won three Super Bowls in a four-year stretch from 1992 to 1995. Welker, 30, was just becoming a teenager at that time.While there were plenty of fond memories of those days, there were some harder ones, too. Asked whether he believed in the curse of the blue tom brady jersey jerseys — Dallas barely ever wears its darker tops — Welker said it never concerned him.danny woodhead jersey“I was more concerned when D-linemen were trying to handle the ball,” he said with a smile, recalling Pro Bowler Leon Lett’s memorable struggles with ball control in Super Bowl XXVII and in a regular-season game the following year against the Dolphins.Randy Moss Jersey In the Super Bowl, Lett was showboating into the end zone when Buffalo wideout Don Beebe caught him from behind to force a fumble at the goal line.devin mccourty jersey, In the Thanksgiving 1993 game versus Miami, Lett unnecessarily tried to recover a blocked field goal in the final seconds, giving the Dolphins’ Pete Stoyanovich a second chance to win the game.rob gronkowski jersey“They still won that [Super Bowl], so it wasn’t too tough,” said Welker. “The one in the snow where he kicked the ball, that was a little discouraging at the time.”

  72. Avatar
    Excellent about 1 year later:

    I like it very much. Its so interesting. Its a very useful article. I like the way you explain the things. Keep posting. Thanks

    Ecstasy Abuse

  73. Avatar
    Good about 1 year later:

    Now this time I visit many website and found many article.But I think this is one of the best site I found.Thanks for sharing this information.

    Inhalants Abuse

  74. Avatar
    best diabetes hub about 1 year later:

    I had really loved this info that to using the nice info is visible in this blog. This is really very much enjoyed for the great info is visible in this blog. Thanks a lot for using the nice info that to sharing the nice technology in this blog.

  75. Avatar
    Burberry bag outlet about 1 year later:

    so it wasn’t too tough,” said Welker. “The one in the snow where he kicked the ball, that was a little discouraging at the time.”

  76. Avatar
    wholesale feathers for hair extensions about 1 year later:

    very good, look forward to view your other articles.

  77. Avatar
    Ugg Italia about 1 year later:

    Ugg Italia , dunque, Amazon mercato online logica alternativa diversificati associati a tale? Werner ci ha detto che dopo Bezos non stabiliscono che Amazon per generare una libreria sulla rete, ma “avrebbe deciso di fare una ricerca online per ottenere in altri modi a non provare le cose”, Amazon quindi è fondamentalmente una conclusione sistemi di società oggetto di marzo dell’anno 2010, il prezzo obiettivo di investimento commerciale prestatore di Morgan Stanley con Amazon, 205 dollari per ogni azione è aumentato a USD 225.With momento che, invece, abbiamo visto il quartier generale con il Rio delle Amazzoni su Seattle . cloud computing può benissimo essere una tua vecchia miniera orologi sotto l’Amazzonia, e quindi notevolmente sviluppando la sua productivity.In 2010 le vendite con la nuvola di Amazon per arrivare a 5 miliardi di U.AZINES.dollars di dollari, 34,2 miliardi di dollari U.AZINES.dollars dalla sua l’intero anno il rapporto delle entrate finitura 1,5%. Caris Co, un analista ha detto Servizi Web Ebay sarà probabilmente fatturato quest’anno circa 900 $, 000, 000, mentre il perimetro utile operativo compirà il 23% dei quali sarà più costoso quello di Amazon recente redditività core business on-line.

  78. Avatar
    Excellant about 1 year later:

    One of the more impressive blogs Ive seen. Thanks so much for keeping the internet classy for a change. You’ve got style, class, bravado. I mean it. Please keep it up because without the internet is definitely lacking in intelligence.

    fire and water damage

  79. Avatar
    Cedar Park Pool Homes about 1 year later:

    Glad to see that this site works well on my Droid , everything I want to do is functional.Cedar Park Pool Homes Quail Creek Homes

  80. Avatar
    Paisley Stivali Ugg about 1 year later:

    Stivali Ugg Paisley , L’economia all’estero, tutte le obliterazione da confini, la pianificazione fondamentale verso il basso agli interessi di questo snob nascosti massonica, l’introduzione di mezzo di comunicazione che si applicherebbero completo e anche il controllo ininterrotto processo di pensiero, e quindi l’imposizione globale da un materialista socio-comportamentale sistema basato sul falso semplice fatto, incesto, desideri disinformato, e carenza di della fede, sono particolarmente le dimensioni fondamentali del disumano, un gran numero di diabolico, sistema di molti inquietante mai inventato per l’umanità quelli, e il vostro circumstances.As sfortunata la maggior parte di questi processi necessaria una parte ideale di tempo ingannevole e gli atti di prigione

  81. Avatar
    West Austin Gated Homes about 1 year later:

    This is highly informatics, crisp and clear. I think that Everything has been described in systematic manner so that reader could get maximum information and learn many things.

  82. Avatar
    Good about 1 year later:

    I am really enjoying reading your well written articles. I’ve bookmarked to check out new stuff you post.

    metal roofing prices

  83. Avatar
    hdjirus5 about 1 year later:

    I would like to thanks for your nice job.you published a very good information all of us.I got some information about…..In your site.

    mold remediation

  84. Avatar
    Property Marbella about 1 year later:

    agree with your point,nice article,thanks.I will continue to read your articles.

  85. Avatar
    nike run free about 1 year later:

    Pretty good post. I just stumbled upon your blog and wanted to say that I have really enjoyed reading your blog

  86. Avatar
    christian louboutin about 1 year later:

    The professional design make you foot more comfortable. Even more tantalizing,this pattern make your legs look as long as you can,it will make you looked more attractive.Moveover,it has reasonable price.If you are a popular woman,do not miss it.

    Technical details of Christian Louboutin Velours Scrunch Suede Boots Coffee:

    Color: Coffee
    Material: Suede
    4(100mm) heel
    Signature red sole x

    Fashion, delicate, luxurious Christian louboutins shoes on sale, one of its series is Christian Louboutin Tall Boots, is urbanism collocation. This Christian louboutins shoes design makes people new and refreshing. Red soles shoes is personality, your charm will be wonderful performance.

  87. Avatar
    christian louboutin about 1 year later:

    Pretty good post. I just stumbled upon your blog and wanted to say that I have really enjoyed reading your blog

  88. Avatar
    nike heels dunk about 1 year later:

    Today you wear high heels. As for Women and jordan high heels, this is the inseparable relations, Tom Ford master evidence: “don’t wear the high-heeled shoes woman how talk up sexy?” High heels and sex appeal is relevant? The answer is: “of course!” The temptation of high-heeled shoes Wear women nike heels online in a split second sexy, charm and confident outbreak, twisting the waist is born swaying pose..Worth looking at, perhaps have unexpected harvest.

  89. Avatar
    Diving Compressor about 1 year later:

    I continue working on these. I was stuck in the airport for 5 hours. Between that and the actual flight, I managed to create three different test examples against a C++ RpnCalculator.

  90. Avatar
    Spyder Jackets about 1 year later:

    http://www.spyderjackets-outlet.net

  91. Avatar
    kdaod0 about 1 year later:

    Thanks for this article. Its really a good topic. I like this side. Give me some information about this side.

    Cough Syrup Abuse

  92. Avatar
    kadfa6 about 1 year later:

    Thanks for providing such useful information. I really appreciate your professional approach. I would like to thank you for the efforts you made in writing this post.

    Nitrous Oxide Abuse

  93. Avatar
    Austin Hydroponics about 1 year later:

    I had visited numerous web property within the last couple of days. After examining the posts of each I do believe that this kind of website was the only one who had trapped the apex of my desire.

  94. Avatar
    Sale Ladies Leather Handbags about 1 year later:

    Allow phonetic typingMost of this season’s no longer the exclusive expedition Sale Ladies Leather Handbags workplace ‘Skeleton’, Black Leather Handbags they seem to be for those who like slow-paced, understand humor, and occasionally a big love like a baby girl tailor-made. . Relax pastoral style Replaced with a small square bag, Previous broad-brush woven bag,Make this a more refined shape,Striking Chromic gentle, sweet,Material is also the finest ostrich and nubuck leather treated,Ladies Leather Handbags From the inside filled with feelings of holiday joy,Gold is still the preferred destination for summer magic light,This year the popular rock but not metal, the metal line of luxury.

  95. Avatar
    Cheap Oakley Sunglasses Outlet about 1 year later:

    Oakley Sunglasses Hut has provided the environment for a variety of colors mountain light lens coating, with Iridium? Cheap Oakley Sunglasses Outlet with the use of harsh sunlight and reduce the balance of light transmission, so that the light reaching the eyes of athletes precisely adjusted to produce the best visual . Our G30?Best Oakley Sunglasses Lens color is popular favorite athletes want to enhance the visual contrast of a choice. Oakley VR28?Oakley Lifestyle Sunglasses Has proven to be versatile lens colors, widely used in various light conditions.Discount Oakley Sunglasses Outlet

  96. Avatar
    nikeheelsdunk about 1 year later:

    For every beginning hunter, there are probably a hundred things that are needed when it comes to hunting for the women jordan heels first time. Though it may also include a cell phone or other non-essentials like a mp3 player, it would be good to have a few things needed before going with the hunting group.

  97. Avatar
    Electric Houston Texas about 1 year later:

    This type of Beautiful session specify clarity in your post is simply spectacular and I can assume you are an expert on this field.

  98. Avatar
    nikeheelsdunk about 1 year later:

    One of the most famous and widely-practiced dance women jordan heels form is ballet. Almost everyone around the globe knows what ballet is, regardless of whether you are into the art, know someone women jordan heels practicing ballet, have seen it on television or movies, in musical plays or stage presentations. Ballet is the predominant dance art that has enjoyed global appeal.Of all the dance arts Jordan Heels For Women or forms that are being practiced, aside from the territorial or regional ethnic dance forms- ballet enjoys a reputation a notch above the rest since it is associated with prestige and sophistication.

  99. Avatar
    Moncler Mens Down Jacket about 1 year later:

    Hi! When I originally commented Moncler Jakcets I clicked the Notify me when new Moncler Down Jackets For Mencomments are added checkbox now every time a comment is added I get four emails with similar Women Moncler Coats comment. Is there Moncler Vest Sale in any manner you are able to remove me from that service? Thanks!

  100. Avatar
    Moncler Women Jackets about 1 year later:

    If you are well-built or rather have a heavy Cheap Moncler Jackets then you should wear full sleeve t-shirts and wearing Moncler Down Jackets as they tend to make you look warmer.

  101. Avatar
    boost immune system about 1 year later:

    Thanks for sharing. i really appreciate it that you shared with us such a informative post.

  102. Avatar
    jordan heels women about 1 year later:

    More and more people are now engaging into women jordan heels camping especially now that the metros are becoming more and more polluted and congested. Before, this activity has only been a means of adventure and chilling; but now camping has also turned into a popular sport.A usual camping activity starts with the preparation of gears and gadgets. Food are then packed and sealed. After several miles of travel, campers arrive at the Nike heels site. After setting the tents, everyone goes on with different activities: mountain hiking, skiing, snow boarding, etc.

  103. Avatar
    Backup iPhone SMS about 1 year later:

    You’ve very good at writing C++ code.

  104. Avatar
    online docs about 1 year later:

    it was really a great article…..there is no doubt.

  105. Avatar
    ijbvde5 about 1 year later:

    It is so lucky to read your blog,it is full of useful message.I wish we both can do better in the future.It great honor if you can visit our website,and give us some suggestion.

    Best Drop Shippers

  106. Avatar
    irpqls0 about 1 year later:

    Really its a good news. I am very interested for this post. This side will be help all of us. Thanks.

    Drug Abuse Help

  107. Avatar
    website designing dubai about 1 year later:

    It becomes obvious that there is a lot to know about this. I think you have made lots of good points in your post.

  108. Avatar
    dieta online about 1 year later:

    Pretty nice post. I just stumbled upon your blog and wanted to say that I’ve really enjoyed browsing your blog posts.

  109. Avatar
    mbtshoe about 1 year later:

    Australia Beats By Dre Studio dr dre beats headphones beats studio beats pro beats solo hd pro headphones music Official store Monster Beats By Dre Pro

  110. Avatar
    Monster Beats By Dr. Dre Studio about 1 year later:

    The error of a Monster Headphone Beats by Dr Dre to fight, you are incorrect monster to defeat Monster Beats by Dr.Dre Studio online store the choice of the color type cautious attitude should be. Normal, dry, greasy, will be integrated into one of the most monster beat option classified.There three groups of many different choices, to exercise more Monster Beats by Dr. Dre Solo sub-categories.

  111. Avatar
    vivienne westwood shoe about 1 year later:

    I recently came across your article and have been reading along.

  112. Avatar
    jacksonville homeowners insurance about 1 year later:

    The nba shoes are also classified according to its usage. In manipulation cheap nba jerseys, lackadaisical shoes and nba players shoes. Besides from the day after day handling, the bizarre types of best nba shoes are also manufactures.

  113. Avatar
    health care plans about 1 year later:

    Thanks for all your insight. This site has been really helpful to me… Please visit insurance health insurance

  114. Avatar
    restaurants about 1 year later:

    Please understand which in turn your personal safety and as well, typically the safety with regards to people today just about you.

  115. Avatar
    http://www.dckeyslocksmith.com/ about 1 year later:

    Intersting…!!! exactly what i was looking for dc locksmithThank you so much for sharing such a beautiful information i will share this with my pals.

  116. Avatar
    Longchamp Bags Sale about 1 year later:

    I hope that you will frequently update your blog.

  117. Avatar
    Put DVD on iPad about 1 year later:

    DVD to iPad Converter is a multifunctonal Put DVD on iPad software which can convert DVD movies to iPad for watch and also supports convert DVD movies to other portable devices like iphone, psp, ps3, zune, apple tv, etc with fast conversion speed and high quality. DVD on iPad Converter can be as a professional iPad Editor which can edit DVD movies for iPad easily.

  118. Avatar
    Celia about 1 year later:

    Today’s kitchens are adopting color and an increased choice of available Granite Countertop, while stainless steel remains a true competitor. Color is coming back to the Granite Slab, and one way to carry color into the kitchen is with a Cast Iron sink. Companies have made beautiful cast iron products since its early beginnings in the late 1800s.

  119. Avatar
    new mercurial vapors about 1 year later:

    These three, however, thoughostensibly rivals for the Duke’s favour, live on such good terms withone another that they are suspected of having entered new mercurial vapors into a secretnership; while some regard them all as the emissaries of theJesuits, who, since the suppression of the Society, are known to havekept a footing in Pianura, as in most of the Italian states. As to theDuke, the death of the Marquess of Cerveno, the failing health of thelittle prince, and his own strange physical infirmities, have so preyedon his mind that he is the victim of any who are unscrupulous enough totrade on the fears of a diseased imagination. His counsellors, howeverdivided in doctrine, have at least one end in common; and that is, tokeep the light of reason out of the darkened chamber in which they haveconfined him; and with such a ruler and such principles of government,you may fancy that poor philosophy has not where to lay her head.And the people?

  120. Avatar
    Fitflop about 1 year later:

    Awesome page you’ve got in here. thanks for sharing.

  121. Avatar
    Cheap Fitflop about 1 year later:

    Because now a days medicine is need for all home.. so it is very easily way to purchase medicine at home.

  122. Avatar
    Kors Watches about 1 year later:

    euuuusi

  123. Avatar
    mermaid brooch over 2 years later:

    You spend ages thinking about it trying on, different mermaid brooch styles and looking forward to your Prom. Now it the heart of the ocean is over what should you do with your prom dress? abalone brooch Here some economical and ecologically responsible ideas for you.

Comments