《设计模式系列》---备忘录模式

备忘录模式:在不破坏封装性的前提下,捕获一个对象的内部状态,并在该对象之外保存这个状态.这个以后就可将该对象恢复到原先保存的状态。

/**
 * @author stefanie zhao
 * @date 2014-8-19 下午03:55:26
 */
public class Memento {

    private String state;

    public Memento(String state) {
        this.state = state;
    }

    /**
     * @return the state
     */
    public String getState() {
        return state;
    }

    /**
     * @param state
     *            the state to set
     */
    public void setState(String state) {
        this.state = state;
    }

}
/**
 * @author stefanie zhao
 * @date 2014-8-19 下午03:53:00
 */
public class Originator {

    private String state;

    /**
     * @return the state
     */
    public String getState() {
        return state;
    }

    /**
     * @param state
     *            the state to set
     */
    public void setState(String state) {
        this.state = state;
    }

    public Memento createMemento() {
        return new Memento(state);
    }

    public void setMemento(Memento memento) {
        this.state = memento.getState();
    }

    public void show() {
        System.out.println("state=" + state);
    }
}
/**
 * @author stefanie zhao
 * @date 2014-8-19 下午03:56:16
 */
public class Caretaker {

    private Memento memento;

    /**
     * @return the memento
     */
    public Memento getMemento() {
        return memento;
    }

    /**
     * @param memento
     *            the memento to set
     */
    public void setMemento(Memento memento) {
        this.memento = memento;
    }

}
public class Main {

    /**
     * @Description: TODO
     * @param @param args
     * @return void
     * @throws
     */
    public static void main(String[] args) {
        Originator o = new Originator();
        o.setState("on");
        o.show();

        Caretaker c = new Caretaker();
        c.setMemento(o.createMemento());

        o.setState("off");
        o.show();

        o.setMemento(c.getMemento());
        o.show();

    }

}


你可能感兴趣的:(java,设计模式,备忘录模式)