我正在尝试创建2d双向链接循环数组,从txt文件中读取数据并自动创建节点。我的程序正在正确读取第一行,但是当它到达下一行和创建下一个节点的时间时,会出现空指针。我不明白为什么会这样,请帮助我。
public class project1 {
public static void main(String[] args) {
File file = new File("Input0.txt");
List mList = new List();
try {
Scanner sc = new Scanner(file);
while (sc.hasNextLine()) {
String line = sc.nextLine();
Node kNode = new Node(line.charAt(0));
mList.insertLast(kNode);
for (int j = 1; j < line.length(); j++) {
System.out.println(line.charAt(j));
}
}
sc.close();
} catch (FileNotFoundException e) {
e.printStackTrace();
}
}
}
class Node {
int data = 0;
char key;
Node nPrev, nNext, tNode, prev, next;
Node() {
}
Node(char c) {
key = c;
}
Node(Node x, Node p, Node q) {
tNode = x;
nPrev = p;
nNext = q;
}
Node(int x, Node p, Node q) {
data += x;
prev = p;
next = q;
}
}
class List {
Node head;
List() {
head = new Node();
head.prev = head;
head.next = head;
}
void insertFirst(char x) {
insertBefore(head.next, x);
}
void insertFirst(Node x) {
insertBefore(head.next, x);
}
void insertLast(char x) {
insertAfter(head.prev, x);
}
void insertLast(Node x) {
insertAfter(head.prev, x);
}
void insertAfter(Node pos, int i) {
Node n = new Node(i, pos, pos.next);
pos.next.prev = n;
pos.next = n;
}
void insertAfter(Node pos, Node x) {
Node n = new Node(x, pos, pos.next);
pos.next.prev = n;
pos.next = n;
}
void insertBefore(Node pos, int i) {
Node n = new Node(i, pos.prev, pos);
pos.prev.next = n;
pos.prev = n;
}
void insertBefore(Node pos, Node x) {
Node n = new Node(x, pos.prev, pos);
pos.prev.next = n;
pos.prev = n;
}
}
这些是错误。 在尝试创建第二个节点时发生空指针。它比正确的Null指针正确创建了第一个节点。
第77行= pos.next = n;
第69行= insertAfter(head.prev,x);
第18行= mList.insertLast(kNode);
答案 0 :(得分:0)
您缺少为新插入的节点设置指针:
void insertBefore(Node pos, int i) {
Node n = new Node(i, pos.prev, pos);
pos.prev.next = n;
pos.prev = n;
/** should contain also something similar to: **/
n.prev = pos;
n.next = pos;
}
实际上在插入第一个节点时你正在做什么,你将head.prev设置为n而head.next设置为n。所以在下一个插入时你传递n(现在是head.next)并尝试用n.prev == null调用n.prev.next,并且n.prev后面的行再次为null。