我将数组更改为arrayList,并进行了多次尝试,均出现错误“ NullPointerException”,代码如下所示简化,在mousePressed时创建一个矩形。但是仍然存在相同的错误。问题是什么?

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);
  }
}

最佳答案

您可能会在此处隐藏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();

}

07-28 13:33