我有一个小问题,我的arraylist中的元素没有删除。这是一个ArrayList。这是我的代码:
package net.lucrecious.armorconstruct.helpers;
import java.util.ArrayList;
import net.minecraft.block.Block;
import net.minecraft.entity.player.EntityPlayer;
import net.minecraft.util.MathHelper;
import net.minecraft.world.World;
public class WorldHelper {
public static void replace_coord_with_block(World world, ArrayList<int[]> coords, Block result_block){
for (int[] c : coords){
world.setBlock(c[0], c[1], c[2], result_block);
}
}
public static ArrayList<int[]> get_blocks_in_sphere(EntityPlayer player, World world, int radius, Class<?>...block_types){
ArrayList<int[]> coord_list = new ArrayList<int[]>();
int r = radius;
int i = MathHelper.floor_double(player.posX);
int j = MathHelper.floor_double(player.posY);
int k = MathHelper.floor_double(player.posZ);
for(int x = -r; x < r; x++){
for(int y = -r; y < r; y++){
for(int z = -r; z < r; z++){
double dist = MathHelper.sqrt_double((x*x + y*y + z*z)); //Calculates the distance
if(dist > r)
continue;
Block block = world.getBlock(i+x, j+y, k+z);
for (Class<?> cls : block_types){
if (cls.isInstance(block)){
coord_list.add(new int[]{i+x, j+y, k+z});
}
}
}
}
}
return coord_list;
}
public static ArrayList<int[]> get_blocks_in_sphere_holo(EntityPlayer player, World world, int radius, Class<?>...block_types){
ArrayList<int[]> sphere = get_blocks_in_sphere(player, world, radius, block_types);
ArrayList<int[]> inner_sphere = get_blocks_in_sphere(player, world, radius-1, block_types);
sphere.removeAll(inner_sphere);
return sphere;
}
public static ArrayList<int[]> get_blocks_in_sphere_filled(EntityPlayer player, World world, int radius, Class<?>...block_types){
return get_blocks_in_sphere(player, world, radius, block_types);
}
}
这个想法是获取填充球体的坐标,然后抓取稍微更小的填充球体的坐标并移除相似的坐标,从而有效地形成未填充的球体。
我知道那里有一些Minecraft代码 - 但它仍然应该是可以理解的。我也确定会有类似的坐标。我甚至尝试过没有减少半径,但这仍然无法奏效。因此,即使所有坐标都相同,这也不起作用。
有关导致此问题或如何使其发挥作用的任何想法?
答案 0 :(得分:5)
当您调用removeAll()
时,java将从列表中删除与您作为参数传递的列表中的任何条目相等的条目。麻烦的是,两个数组永远不会相等,除非它们是完全相同的数组实例,在你的代码中它们不是。
您可以使用包装类来包含int数组,它会覆盖equals()
方法并使用Arrays.equals(array1, array2)
来比较两个数组是否相等。