Creational Patterns
-Factory Pattern
Factory of classes. In simple words, if we have a super class and nth sub-classes, and based on data provided, we have to return the object of one of the sub-classes, we use a factory pattern.
Let’s take an example to understand this pattern.
Let’s take an example to understand this pattern.
Let’s suppose an application asks for entering the name and sex of a person. If the sex is Male (M), it displays welcome message saying Hello Mr. <Name> and if the sex is Female (F), it displays message Welcome to application, Ms <Name>.
The skeleton of the code can be given here.
The skeleton of the code can be given here.
public class Person { | ||
// name stringpublic String name;// gender : M or Fprivate String gender;public String getName() {return name;} | ||
}// End of class |
This is a simple class Person having methods for name and gender. Now, we will have two sub-classes, Male and Female which will print the welcome message on the screen.
public class Male extends Person { | ||
public Male(String fullName) {System.out.println(" Welcome to application, Mr. "+fullName);} | ||
}// End of class |
Also, the class Female
public class Female extends Person { | ||
public Female(String fullNname) {System.out.println("Welcome to application, Ms. "+fullNname);} | ||
}// End of class |
Now, we have to create a client, or a SalutationFactory which will return the welcome message depending on the data provided.
public class SalutationFactory { | ||
public static void main(String args[]) {SalutationFactory factory = new SalutationFactory();factory.getPerson(args[0], args[1]);}public Person getPerson(String name, String gender) {if (gender.equals("M"))return new Male(name);else if(gender.equals("F"))return new Female(name);elsereturn null;} | ||
}// End of class |
This class accepts two arguments from the system at runtime and prints the names.
Running the program:
After compiling and running the code on my computer with the arguments Bhanu and M:
java Bhanu M
The result returned is: “Hello Mr. Bhanu”.
When to use a Factory Pattern?
The Factory patterns can be used in following cases:
1. When a class does not know which class of objects it must create.
2. A class specifies its sub-classes to specify which objects to create.
3. In programmer’s language (very raw form), you can use factory pattern where you have to create an object of any one of sub-classes depending on the data provided.
0 comments:
Post a Comment