2 回答
TA贡献1744条经验 获得超4个赞
将当前的 X 和 Y 坐标作为参数。从值中减去这些并取绝对值。这给出了你想要的行为。它实际上总是与您的第一个输出相同的距离表,但您给它一个偏移起始位置。
例如:
Current position (x1,y1) = 4,4.
Wanted position (x2,Y2) = 3,2
Distance = absolute(x2-x1) + absolute(y2-y1) = abs(3-4) + abs(2-4) = 1 + 2 = 3
我修改了您的代码以提供正确的偏移量表:
public static void path(int currentX, int currentY) {
int[][] ratings = new int[5][5];
int value = 0;
for (int i = 0; i<ratings.length; i++) {
value = Math.abs(i-currentX);
for (int j = 0; j<ratings[i].length; j++) {
ratings[i][j] = value + Math.abs(j-currentY);
System.out.print("-"+ratings[i][j]);
}
System.out.println();
}
}
TA贡献1880条经验 获得超4个赞
另一种可能更清楚的方法是创建一个自定义距离方法,如下所示:
static int dist(int x1, int y1, int x2, int y2) {
return Math.abs(x1 - x2) + Math.abs(y1 - y2);
}
然后使用它你的循环:
public static void path(int currX, int currY) {
int[][] ratings = new int[5][5];
for (int i = 0; i < ratings.length; i++) {
for (int j = 0; j < ratings[i].length; j++) {
ratings[j][i] = dist(j, i, currX, currY);
System.out.print("-"+ratings[j][i]);
}
System.out.println();
}
}
添加回答
举报