Defines the skeleton of an algorithm, deferring some steps to subclasses. Template methods let subclasses redefine certain steps of an algorithm without changing the algorithm’s structure.
public abstract class CaffeineBeverage{
// ...
public void prepare(){
boilWater();
brew();
pourInCup();
addExtras();
}
// ...
}
High level algorithm. Almost like pseudo code!
So, at a high level, we know who to make a caffeinated beverage, but we haven’t provided any details about any of the steps.
What changes if we want to make tea versus making coffee?
Do all steps change?
For the steps that won’t (likely) change, we can go ahead and provide the common implementation
public abstract class CaffeineBeverage{
// ...
public void boilWater(){
// Boil the water...
}
public void pourInCup(){
// Pour into a cup
}
// ...
}
For the remaining steps which we expect to be specific to a subclass, we can provide a simple abstract method signature.
Note that, not only do we expect them to defined in the subclass, we actually force this by making them abstract.
public abstract class CaffeineBeverage{
// ...
public abstract void brew();
public abstract void addExtras();
}
Now, we can implement specific, concrete algorithms using this template by subclassing.
public class Coffee extends CaffeineBeverage{
public void brew(){
// Brew in a coffee specific way
}
public void addExtras(){
// Add cream and other coffeeish things
}
}
public class Tea extends CaffeineBeverage{
public void brew(){
// Brew in a tea specific way
}
public void addExtras(){
// Add lemon and things
}
}
Don’t call us, we’ll call you
How is this similar to other patterns?