我写了一个在生产者 - 消费者模型中使用SynchronousQueue的测试示例。但它效果不好。以下是我的代码:
public class QueueTest {
String input;
int pos;
BlockingQueue<String> queue;
volatile boolean exitFlag;
QueueTest()
{
for(int i=0; i<10000; i++)
input += "abcde";
input += "X";
pos = 0;
queue = new SynchronousQueue<String>();
exitFlag = false;
}
public static void main(String[] args) {
QueueTest qtest = new QueueTest();
qtest.runTest();
}
void runTest()
{
Thread producer = new Thread( new Producer());
Thread consumer = new Thread( new Consumer());
producer.start();
consumer.start();
try {
producer.join();
consumer.join();
} catch (InterruptedException e) {
e.printStackTrace();
}
}
class Producer implements Runnable
{
public void run()
{
while(true)
{
String s = read();
if(s.equals("X"))
break;
try {
queue.put(s);
} catch (InterruptedException e) {
e.printStackTrace();
}
}
exitFlag = true;
}
}
class Consumer implements Runnable
{
public void run()
{
while(exitFlag == false)
{
String s = null;
try {
s = queue.take();
} catch (InterruptedException e) {
e.printStackTrace();
}
process(s);
}
}
}
String read()
{
String str = input.substring(pos, pos+1);
pos++;
return str;
}
void process(String s)
{
long sum = 0;
for(long i=0; i<1000; i++)
sum = sum * i + i;
}
}
问题是运行陷入僵局。这些简单的代码中是否有任何错误?
答案 0 :(得分:1)
你更有可能看到竞争条件。想象一下场景
Thread 1 put into queue
Thread 2 takes out of queue quickly processes and awaits another put from thread 1
Thread 1 finishes and sets exitFlag to true
在这种情况下,线程2将永久保持,因为在线程2读取之前,exitFlag未设置为false。
你可能想要考虑毒丸。这是我们已完成的另一个帖子的消息。例如:
final String POISON_PILL = " POISON";
class Producer implements Runnable {
public void run() {
while (true) {
String s = read();
if (s.equals("X"))
break;
try {
queue.put(s);
} catch (InterruptedException e) {
e.printStackTrace();
}
}
try {
queue.put(POISON_PILL);
} catch (InterruptedException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
}
class Consumer implements Runnable {
public void run() {
String s = null;
try {
while ((s = queue.take()) != POISON_PILL) {
process(s);
}
} catch (InterruptedException e) {
// TODO Auto-generated catch block
e.printStackTrace();
}
}
}
因此,当另一个线程被通知时,另一个线程已经完成,两个线程应该正常结束。
答案 1 :(得分:0)
由于您的exitFlag在多个线程之间共享,因此必须执行一些操作以使Producer的更新对Consumer(对于Java内存模型而言)可见。对于这个例子,使值volatile是足够的。
更新:
您应该生成挂起代码的堆栈转储。这将为您提供有关正在发生的事情的线索。此代码是一个很好的示例,说明为什么不应该使用标志进行控制以及BlockingQueue。
更新2:
Bummer,@ JohnVint让猫从袋子里出来。是的,毒丸是这种竞争条件的解决方案。
答案 2 :(得分:0)
您的程序将陷入以下情况:
在消费者检查 existFlag 是否后,生产者设置 exitFlag (不添加新元素) >。如果队列中没有更多元素(消费者之前设法处理所有元素),则 queue.take()将阻止使用者。
您可以使用 queue.poll(),这不是阻止方法。这需要稍微改变你的程序。