今晚闲着无聊,看the art of java,于是碰到了Observer,先前用过这个类,但忘记具体用法了
,写下本文以供以后之用。
下面有个例子,先把例子的背景说清楚,某团体开会,要通知到各个与会者,并且如果会议时间有变动,要及时通知所有与会者。
要实现观察者模式,首先要弄清两个概念:观察者与被观察者。前者在本例中是开会人员,后者是专门通知会议的联络员。
首先开会人员要想得到通知必须实现一个接口:
开会人员
class Person implements Observer {
String name;
int changeTimes=0;//记录本人看到的记录更改次数
/**
*
*/
public Person(String name) {
this.name = name;
}
/*
* 本人看到了通知
*
* @see java.util.Observer#update(java.util.Observable, java.lang.Object)
*/
public void update(Observable o, Object arg) {
String first=
name + "说: 我已经看到了通知," + arg;
String other=name + "说: 我考!,都该了N次了,N>="+ changeTimes + arg;
System.out.println(changeTimes==0?first:other);
changeTimes++;
}
}
会议通知员:
class NoticeOfficer extends Observable {
/**
*
*/
public NoticeOfficer(String content) {
this.content = content;
}
//重要通知
String content;
void sendNotice(List p) {
Iterator iter = p.iterator();
while (iter.hasNext()) {
Object o = (Object) iter.next();
addObserver((Observer) o);
}
setChanged();
notifyObservers(content);
}
}
测试类:
public class Test{
public static void main(String[] args) {
NoticeOfficer officer = new NoticeOfficer("今天下午2:60 有会!");
List personList = new ArrayList();
personList.add(new Person("校长"));
personList.add(new Person("流氓"));
personList.add(new Person("程序员"));
personList.add(new Person("疯子"));
officer.sendNotice(personList);
for (int i = 0; i < 10000000; i++) {
}
officer.content="会议改为3:50";
officer.sendNotice(personList);
}
}