这是算法(不工作)请告诉我错误的位置
由于
private void checkSouth(Location point, int player) {
//Loop through everything south
boolean isthereAnOppositePlayer=false;
int oppositePlayer=0;
//Set opposite player
if (player==1) {
oppositePlayer=2;
}else{
oppositePlayer=1;
}
for (int i = point.getVertical(); i < 8; i++) {
//Create a location point with the current location being compared
MyLocation locationBeingChecked= new MyLocation();
locationBeingChecked.setHorizontal(point.getHorizontal());
locationBeingChecked.setVertical(i);
int value = board[locationBeingChecked.getVertical()][locationBeingChecked.getHorizontal()];
//If the first checked is the opposite player
if (value==oppositePlayer) {
//Then potential to evaluate more
isthereAnOppositePlayer=true;
}
//If it isn't an opposite player, then break
if(!isthereAnOppositePlayer && value!=0){
break;
}
//If another of the player's piece found or 0, then end
if (isthereAnOppositePlayer && value==player || isthereAnOppositePlayer && value==0) {
break;
//end
}
//Add to number of players to flip
if(isthereAnOppositePlayer && value==oppositePlayer && value!=0){
//add to array
addToPiecesToTurn(locationBeingChecked);
}
}
}
答案 0 :(得分:1)
看起来旋转回另一个玩家的位置与第一次移动时旋转的位置完全相同。我猜想由addToPiecesToTurn
填充的数组可能不会在每次移动之间被清除,因此所有以前的位置仍在那里。
如果要将要转换的部分存储在ArrayList
中,则可以使用clear()
方法在每个回合之间擦除集合的内容。
另一个可能的问题是你正在检查相反的玩家,然后立即开始填充addToPiecesToTurn
。然而,在那个方向上的碎片不一定有效,除非它们是夹在中间的#34;在包含当前玩家的第二个位置。我认为您的代码没有正确检查该案例;当发生这种情况时,您会想要以某种方式跳过将这些片段翻转到其他播放器,例如清除piecesToTurn
数组。
编辑:查看当前解决方案,您将分别实施每个方向,您将拥有大量重复的代码。如果你考虑沿某个方向行走意味着什么,你可以把它想象为通过&#34;步骤&#34;来调整x / y值。量。步数可以是-1
用于向后,0
用于无移动,或1
用于向前。然后,您可以创建一个处理所有方向的方法,而不会重复逻辑:
private void checkDirection(Location point, int player, int yStep, int xStep) {
int x = point.getHorizontal() + xStep;
int y = point.getVertical() + yStep;
MyLocation locationBeingChecked = new MyLocation();
locationBeingChecked.setHorizontal(x);
locationBeingChecked.setVertical(y);
while (isValid(locationBeingChecked)) {
// do the logic here
x += xStep;
y += yStep;
locationBeingChecked = new MyLocation();
locationBeingChecked.setHorizontal(x);
locationBeingChecked.setVertical(y);
}
}
您需要实施isValid
来检查该位置是否有效,即在董事会中。然后你可以为每个方向调用这个方法:
// north
checkDirection(curPoint, curPlayer, -1, 0);
// north-east
checkDirection(curPoint, curPlayer, -1, 1);
// east
checkDirection(curPoint, curPlayer, 0, 1);
// etc
答案 1 :(得分:0)
这是一些单元测试成熟的问题。您可以非常轻松地设置电路板,进行移动并验证答案,测试结果可以让您充分了解您的期望和现实的分歧。
答案 2 :(得分:0)
为什么不使用二维数组?
每个单元格都包含一个枚举:EMPTY,PLAYER_1,PLAYER_2。
然后,为了遍历单元格,您只需为每个方向使用循环。
例如,点击一个单元格后,向右检查将是:
for(int x=pressedLocation.x+1;x<cells[pressedLocation.y].length;++x)
{
Cell cell=cells[pressedLocation.y][x];
if(cell==EMPTY||cell==currentPlayerCell)
break;
cells[pressedLocation.y][x]=currentPlayerCell;
}
从上到下检查:
for(int y=pressedLocation.y+1;y<cells.length;++y)
{
Cell cell=cells[y][pressedLocation.x];
if(cell==EMPTY||cell==currentPlayerCell)
break;
cells[y][pressedLocation.x]=currentPlayerCell;
}