Factory is a design pattern in common usage. Please implement aToyFactory
which can generate proper toy based on the given type.
Have you met this question in a real interview?
Yes
Example
ToyFactory tf = ToyFactory();
Toy toy = tf.getToy('Dog');
toy.talk();
>
>
Wow
toy = tf.getToy('Cat');
toy.talk();
>
>
Meow
/**
* Your object will be instantiated and called as such:
* ToyFactory* tf = new ToyFactory();
* Toy* toy = tf->getToy(type);
* toy->talk();
*/
class Toy {
public:
virtual void talk() const=0;
};
class Dog: public Toy {
// Write your code here
void talk() const {
std::cout << "Wow" << std::endl;
}
};
class Cat: public Toy {
// Write your code here
void talk() const {
std::cout << "Meow" << std::endl;
}
};
class ToyFactory {
public:
/**
* @param type a string
* @return Get object of the type
*/
Toy* getToy(string& type) {
// Write your code here
if (type == "Dog") {
return new Dog();
}
if (type == "Cat") {
return new Cat();
}
return NULL;
}
};