首页 > 解决方案 > 实例化所有成员后枚举数组时出现 NullPointerException?

问题描述

我正在处理一段涉及线程的代码,并且我已经设置了以下 for 循环来实例化它们:

for (Buyer buyer : buyers) {
    isPrime = (rand.nextInt(10) + 1 < 3);
    buyer = new Buyer(warehouse,
                      isPrime,
                      "buyer" + ++i);
    buyer.start();
    System.out.println("started buyer: " + i);
}

之后,我实例化了一些其他线程,然后我再次加入这些买家线程以等待程序完成:

System.out.println("Joining buyers. ");
for (Buyer buyer : buyers) {
    buyer.join();
    System.out.println("Joining thread: " + buyer.getName());
}

当我运行我的程序时,我在以下行得到 1 NullPointerException:buyer.join();所有线程都完成执行,但此时似乎没有一个线程想要加入。这里发生了什么?

这是买家线程的代码:

import java.util.Random;

public class Buyer extends Thread{
    private int packsBought = 0;
    private boolean isPrime;
    private Random rand;
    private Warehouse warehouse;

    public Buyer(Warehouse warehouse, Boolean isPrime, String name) {
        super(name);
        this.isPrime = isPrime;
        this.rand = new Random();
        this.warehouse = warehouse;
    }
    
    public void run() {
        while(this.packsBought < 10) {
            try {
                Thread.sleep(this.rand.nextInt(49) + 1);
            } catch (InterruptedException ex) {
                
            }
            Order order = new Order(this.rand.nextInt(3)+ 1, 
                                    this, 
                                    this.isPrime);
            this.warehouse.placeOrder(order);
        }
        System.out.println("Thread: " + super.getName() + " has finished.");
    }

    public int getPacksBought() {
        return this.packsBought;
    }

    public void setPacksBought(int packsBought) {
        this.packsBought = packsBought;
    }

    public boolean isPrime() {
        return isPrime;
    }  
}

标签: javamultithreadingexceptionparallel-processingnullpointerexception

解决方案


问题在于:

for (Buyer buyer : buyers) {
    isPrime = (rand.nextInt(10) + 1 < 3);
    buyer = new Buyer(warehouse,          // <--- this is wrong 
                      isPrime,
                      "buyer" + ++i);
    buyer.start();
    System.out.println("started buyer: " + i);
}

您并没有真正初始化 list 中的元素buyers。这:

buyer = new Buyer(warehouse,
                          isPrime,
                          "buyer" + ++i);

不会更改列表中保存的参考buyers。是的,您将创建并启动一堆线程。但在:

System.out.println("Joining buyers. ");
for (Buyer buyer : buyers) {
    buyer.join();
    System.out.println("Joining thread: " + buyer.getName());
}

您没有在您创建和启动的线程(即买家)上调用 join。并为您获得 NPE

buyer.join();

是因为你已经用 初始化了买家列表null,认为你可以在循环中初始化:

   for (Buyer buyer : buyers) {
        isPrime = (rand.nextInt(10) + 1 < 3);
        buyer = new Buyer(warehouse,
                          isPrime,
                          "buyer" + ++i);
        buyer.start();
        System.out.println("started buyer: " + i);
    }

推荐阅读