#format java /** * MementoPattern example * Dice game */ import java.util.Vector; import java.util.Iterator; import java.util.Random; class Memento { int money; Vector fruits; public int getMoney() { return money; } Memento(int money) { this.money = money; this.fruits = new Vector(); } void addFruit(String fruit) { fruits.add(fruit); } } class Gamer { private int money; private Vector fruits = new Vector(); private Random random = new Random(); private static String[] fruitsname = { "apple","grape","banana","orange" }; public Gamer(int money) { this.money = money; } public int getMoney() { return money; } public void bet() { int dice = random.nextInt(6) + 1; if(dice == 1) { money += 100; System.out.println("increase 100 money"); } else if(dice == 2) { money /= 2; System.out.println("decrease half money"); } else if(dice == 6) { String f = getFruit(); System.out.println("take fruit "+f); fruits.add(f); } else { System.out.println("Nothing happen"); } } public Memento createMemento() { Memento m = new Memento(money); Iterator it = fruits.iterator(); while(it.hasNext()) { String f = (String)it.next(); if(f.startsWith("delicious")) { m.addFruit(f); } } return m; } public void restoreMemento(Memento memento) { this.money = memento.money; this.fruits = memento.fruits; } public String toString() { return "[money = "+money+", fruits = "+fruits+"]"; } private String getFruit() { String prefix = ""; if(random.nextBoolean()) { prefix = "delicious "; } return prefix + fruitsname[random.nextInt(fruitsname.length)]; } } public class MementoDiceGame { public static void main(String[] args) { Gamer gamer = new Gamer(100); Memento memento = gamer.createMemento(); for(int i=0; i < 100; i++) { System.out.println("==== "+i); System.out.println("present state: "+gamer); gamer.bet(); System.out.println("money become "+gamer.getMoney()); if(gamer.getMoney() > memento.getMoney()) { System.out.println(" memorize state due to increase"); memento = gamer.createMemento(); } else if(gamer.getMoney() < memento.getMoney()/2) { System.out.println(" restore due to decrease"); gamer.restoreMemento(memento); } try { Thread.sleep(1000); } catch(InterruptedException e) { } System.out.println(""); } } }