计算2d阵列中的曼哈顿距离

时间:2017-09-30 21:13:15

标签: java distance a-star

我正在编写一个解决nxn 8拼图问题的程序。我对我的曼哈顿计算功能有困难,因为我正在用我的程序测试我的程序。这将最终扩展为使用A *寻路算法,但我还没有。

这是我的功能(基于董事会的初始状态,并没有考虑到目前为止采取的行动量):

// sum of Manhattan distances between blocks and goal
public int Manhattan()  // i don't think this is right yet - check with vince/thomas
{
    int distance = 0;

    // generate goal board
    int[][] goal = GoalBoard(N);

    // iterate through the blocks and check to see how far they are from where they should be in the goal array
    for(int row=0; row<N; row++){
        for(int column=0; column<N; column++){
            if(blocks[row][column] == 0)
                continue;
            else
                distance += Math.abs(blocks[row][column]) + Math.abs(goal[row][column]);
        }
    }

    distance = (int) Math.sqrt(distance);

    return distance; // temp
}

这就是我工作的例子:

 8  1  3        1  2  3     1  2  3  4  5  6  7  8    1  2  3  4  5  6  7  8
 4     2        4  5  6     ----------------------    ----------------------
 7  6  5        7  8        1  1  0  0  1  1  0  1    1  2  0  0  2  2  0  3

 initial          goal         Hamming = 5 + 0          Manhattan = 10 + 0

我的汉明计算是正确的并返回5,但我的曼哈顿返回8而不是10.我做错了什么?

这是我程序的输出:

Size: 3
Initial Puzzle: 
 8  1   3   
 4  0   2   
 7  6   5   

Is goal board: false

Goal Array: 
 1  2   3   
 4  5   6   
 7  8   0   
Hamming: 5
Manhatten distance: 8
Inversions: 12
Solvable: true

1 个答案:

答案 0 :(得分:2)

错误在于更新距离。

在编写distance += Math.abs(blocks[row][column]) + Math.abs(goal[row][column]);时,您将添加初始和目标单元格的所有内容。初始和目标中只排除了一个与初始值0坐标相同的单元格。

在你的例子中,这给出了从0到8减去5的总和的2倍2 * 36 -8 = 64。然后你拿8号广场。

曼哈顿 - 由Wiktionary描述的是按行距离加列中的距离计算的。

你的算法必须锁定(注意,伪代码提前!)

for (cell : cells) {
    goalCell = findGoalcell(cell.row, cell.col);
    distance += abs(cell.row - goalCell.row);
    distance += abs(cell.col - goalCell.col);
} 

不要采取平方根。