Memento 模式解決了在不違反其封裝的情況下捕獲和恢復物件內部狀態的需求。這在您想要實現撤消/重做功能、允許物件恢復到先前狀態的場景中非常有用。
Memento 模式涉及三個主要組成部分:
發起者建立一個包含其目前狀態快照的備忘錄。然後,管理員可以儲存該備忘錄,並在需要時用於恢復發起者的狀態。
Memento 模式的一個實際範例是提供撤銷/重做功能的文字編輯器。文件的每次變更都可以儲存為備忘錄,允許使用者根據需要恢復到文件之前的狀態。
代碼中的備忘錄模式:
// Originator public class Editor { private String content; public void setContent(String content) { this.content = content; } public String getContent() { return content; } public Memento save() { return new Memento(content); } public void restore(Memento memento) { content = memento.getContent(); } // Memento public static class Memento { private final String content; public Memento(String content) { this.content = content; } private String getContent() { return content; } } } // Caretaker public class History { private final Stack<Editor.Memento> history = new Stack<>(); public void save(Editor editor) { history.push(editor.save()); } public void undo(Editor editor) { if (!history.isEmpty()) { editor.restore(history.pop()); } } } // Client code public class Client { public static void main(String[] args) { Editor editor = new Editor(); History history = new History(); editor.setContent("Version 1"); history.save(editor); System.out.println(editor.getContent()); editor.setContent("Version 2"); history.save(editor); System.out.println(editor.getContent()); editor.setContent("Version 3"); System.out.println(editor.getContent()); history.undo(editor); System.out.println(editor.getContent()); history.undo(editor); System.out.println(editor.getContent()); } }
以上是理解 Java 中的 Memento 設計模式的詳細內容。更多資訊請關注PHP中文網其他相關文章!