任务是实现我自己的线程安全的消息队列。
我的做法:
public class MessageQueue {
/**
* Number of strings (messages) that can be stored in the queue.
*/
private int capacity;
/**
* The queue itself, all incoming messages are stored in here.
*/
private Vector<String> queue = new Vector<String>(capacity);
/**
* Constructor, initializes the queue.
*
* @param capacity The number of messages allowed in the queue.
*/
public MessageQueue(int capacity) {
this.capacity = capacity;
}
/**
* Adds a new message to the queue. If the queue is full,
* it waits until a message is released.
*
* @param message
*/
public synchronized void send(String message) {
//TODO check
}
/**
* Receives a new message and removes it from the queue.
*
* @return
*/
public synchronized String receive() {
//TODO check
return "0";
}
}
如果队列为空并且我调用 remove(),我想调用 wait() 以便另一个线程可以使用 send() 方法。分别地,我必须在每次迭代后调用 notifyAll() 。
问:这可能吗?我的意思是当我在一个对象的一个方法中说 wait() 时,我可以执行同一个对象的另一个方法吗?
还有一个问题:这看起来很聪明吗?