大话设计模式java版--备忘录模式-游戏保存进度例子

我们先设定游戏的主角

主角(role)有属性:

vit:生命力

atk:攻击力

def:防御力

为了保存进度,我们需要保存相关的数据。这些主角属性的值都必须被保存起来。但是我们细想如果在main函数中保存,这里会出现这样的情况。。。

main(){


backupRoleVit = role.getRoleVit()

backupRoleAtk = role.getRoleAtk)

backupRoleDef = role.getRoleDef()

}


如果需求一变更 ,我们要保存个魔法力的话,我们还要再main函数添加,我们希望把保存进进度的细节封装起来,但又不想用clone方法一样暴露太多接口。

这时候,备忘录模式就可以很好的解决问题了


游戏角色类:

package com.jing.memento;
/**
 * 游戏角色
 * @author Administrator
 *
 */
public class GameRole {
	private int vit;
	private int atk;
	private int def;
	public int getVit() {
		return vit;
	}
	public void setVit(int vit) {
		this.vit = vit;
	}
	public int getAtk() {
		return atk;
	}
	public void setAtk(int atk) {
		this.atk = atk;
	}
	public int getDef() {
		return def;
	}
	public void setDef(int def) {
		this.def = def;
	}
	
	public void StateDisplay(){
		System.out.println("生命力:"+vit+" 攻击力:"+atk+" 防御力:"+def);
	}
	
	public void reStart(){
		this.vit = 100;
		this.atk = 100;
		this.def = 100;
	}
	
	public void attack(){
		this.vit -= 10;
		this.atk -= 10;
		this.def -= 10;
	}
	//创建保存进度
	public Memento CreateMemento(){
		return new Memento(vit,atk,def);
	}
	
	//恢复进度
	public void SetMemento(Memento memento){
		this.vit = memento.getVit();
		this.atk = memento.getAtk();
		this.def = memento.getDef();
	}
}

保存进度相关数据的类

package com.jing.memento;
/**
 * 备忘录
 * @author Administrator
 *
 */
public class Memento {
	private int vit;
	private int atk;
	private int def;
	
	public Memento(int vit, int atk, int def) {
		super();
		this.vit = vit;
		this.atk = atk;
		this.def = def;
	}

	public int getVit() {
		return vit;
	}

	public int getAtk() {
		return atk;
	}

	public int getDef() {
		return def;
	}
	

}
管理进度的类

package com.jing.memento;
/**
 * 管理者
 * @author Administrator
 *
 */
public class Caretaker {
	private Memento memento;

	public Memento getMemento() {
		return memento;
	}

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

package com.jing.memento;

public class Main {
	public static void main(String[] args) {
		GameRole role = new GameRole();
		role.reStart();
		role.StateDisplay();
		//游戏进度保存
		Caretaker c = new Caretaker();
		c.setMemento(role.CreateMemento());
		
		role.attack();
		role.StateDisplay();
		
		//恢复进度
		role.SetMemento(c.getMemento());
		
		role.StateDisplay();
	}
}

执行结果:

生命力:100 攻击力:100 防御力:100
生命力:90 攻击力:90 防御力:90
生命力:100 攻击力:100 防御力:100


例子是参考《大话设计模式》这本书的。。

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