我试图理解为什么我在这个减少的代码中得到一个nullpointer。有类似的问题,但其他用户没有初始化他们的ArrayList。在我的示例中,我正在初始化我的ArrayList,但是当我尝试添加它时,我仍然得到一个nullpointer。那是为什么?
public class Grid {
private int x, y;
private List<Node>[][] grid = null;
public Grid(int x, int y) {
this.x = x;
this.y = y;
this.grid = new ArrayList[x][y];
}
public void addEle(Entity entity) {
for (int x = 0; x <= 3; x++) {
for (int y = 0; y <= 3; y++) {
this.grid[x][y].add(new Node(entity));
}
}
}
}
我在行上得到一个nullpointer,&#34; this.grid [x] [y] .add(新节点(实体));&#34;,我不知道为什么,因为我的网格对象不是空的。
这是我的问题的一个简化示例,所以这是我的其余短期代码:
Entity.java
public class Entity {
public Entity() { }
}
Node.java
public class Node {
Entity e;
public Node(Entity e) {
this.e = e;
}
}
最后,我的主要班级:
Driver.java
public class Driver {
public static void main(String[] args) {
Grid g = new Grid(4, 4);
Entity e = new Entity();
g.addEle(e);
}
}
答案 0 :(得分:2)
帖子中的变量grid
是List
(s)的二维数组,引用类型的默认值为null
。因此,您可以创建足够的空间来存储x
x y
List
(s);但是你没有创建List
(s)来存储在你的数组中。您可以在构造函数中使用List
(s)填充数组。像,
public Grid(int x, int y) {
this.x = x;
this.y = y;
this.grid = new ArrayList[x][y];
for (int i = 0; i < x; i++) {
for (int j = 0; j < y; j++) {
this.grid[i][j] = new ArrayList<>();
}
}
}
我想我还应该指出,addEle
似乎只是硬编码才能使用4
元素,并且您会隐藏x
和y
字段。我想你想要,
public void addEle(Entity entity) {
for (int i = 0; i < x; i++) {
for (int j = 0; j < y; j++) {
this.grid[i][j].add(new Node(entity));
}
}
}