Design patterns
テンプレートメソッド
サーチ…
Javaでのテンプレートメソッドの実装
テンプレートメソッドパターンは、動作中のアルゴリズムのプログラムスケルトンを定義し、いくつかのステップをサブクラスに委譲する動作デザインパターンです。
構造:
キーノート:
- テンプレートメソッドは継承を使用します
- 基本クラスによって実装されたTemplateメソッドをオーバーライドしないでください。このようにして、アルゴリズムの構造はスーパークラスによって制御され、詳細はサブクラスに実装されます
コード例:
import java.util.List;
class GameRule{
}
class GameInfo{
String gameName;
List<String> players;
List<GameRule> rules;
}
abstract class Game{
protected GameInfo info;
public Game(GameInfo info){
this.info = info;
}
public abstract void createGame();
public abstract void makeMoves();
public abstract void applyRules();
/* playGame is template method. This algorithm skeleton can't be changed by sub-classes. sub-class can change
the behaviour only of steps like createGame() etc. */
public void playGame(){
createGame();
makeMoves();
applyRules();
closeGame();
}
protected void closeGame(){
System.out.println("Close game:"+this.getClass().getName());
System.out.println("--------------------");
}
}
class Chess extends Game{
public Chess(GameInfo info){
super(info);
}
public void createGame(){
// Use GameInfo and create Game
System.out.println("Creating Chess game");
}
public void makeMoves(){
System.out.println("Make Chess moves");
}
public void applyRules(){
System.out.println("Apply Chess rules");
}
}
class Checkers extends Game{
public Checkers(GameInfo info){
super(info);
}
public void createGame(){
// Use GameInfo and create Game
System.out.println("Creating Checkers game");
}
public void makeMoves(){
System.out.println("Make Checkers moves");
}
public void applyRules(){
System.out.println("Apply Checkers rules");
}
}
class Ludo extends Game{
public Ludo(GameInfo info){
super(info);
}
public void createGame(){
// Use GameInfo and create Game
System.out.println("Creating Ludo game");
}
public void makeMoves(){
System.out.println("Make Ludo moves");
}
public void applyRules(){
System.out.println("Apply Ludo rules");
}
}
public class TemplateMethodPattern{
public static void main(String args[]){
System.out.println("--------------------");
Game game = new Chess(new GameInfo());
game.playGame();
game = new Ludo(new GameInfo());
game.playGame();
game = new Checkers(new GameInfo());
game.playGame();
}
}
説明:
Game
はabstract
スーパークラスであり、テンプレートメソッドを定義しています:playGame()
playGame()
スケルトンは基本クラスで定義されています:Game
Chess, Ludo
、Checkers
ようなplayGame()
は、playGame()
スケルトンを変更できません。しかし、彼らはいくつかのステップの振る舞いを変更することができますcreateGame(); makeMoves(); applyRules();
出力:
--------------------
Creating Chess game
Make Chess moves
Apply Chess rules
Close game:Chess
--------------------
Creating Ludo game
Make Ludo moves
Apply Ludo rules
Close game:Ludo
--------------------
Creating Checkers game
Make Checkers moves
Apply Checkers rules
Close game:Checkers
--------------------
Modified text is an extract of the original Stack Overflow Documentation
ライセンスを受けた CC BY-SA 3.0
所属していない Stack Overflow