我正在制作模拟游戏,其中有doodlebugs和蚂蚁,当模拟在doodlebugs尝试吃蚂蚁。我遇到的问题是初始化我创建的2d数组。我需要100只蚂蚁和5只doodlebugs随机放置在网格上。我已将网格随机化,但整体而言,我得到了随机数量的蚂蚁和doodlebugs。我也正在使用一个较小的数组,只需使用它即可。任何帮助将非常感激。
Random rand = new Random();
int[][] cells = new int[10][10];
public void display() {
for(int i=0; i<10; i++) {
for(int j=0; j<10; j++) {
cells[i][j] = (int) (Math.random()*3);
if(cells[i][j] == 2) { // 2 = ants;
cells[i][j] = 4;
}
if(cells[i][j] == 1) { // 1 = doodlebugs
cells[i][j] = 3;
}
if(cells[i][j] == 0) {
cells[i][j] = 0;
}
System.out.print(cells[i][j]);
}
System.out.println();
}
}
答案 0 :(得分:0)
执行此操作的一种简单方法是创建一个for循环,循环次数与所需的最大数量相同(在本例中为蚂蚁和doodlebug)。在for循环的每次迭代中,您都可以为事物生成随机坐标。这相当于两个for循环,一个用于蚂蚁,一个用于doodlebug。
for (int i = 0; i < desiredNumOfAnts; i++)
{
int randX = rand.nextInt(cells[i].length); // this generates a random X coordinate, up to the length of the current row
int randY = rand.nextInt(cells.length); // this generates a random Y coordinate, according to the height of the array
/* using these coordinates, insert a new ant into the cells */
}
看看你是否可以自己弄清楚如何做其余的事情!
答案 1 :(得分:0)
您创建了一个10x10数组,这意味着它有100个位置,这意味着所有位置都应该被蚂蚁占用? (因为你告诉你需要100只蚂蚁 - 除非同一个位置可以有超过1只昆虫)。
无论如何,我认为你正在做一个“反向”逻辑。想想什么应该是随机的,什么不应该。您正在循环整个阵列并调用random()
以了解每个位置必须放置的昆虫,因此您无法控制每种昆虫的创建数量。
如果您需要确切数量的蚂蚁和doodlebug,那些已修复 - 您不会致电random()
知道它是蚂蚁还是dooblebug,您已经知道有多少他们需要你。什么必须是随机的是他们的位置,所以你应该调用random()
来获取行和列位置,而不是昆虫类型。
首先,我创建了一些代表昆虫和细胞的类:
// enum type, better than "magic numbers"
public enum Insect {
ANT,
DOODLEBUG;
}
public class Cell {
// the insect placed in this cell
private Insect insect;
public Cell() {
// cell starts without any insect
this.insect = null;
}
public Insect getInsect() {
return insect;
}
public void setInsect(Insect insect) {
this.insect = insect;
}
// check if cell already has an insect
public boolean isOccupied() {
return this.insect != null;
}
}
然后我初始化董事会:
int size = 10; // assuming a square
Cell[][] cells = new Cell[size][size];
// fill with empty cells
for (int i = 0; i < cells.length; i++) {
for (int j = 0; j < cells[i].length; j++) {
cells[i][j] = new Cell();
}
}
然后我把它填满了昆虫:
// how many ants? Just an example, change the value according to your needs
int nAnts = 8;
// how many doodlebugs? Just an example, change the value according to your needs
int nBugs = 2;
Random rand = new Random();
// place the ants
for (int i = 0; i < nAnts; i++) {
int row, column;
// get a random position that's not occupied
do {
row = rand.nextInt(size);
column = rand.nextInt(size);
} while (cells[row][column].isOccupied());
// fill with ant
cells[row][column].setInsect(Insect.ANT);
}
// place the doodlebugs
for (int i = 0; i < nBugs; i++) {
int row, column;
// get a random position that's not occupied
do {
row = rand.nextInt(size);
column = rand.nextInt(size);
} while (cells[row][column].isOccupied());
// fill with doodlebug
cells[row][column].setInsect(Insect.DOODLEBUG);
}
放置昆虫的for
循环有点重复,所以你也可以将它们重构为方法。
我还假设cells
是一个正方形,但如果不是,只需为行数和列数创建2个变量并相应地更改代码 - 但逻辑是相同的。