OnJava8-Examples/patterns/TemplateMethod.java

45 lines
1001 B
Java
Raw Normal View History

2015-09-07 11:44:36 -06:00
// patterns/TemplateMethod.java
2015-12-15 11:47:04 -08:00
// (c)2016 MindView LLC: see Copyright.txt
2015-11-15 15:51:35 -08:00
// We make no guarantees that this code is fit for any purpose.
// Visit http://mindviewinc.com/Books/OnJava/ for more book information.
2015-06-15 17:47:35 -07:00
// Simple demonstration of Template Method.
2015-11-03 12:00:44 -08:00
import java.util.stream.*;
2015-06-15 17:47:35 -07:00
abstract class ApplicationFramework {
public ApplicationFramework() {
templateMethod();
}
abstract void customize1();
abstract void customize2();
// "private" means automatically "final":
private void templateMethod() {
2015-11-03 12:00:44 -08:00
IntStream.range(0, 5).forEach(
n -> { customize1(); customize2(); });
2015-06-15 17:47:35 -07:00
}
}
// Create a new "application":
class MyApp extends ApplicationFramework {
@Override
void customize1() {
System.out.print("Hello ");
}
@Override
void customize2() {
System.out.println("World!");
}
}
public class TemplateMethod {
public static void main(String args[]) {
new MyApp();
}
2015-09-07 11:44:36 -06:00
}
/* Output:
2015-06-15 17:47:35 -07:00
Hello World!
Hello World!
Hello World!
Hello World!
Hello World!
2015-09-07 11:44:36 -06:00
*/