我练习jquery并且正在尝试构建一个非常基本的Tic Tac Toe游戏。
我希望将我的html表设置为数组形式的网格索引,并根据玩家的点击更改其值。目前我的颜色变化取决于转弯工作,但我继续得到这个未捕获的TypeError引用我的条件语句中显示board[row][col] = x
的行。
我的代码:
$(document).ready(function(event) {
var count = 0;
var board = [
[0, 0, 0],
[0, 0, 0],
[0, 0, 0]
];
var row = $(this).parent().index();
var col = $(this).index();
$('td').click(function() {
// if count is even, player 1 is yellow
// if count is odd, player 2 is blue
if (count % 2 === 0) {
$(this).addClass('yellow');
count++;
board[row][col] = 1;
} else {
$(this).addClass('blue');
count++;
board[row][col] = 2;
}
});
});
相关的html:
<div id="main_container">
<h1 id="main_heading" class="heading" >Tic! Tac! Toe!</h1>
<h2 id="winning"></h2>
<table>
<tbody>
<tr class="box_row" >
<td id="box_0_0" class="box_cell" data-row="0" data-col="0" data-clicked="0"></td>
<td id="box_0_1" class="box_cell" data-row="0" data-col="1" data-clicked="0"></td>
<td id="box_0_2" class="box_cell" data-row="0" data-col="2" data-clicked="0"></td>
</tr>
<tr class="box_row">
<td id="box_1_0" class="box_cell" data-row="1" data-col="0" data-clicked="0"></td>
<td id="box_1_1" class="box_cell" data-row="1" data-col="1" data-clicked="0"></td>
<td id="box_1_2" class="box_cell" data-row="1" data-col="2" data-clicked="0"></td>
</tr>
<tr class="box_row">
<td id="box_2_0" class="box_cell" data-row="2" data-col="0" data-clicked="0"></td>
<td id="box_2_1" class="box_cell" data-row="2" data-col="1" data-clicked="0"></td>
<td id="box_2_2" class="box_cell" data-row="2" data-col="2" data-clicked="0"></td>
</tr>
</tbody>
</table>
</div>
相关的css:
.yellow {
background-color: #ffc300;
}
.blue {
background-color: #73d2c9;
}
答案 0 :(得分:2)
问题在于您正在读取索引值,需要在单击处理程序中读取它
$(document).ready(function (event) {
var count = 0;
var board = [
[0, 0, 0],
[0, 0, 0],
[0, 0, 0]
];
//here this is the document object
$('td').click(function () {
//reading index values should be inside the click handler, here `this` refers to the clicked `td` element
var row = $(this).parent().index();
var col = $(this).index();
// if count is even, player 1 is yellow
// if count is odd, player 2 is blue
if (count % 2 === 0) {
$(this).addClass('yellow');
count++;
board[row][col] = 1;
} else {
$(this).addClass('blue');
count++;
board[row][col] = 2;
}
});
});