-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathindex.jsx
90 lines (76 loc) · 3 KB
/
index.jsx
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
import React, { useEffect, useState } from "react";
import "./styles.css";
import Square from "./Square";
function TicTacToe() {
const [squares, setSquares] = useState(Array(9).fill(""));
const [colors, setColors] = useState(Array(9).fill(""))
const [isXTurn, setIsXTurn] = useState(true);
const [status, setStatus] = useState("");
function getWinner(squares) {
const winningPatterns = [
[0, 1, 2],
[3, 4, 5],
[6, 7, 8],
[2, 5, 8],
[0, 4, 8],
[2, 4, 6],
[0, 3, 6],
[1, 4, 7],
];
for (let i = 0; i < winningPatterns.length; i++) {
const [x, y, z] = winningPatterns[i];
if (
squares[x] &&
squares[x] === squares[y] &&
squares[x] === squares[z]
) {
return squares[x];
}
}
return null;
}
function handleClick(getCurrentSquare) {
let cpySquares = [...squares];
let cpyColors = [...colors]
if (getWinner(cpySquares) || cpySquares[getCurrentSquare]) return;
cpySquares[getCurrentSquare] = isXTurn ? "X" : "O";
cpyColors[getCurrentSquare] = isXTurn ? "blue" : "yellow"
setIsXTurn(!isXTurn);
setSquares(cpySquares);
setColors(cpyColors);
}
function handleRestart() {
setIsXTurn(true);
setSquares(Array(9).fill(""));
setColors(Array(9).fill(""))
}
useEffect(() => {
if (!getWinner(squares) && squares.every((item) => item !== "")) {
setStatus(`This is a draw ! Please restart the game`);
} else if (getWinner(squares)) {
setStatus(`Winner is ${getWinner(squares)}. Please restart the game`);
} else {
setStatus(`Next player is ${isXTurn ? "X" : "O"}`);
}
}, [squares, isXTurn]);
return <div className="tic-tac-toe-container">
<div className="row">
<Square value={squares[0]} onClick={() => handleClick(0)} color={colors[0]} />
<Square value={squares[1]} onClick={() => handleClick(1)} color={colors[1]}/>
<Square value={squares[2]} onClick={() => handleClick(2)} color={colors[2]}/>
</div>
<div className="row">
<Square value={squares[3]} onClick={() => handleClick(3)} color={colors[3]} />
<Square value={squares[4]} onClick={() => handleClick(4)} color={colors[4]}/>
<Square value={squares[5]} onClick={() => handleClick(5)} color={colors[5]}/>
</div>
<div className="row">
<Square value={squares[6]} onClick={() => handleClick(6)} color={colors[6]} />
<Square value={squares[7]} onClick={() => handleClick(7)} color={colors[7]}/>
<Square value={squares[8]} onClick={() => handleClick(8)} color={colors[8]}/>
</div>
<h1>{status}</h1>
<button onClick={handleRestart}>Restart</button>
</div>;
}
export default TicTacToe;