React官方给定的教程,井字棋(tic-tac-toe),是使用 class 组件制作的,但是函数式组件才是未来,所以初学者的我用函数式组件重写一遍,简单记录一下。
import React, {useState} from 'react';
import ReactDOM from 'react-dom/client';
import './index.css';
function Square(props) {
return (
<button className="square" onClick={props.onClick}>
{props.value}
</button>
);
}
function Board(props) {
const renderSquare = (i) => (
<Square
value={props.squares[i]}
onClick={() => props.onClick(i)}
/>
);
return (
<div>
<div className="board-row">
{renderSquare(0)}
{renderSquare(1)}
{renderSquare(2)}
</div>
<div className="board-row">
{renderSquare(3)}
{renderSquare(4)}
{renderSquare(5)}
</div>
<div className="board-row">
{renderSquare(6)}
{renderSquare(7)}
{renderSquare(8)}
</div>
</div>
);
}
function Game(props) {
const [history, setHistory] = useState([{
squares: Array(9).fill(null),
}]);
const [stepNumber, setStepNumber] = useState(0);
const [xIsNext, setXIsNext] = useState(true);
const handleClick = (i) => {
const ihistory = history.slice(0, stepNumber + 1);
const current = ihistory[ihistory.length - 1];
const squares = current.squares.slice();
if (calculateWinner(squares) || squares[i]) {
return;
}
squares[i] = xIsNext ? 'X' : 'O';
setHistory(ihistory.concat([{ squares: squares }]));
setStepNumber(ihistory.length);
setXIsNext(!xIsNext);
}
const jumpTo = (step) => {
setStepNumber(step);
setXIsNext((step % 2) === 0);
}
const render = () => {
const ihistory = history;
const current = ihistory[stepNumber];
const winner = calculateWinner(current.squares);
const moves = ihistory.map((step, move) => {
const desc = move ?
'Go to move #' + move :
'Go to game start';
return (
<li key={move}>
<button onClick={() => jumpTo(move)}>{desc}</button>
</li>
);
});
let status;
if (winner) {
status = 'Winner: ' + winner;
} else {
status = 'Next player: ' + (xIsNext ? 'X' : 'O');
}
return (
<div className="game">
<div className="game-board">
<Board
squares={current.squares}
onClick={(i) => handleClick(i)}
/>
</div>
<div className="game-info">
<div>{status}</div>
<ol>{moves}</ol>
</div>
</div>
);
}
return render();
}
function calculateWinner(squares) {
const lines = [
[0, 1, 2],
[3, 4, 5],
[6, 7, 8],
[0, 3, 6],
[1, 4, 7],
[2, 5, 8],
[0, 4, 8],
[2, 4, 6],
];
for (let i = 0; i < lines.length; i++) {
const [a, b, c] = lines[i];
if (squares[a] && squares[a] === squares[b] && squares[a] === squares[c]) {
return squares[a];
}
}
return null;
}
// ========================================
const root = ReactDOM.createRoot(document.getElementById("root"));
root.render(<Game />);
标签:const,renderSquare,写井字,react,props,组件,return,squares,ihistory
From: https://www.cnblogs.com/amtop/p/16730916.html