Template Method:模板方法模式,定义一个操作的算法骨架,而将一些步骤延迟到子类中,Template Method使得子类可以不改变一个算法的结构即可重定义该算法的某些特定步骤
    经典应用:

    • HttpServlet 的 service() 方法,提供了 doGet()、doPost() 等模板方法便于用户实现
    • Spring MVC 的 AbstractController 的 handleRequest() 方法,提供了 handleRequestInternal() 方法方便用户实现

      1. public class TemplateMethod {
      2. public static void main(String[] args) {
      3. AbstractClass clazz = new SubClass();
      4. clazz.operation();
      5. }
      6. // 封装了模板方法的数据结构
      7. abstract static class AbstractClass {
      8. public void operation(){
      9. // open
      10. System.out.println("pre ...");
      11. System.out.println("step1 ...");
      12. System.out.println("step2 ...");
      13. templateMethod();
      14. // close
      15. System.out.println("close ...");
      16. }
      17. // 提供给子类进行自定义实现的方法
      18. protected abstract void templateMethod();
      19. }
      20. static class SubClass extends AbstractClass{
      21. @Override
      22. protected void templateMethod() {
      23. System.out.println("SubClass ...");
      24. }
      25. }
      26. }