0

我正在学习 Javascript,并作为一个项目任务在其中制作国际象棋游戏。我已经编写了 Rook、Pawn、Knight 和 Bishop 移动的逻辑。现在我被困在女王运动上。皇后的走法基本上涉及主教和车的走法逻辑。

我想要做的是当女王移动时检查源瓦片的文件是否与目标瓦片相同。如果相同,则调用 Rook 的代码移动逻辑,否则调用 Bishop 的代码移动逻辑。例如,如果皇后被放置在 d4(源图块)并且被移动到 d8 或 g4(目标图块)。那么在这种情况下,应该调用 Rook 的 move 函数。

所有的片段对象中都有一个 move() 。所以在这种情况下,我想从 Queen's move() 中调用 Rook 的 move()。我被困在这里。请建议。相关代码贴在下面。我同样制作了 Rook 和其他物品。现在从 Queen() 的 move() 中,我想调用 Rook/Bishop 的 move()。

        chess.QueenFactory =
            {
                instance: function(color, type)
                {
                    var Queen =
                            {
                                move: function(color, type)
                                {
                                    alert("In Queen");
                                }
                            };
                    createPiece.call(Queen, color, type);
                    return Queen;
                }
            };

我的Bishop的移动功能是这样放置的

chess.BishopFactory = 
{
    instance: function(color, type) 
    {
        var Bishop =
        {
            move: function(source, destn) 
            { //Code here
            }
        }
    }
}

我想从 Queen's move() 中调用这个函数。我怎么做?

请在下面的 html 链接中找到完整的代码。

https://github.com/varunpaprunia/ChessInJavascript/blob/master/ChessBoard_Tags_1.html

4

2 回答 2

1

执行以下测试以确定使用哪种方法

// source tile
var a = 'abcdefgh'.indexOf(source_tile[0]), // 0 to 7
    b = parseInt(source_tile[1]) - 1;       // 0 to 7
// destination tile
var x = 'abcdefgh'.indexOf(dest_tile[0]),   // 0 to 7
    y = parseInt(dest_tile[1]) - 1;         // 0 to 7
// test to see how it's moving
if (a + b === x + y || a - x === b - y) {   // bLeft to tRight || tLeft to bRight
    // queen is moving like a bishop
} else if ( a === x || b === y) {           // top to bottom || left to right
    // queen is moving like a rook
} else {                                    // impossible move
    // invalid move
}

您可以从评论中看到在哪里调用哪个后续。如果a === x && b === ythen source_tile === dest_tile,这不算作移动。这些不会检查路径是否被阻塞,你需要更多的逻辑。

于 2013-06-30T13:15:58.053 回答
0

我认为这会做:

function bishopFn(source, destn){ /* bishop move */}
function rookFn(source, destn){ /* rook move */ }

然后将它们分配给主教和车移动对象,在皇后的移动对象中,您只需根据您的条件调用任何对象

move: function(source, destn){
    /* condition construction can be done here */
    if (/*condition*/) bishopFn(source, destn);
    else rookFn(source, destn);
}
于 2013-06-30T13:03:36.717 回答