备忘录模式Memento(对象行为型)

参考文档:

1.设计模式-可复用面向对象软件的基础

2.http://www.blogjava.net/flustar/archive/2007/12/08/memento.html(设计模式学习笔记(十七)—Memento备忘录模式)


备忘录模式Memento(对象行为型)

关于理论方面的知识,可以参考 参考文档中的内容。

看一下Memento模式的结构:

备忘录模式Memento(对象行为型)_第1张图片

备忘录模式Memento(对象行为型)_第2张图片

代码实现:

案例为:保存系统的当前状态,然后恢复保存的状态。

WindowsSystem.java:
package com.rick.designpattern.memento;

/**
 * Created by MyPC on 2017/6/14.
 */
public class WindowsSystem {
    /**
     * 系统状态
     */
    private String state;

    /**
     * 创建系统备份
     *
     * @return
     */
    public Memento createMemento() {
        return new Memento(state);
    }

    /**
     * 回复系统备份
     *
     * @param memento
     */
    public void restoreMemento(Memento memento) {
        this.state = memento.getState();
    }

    /**
     * 当前系统状态
     *
     * @return
     */
    public String getState() {
        return state;
    }

    /**
     * 设置系统状态
     *
     * @param state
     */
    public void setState(String state) {
        this.state = state;
    }
}
Memento.java:
package com.rick.designpattern.memento;

/**
 * Created by MyPC on 2017/6/14.
 */
public class Memento {
    private String state;

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

    public String getState() {
        return state;
    }

    public void setState(String state) {
        this.state = state;
    }
}
Caretaker.java:
package com.rick.designpattern.memento;

/**
 * Created by MyPC on 2017/6/14.
 */
public class Caretaker {
    private Memento memento;

    /**
     * 获取备份
     *
     * @return
     */
    public Memento retrieveMemento() {
        return memento;
    }

    /**
     * 设置备份
     *
     * @param memento
     */
    public void saveMemento(Memento memento) {
        this.memento = memento;
    }
}
Client.java:
package com.rick.designpattern.memento;

/**
 * Created by MyPC on 2017/6/14.
 */
public class Client {


    public static void main(String[] args) {
        WindowsSystem windowsSystem = new WindowsSystem();
        windowsSystem.setState("好的状态");
        Caretaker caretaker = new Caretaker();
        caretaker.saveMemento(windowsSystem.createMemento());

        System.out.println("当前系统状态1:" + windowsSystem.getState());
        windowsSystem.setState("坏的状态");
        System.out.println("当前系统状态2:" + windowsSystem.getState());
        windowsSystem.restoreMemento(caretaker.retrieveMemento());
        System.out.println("恢复后,当前系统状态:" + windowsSystem.getState());

    }
}


你可能感兴趣的:(理解设计模式)