我试图了解为什么我在此简化的代码中获得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," this.grid [x] [y] .add(new node(entity));",我不确定为什么因为我的网格对象不是null。<<<<<<<<<<<<<</p>
这是我问题的简化示例,所以这是我短暂的代码的其余部分:
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);
}
}
您的帖子中的变量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));
}
}
}