设计模式 之 状态模式
定义:
不同的状态,不同的行为。或者说,每个状态有着相应的行为,应用于系统中过多的if else条件判断。
何时使用设计模式?
state模式在实际应用中比较多,适合“状态的切换”因为我们经常会使用if else进行状态
切换,如果针对状态的这样判断反复出现,我们就要想到是否该采取state模式了。
不只是根据状态,也有根据属性.如果某个对象的属性不同,对象的行为就不一样,这点在数据库系统中出现频率比较高,我们经常会在一个数据表的尾部, 加上property属性含义的字段,用以标识记录中一些特殊性质的记录,这种属性的改变(切换)又是随时可能发生的,就有可能要使用State.
状态模式优点:
(1) 封装转换过程,也就是转换规则
(2) 枚举可能的状态,因此,需要事先确定状态种类。
生活中的例子
就比如说打电话,在拨打时是一个状态,接通时是一个状态,通话中是一个状态。
是否使用?
在实际使用,类似开关一样的状态切换是很多的,但有时并不是那么明显,取决于你的经验和对系统的理解深度.
这里要阐述的是"开关切换状态" 和" 一般的状态判断"是有一些区别的, " 一般的状态判断"也是有 if..elseif结构,例如:
if (which==1) state="hello";else if (which==2) state="hi";else if (which==3) state="bye";
if (state.euqals("bye")) state="hello";else if (state.euqals("hello")) state="hi";else if (state.euqals("hi")) state="bye";
package com.lxit.state;public interface State {public void execute(int mark);}
package com.lxit.state;public class Clientele {private State state ;public void setState(State state) {this.state = state;}public State getState() {return state;}public void getState(int mark){state.execute(mark);}}
package com.lxit.state;public class OpenState implements State{@Overridepublic void execute(int mark) {System.out.println("业务需求分析了" + mark + "个月");}}
package com.lxit.state;public class LockState implements State{@Overridepublic void execute(int mark) {System.out.println("实施编码的过程,发了"+mark+"个月时间");}}
package com.lxit.state;public class ColseState implements State{@Overridepublic void execute(int mark) {System.out.println("项目上线,结束整个项目流程,发了"+mark+"个月的时间完成了此项目");}}
package com.lxit.state;public class Client {public static void main(String[] args) {Clientele account = new Clientele();State state = new OpenState();account.setState(state);account.getState(1);}}
如何使用