Observer模式: 具体的说,如果网上商店中商品在名称 价格等方面有变化,如果系统能自动通知会员,将是网上商店区别传统商店的一大特色.这就需要在商品product中加入Observer这样角色,以便product细节发生变化时,Observer能自动观察到这种变化,并能进行及时的update或notify动作。
Java的API还为为我们提供现成的Observer接口Java.util.Observer.我们只要直接使用它就可以.
我们必须extends Java.util.Observer才能真正使用它:
1.提供Add/Delete observer的方法;
2.提供通知(notisfy) 所有observer的方法;
import java.util.Observable;
public class Product extends Observable {
private String name;
private float price;
public String getName() {
return name;
}
public void setName(String name) {
this.name = name;
this.setChanged();
this.notifyObservers(name);
}
public float getPrice() {
return price;
}
public void setPrice(float price) {
this.price = price;
this.setChanged();//设置变化点
this.notifyObservers(new Float(price));
}
}
import java.util.Observable;
import java.util.Observer;
public class NameObserver implements Observer {
private String name;
public void update(Observable arg0, Object arg1) {
if(arg1 instanceof String)
name=(String)arg1;
System.out.println("product Name changed : "+name);
}
}
public class PriceObserver implements Observer {
private float price;
public void update(Observable o, Object arg) {
if(arg instanceof Float)
price=((Float)arg).floatValue();
System.out.println("produce price changed: "+price);
}
}
public class Test {
public static void main(String[] args) {
Product product=new Product();
NameObserver no=new NameObserver();
PriceObserver po=new PriceObserver();
//所有的Observer中有一个属性值改变,所有的就会setXX()调用一次
product.addObserver(no);
product.addObserver(po);
product.setName("zw");
//product.setPrice(33.33f);
}
}