我写了一个关于两颗行星之间引力的物理模拟,它工作得非常好,所以我决定将其提升到一个新的水平,并使用数组和五个行星(圆)重写了它,但是我的代码给出了奇怪且从来没有相同的错误。初始化草图时出现NullPointerException错误或VM错误(没有描述,只是“ Vm错误无法初始化skecth”和“查看帮助并进行故障排除” bullsh * t)该程序使用txt文件读取数据(经过仔细检查,效果很好)。
我的阵列名称和描述是


PVector-Pos代表位置
PVector-Vel代表速度
PVector-Acc代表加速
PVector-Dist代表距离
PVector-Dir代表方向
float-质量代表质量


我的代码:

 public PVector[] Pos = new PVector[5];
public PVector[] Acc = new PVector[5];
public PVector[] Vel = new PVector[5];
public PVector[] Dist = new PVector[5];
public PVector[] Dir = new PVector[5];
public float[] Mass = new float[5];
void setup(){
 String Data[] = loadStrings("Data.txt");
 size(800,800);
 for(int g = 0;g < 5;g++){
   Pos[g] = new PVector(float(Data[g+1]),float(Data[g+6]));
   Vel[g] = new PVector(float(Data[g+12]),float(Data[g+17]));
   Mass[g] = float(Data[g+23]);
 }
}
void draw(){
 for (int i = 0;i < 5;i++){
   for (int f = 0;f < 5;f++){
     if(i !=f){
       if(Pos[i].x < Pos[f].x){Dir[f].x = 1;Dist[f].x = (Pos[f].x - Pos[i].x);}else{ // I get the error here
       if(Pos[i].x > Pos[f].x){Dir[f].x = -1;Dist[f].x = (Pos[i].x - Pos[f].x);}else{
       if(Pos[i].x == Pos[f].x){Dir[f].x = 0;Dist[f].x = 0;}}}
       if(Pos[i].y < Pos[f].y){Dir[f].y = 1;Dist[f].y = (Pos[f].y - Pos[i].y);}else{
       if(Pos[i].y > Pos[f].y){Dir[f].y = -1;Dist[f].y = (Pos[i].y - Pos[f].y);}else{
       if(Pos[i].y == Pos[f].y){Dir[f].y = 0;Dist[f].y = 0;}}}
       if ((Dist[f].x != 0)){
         Acc[i].x+=((6*((Mass[i]*Mass[f])/Dist[f].magSq())/10000000)/Mass[i])*Dir[f].x;// *6/1000000 is MY G constant
       }
       if ((Dist[f].y != 0)){
         Acc[i].y+=((6*((Mass[i]*Mass[f])/Dist[f].magSq())/10000000)/Mass[i])*Dir[f].y;
       }
     }
   }
   Vel[i].x = Vel[i].x + Acc[i].x;
   Vel[i].y = Vel[i].y + Acc[i].y;
   Pos[i].x = Pos[i].x + Vel[i].x;
   Pos[i].y = Pos[i].y + Vel[i].y;
   ellipse(Pos[i].x,Pos[i].y,10,10);
 }
}

最佳答案

您可以在此处创建大小为5的PVector数组:public PVector[] Dir = new PVector[5];。此时,它的索引0-4的null为5次。

因为您没有在此数组中创建新的PVectors,所以当您尝试在此处Dir[f].x中访问变量x时,会出现错误,因为Dir[f]为null,并且您无法访问x-> NullPointerException的变量null

在这一部分中,您将实例化一些数组

for(int g = 0;g < 5;g++){
   Pos[g] = new PVector(float(Data[g+1]),float(Data[g+6]));
   Vel[g] = new PVector(float(Data[g+12]),float(Data[g+17]));
   Mass[g] = float(Data[g+23]);
 }


您还应该为DirAccDist添加实例化



还要注意,您正在使用对象,而不是原始数据类型。 nullnew PVector(0,0)不同



同样从“设计”的角度来看,以这种方式使用数组也不是一种好方法。您应该创建自己的类Planet,其中每个行星都保存有关其属性的信息,并在您的主类中处理它们之间的相互作用。



如何创建“空”或“零”变量而不是空值?只需创建它们即可:)

for(int g = 0;g < 5;g++){
   Pos[g] = new PVector(float(Data[g+1]),float(Data[g+6]));
   Vel[g] = new PVector(float(Data[g+12]),float(Data[g+17]));
   Mass[g] = float(Data[g+23]);
   Dir[g] = new PVector(0,0);
   Acc[g] = new PVector(0,0);
   Dist[g] = new PVector(0,0);
 }


PS:我不知道如何完全实现此类,使用new PVector()new PVector(0)代替new PVector(0,0)也可能有效。

10-06 07:19