如何将数组中的元素设置为方法参数?
How to set an element in an array as a method parameter?
我有一个数组,其中包含许多对象(称为 drops)和另一个单独的对象(称为 greenDrop)。我想一次比较 2 个对象,一个来自数组,另一个是单独的对象。设置一个数组和一个单独的对象作为方法参数,代码如下:
public boolean collision (GreenDrop gd1, Drop [] gd2){
for(int i=0;i<numDrops;i++)
{
int xDistBetwnDrops=gd1.xpos-gd2[i].xpos;
int yDistBetwnDrops=gd1.ypos-gd2[i].ypos;
int totalLengthOfDrops=(gd1.xpos+gd1.size)+(gd2[i].xpos+gd2[i].size);
if(xDistBetwnDrops<(totalLengthOfDrops/2)&&yDistBetwnDrops<(totalLengthOfDrops/2))
{
return true;
}
}
return false;
}
我想知道是否可以在方法参数中设置数组的一个元素而不是使用整个数组?这样我就不必在我的方法中包含 for 循环。然后调用main方法中的方法如下:
if(collision(greenDrop, drops[i])==true)
方法的第二个参数可以改成Drop
public boolean collision (GreenDrop gd1, Drop gd2){
...
//The code has to be changed to not loop (Just compare two objects)
}
但是如果你仍然想使用 collision
传递一个 Drop
的数组(来自其他地方),那么你可以使用 varargs
public boolean collision (GreenDrop gd1, Drop... gd2){
...
}
您可以传递零个、一个元素或多个(Drop)对象,例如
collision(greenDrop)
collision(greenDrop, drops[i])
collision(greenDrop, drops[i], drops[j])
不知道从哪里得到numDrops
。您可能需要将其更改为 gd2.length
您可以向 GreenDrop class 添加一个方法来检查它是否与 Drop 发生碰撞。或者,如果 GreenDrop 派生自 Drop,您可以将该方法放入 Drop class.
class GreenDrop {
...
public boolean collides(Drop drop) {
int xDistBetwnDrops=this.xpos-drop.xpos;
...
}
}
然后你可以像这样迭代你的水滴数组:
for(Drop drop : arrayOfDrops) {
if (greenDrop.collides(drop)) {
// collision detected
// use break to exit for loop here if you want
}
}
我有一个数组,其中包含许多对象(称为 drops)和另一个单独的对象(称为 greenDrop)。我想一次比较 2 个对象,一个来自数组,另一个是单独的对象。设置一个数组和一个单独的对象作为方法参数,代码如下:
public boolean collision (GreenDrop gd1, Drop [] gd2){
for(int i=0;i<numDrops;i++)
{
int xDistBetwnDrops=gd1.xpos-gd2[i].xpos;
int yDistBetwnDrops=gd1.ypos-gd2[i].ypos;
int totalLengthOfDrops=(gd1.xpos+gd1.size)+(gd2[i].xpos+gd2[i].size);
if(xDistBetwnDrops<(totalLengthOfDrops/2)&&yDistBetwnDrops<(totalLengthOfDrops/2))
{
return true;
}
}
return false;
}
我想知道是否可以在方法参数中设置数组的一个元素而不是使用整个数组?这样我就不必在我的方法中包含 for 循环。然后调用main方法中的方法如下:
if(collision(greenDrop, drops[i])==true)
方法的第二个参数可以改成Drop
public boolean collision (GreenDrop gd1, Drop gd2){
...
//The code has to be changed to not loop (Just compare two objects)
}
但是如果你仍然想使用 collision
传递一个 Drop
的数组(来自其他地方),那么你可以使用 varargs
public boolean collision (GreenDrop gd1, Drop... gd2){
...
}
您可以传递零个、一个元素或多个(Drop)对象,例如
collision(greenDrop)
collision(greenDrop, drops[i])
collision(greenDrop, drops[i], drops[j])
不知道从哪里得到numDrops
。您可能需要将其更改为 gd2.length
您可以向 GreenDrop class 添加一个方法来检查它是否与 Drop 发生碰撞。或者,如果 GreenDrop 派生自 Drop,您可以将该方法放入 Drop class.
class GreenDrop {
...
public boolean collides(Drop drop) {
int xDistBetwnDrops=this.xpos-drop.xpos;
...
}
}
然后你可以像这样迭代你的水滴数组:
for(Drop drop : arrayOfDrops) {
if (greenDrop.collides(drop)) {
// collision detected
// use break to exit for loop here if you want
}
}