0
import java.util.*;

class HashingDemo {
    public static void main(String[] args) {
        Scanner keyboard = new Scanner(System.in);

        System.out.print("Please input the size of the hash table: ");
        int tableSize = keyboard.nextInt();

        LinkedListN[] hashTable = new LinkedListN[tableSize];

        // this works
        LinkedListN list = new LinkedListN();
        list.addToEnd(50);
        System.out.println(list);
        //

        System.out.print("Enter the number of keys to be hashed: ");
        int numberOfKeys = keyboard.nextInt();

        Random randomGenerator = new Random();

        for (int i = 0; i < numberOfKeys; i++) {
            int randomNumber = randomGenerator.nextInt(10000) + 1;

            int location = randomNumber % tableSize;

            hashTable[location].addToEnd(randomNumber);
        }
    }
}

LinkedListN 是一个自定义类(代码附在下面),因为数组不能很好地处理泛型。

但是每次我运行这个程序时,我都会收到以下错误:

Please input the size of the hash table: 10
LinkedListN@5265a77f
Enter the number of keys to be hashed: 20
Exception in thread "main" java.lang.NullPointerException
    at HashingDemo.main(HashingDemo.java:30)

即使正如我上面评论的那样,如果我只有一个 LinkedListN 并向其中添加数据,也没有问题。这是怎么回事?我已经尝试并试图弄清楚,但我做不到。

4

2 回答 2

3

LinkedListN[] hashTable = new LinkedListN[tableSize];只是分配数组,而不是其中的对象。为了克服NullPointerException你必须为每个元素分配对象:

for (int i = 0; i < numberOfKeys; i++) {
    int randomNumber = randomGenerator.nextInt(10000) + 1;
    int location = randomNumber % tableSize;
    if(hashTable[location]==null) {
        hashTable[location] = new LinkedListN();
    }
    hashTable[location].addToEnd(randomNumber);
}

你错过了这条线hashTable[location] = new LinkedListN();

于 2012-11-21T03:29:13.750 回答
1

将循环更改为:

for (int i = 0; i < numberOfKeys; i++) {
    int randomNumber = randomGenerator.nextInt(10000) + 1;
    int location = randomNumber % tableSize;

    if(hashTable[location] == null)
        hashTable[location] = new LinkedListN();
    hashTable[location].addToEnd(randomNumber);
}

否则,hashTable[location]当您第一次使用它们时,s 将为空。

于 2012-11-21T03:31:01.763 回答