1

我正在将数组更改为数组列表,多次尝试出现错误“NullPointerException”,代码简化如下所示,当鼠标按下时创建一个矩形。但仍然有同样的错误。问题是什么?

ArrayList textlines;

int xpos=20;
int ypos=20;

void setup() {
  size(1200, 768);
  ArrayList textlines = new ArrayList();
  //(Line)textlines.get(0) =textlines.add(new Line(xpos, ypos));
}

void draw() {
}


void mousePressed() {
  textlines.add(new Line(xpos, ypos));
  for (int i=0; i<textlines.size(); i++) {

    Line p=(Line)textlines.get(i);
    p.display();
  }
}


class Line {

  int x;
  int y;

  Line(int xpo, int ypo) {
    x =xpo;
    y =ypo;
  }

  void display() {
    fill(50, 50, 50);
    rect(x, y, 5, 5);
  }
}
4

2 回答 2

5

您可能会在此处隐藏 textlines 变量:

ArrayList textlines = new ArrayList();

由于您在setup()方法中重新声明它。不要那样做。在课堂上声明一次。

具体来说,检查评论:

ArrayList textlines;

void setup() {
  // ...

  // *** this does not initialize the textlines class field
  // *** but instead initializes only a variable local to this method.
  ArrayList textlines = new ArrayList();

}

要解决这个问题:

ArrayList textlines;

void setup() {
  // ...

  // *** now it does
  textlines = new ArrayList();

}
于 2013-06-16T18:56:22.333 回答
0

我可以看到上面的代码有 3 个错误:你试图声明相同的东西两次,其中没有声明变量/对象(通常在左右箭头之间声明),并且你的 ArrayList 没有编号,这些是你的问题。

您有两个空间可以声明您的 ArrayList:

空间1:

ArrayList textLines = new ArrayList();
void setup() {
  //Code goes in here.
}

空间 2:

ArrayList textLines;
void setup() {
  //other code goes here.
  textLines = new ArrayList();
}
于 2018-06-07T17:12:36.673 回答