🐣

Reactをはじめてみた 4日目。

2023/06/26に公開

Reactをはじめてみた。

誰にも参考にならないかもしれない。
4日目 >>3時間ぐらいの学習時間

今日の学習資料

https://ja.react.dev/learn/tutorial-tic-tac-toe

とりあえず学んだことの復習になりそうなので、動くところまで
ソース読み書きしてゆく。

プロジェクトの作成

$ npm create vite@latest
$ cd tutorial-tic-tac-toe
$ npm install
$ npm run dev

見本のファイル

	tutorial-tic-tac-toe
		public/index.html
		App.js << コンポーネントが入ってる
		index.js << 出力を担う
		style.css << html の成型

完成したソース

import { useState } from 'react';

// いわゆるコンポーネント
// value の値と渡された関数をonclickで実行する

function Square({ value, onSquareClick }) {
  return (
    <button className="square" onClick={onSquareClick}>
      {value}
    </button>
  );
}

function Board({ xIsNext, squares, onPlay }) {

  function handleClick(i) {
     // 勝敗が決まっていたら抜ける
    if (calculateWinner(squares) || squares[i]) {
      return;
    }
    
    //
    const nextSquares = squares.slice();
    if (xIsNext) {
      nextSquares[i] = 'X';
    } else {
      nextSquares[i] = 'O';
    }
    onPlay(nextSquares); << 1.ちょっとわかりずらい。

  }

  // 結果出力のための条件分岐
  const winner = calculateWinner(squares);
  let status;
  if (winner) {
    status = 'Winner: ' + winner;
  } else {
    status = 'Next player: ' + (xIsNext ? 'X' : 'O');
  }

  return (
    <>
      <div className="status">{status}</div>
      <div className="board-row">
        <Square value={squares[0]} onSquareClick={() => handleClick(0)} />
        <Square value={squares[1]} onSquareClick={() => handleClick(1)} />
        <Square value={squares[2]} onSquareClick={() => handleClick(2)} />
      </div>
      <div className="board-row">
        <Square value={squares[3]} onSquareClick={() => handleClick(3)} />
        <Square value={squares[4]} onSquareClick={() => handleClick(4)} />
        <Square value={squares[5]} onSquareClick={() => handleClick(5)} />
      </div>
      <div className="board-row">
        <Square value={squares[6]} onSquareClick={() => handleClick(6)} />
        <Square value={squares[7]} onSquareClick={() => handleClick(7)} />
        <Square value={squares[8]} onSquareClick={() => handleClick(8)} />
      </div>
    </>
  );
}


// App.js で実行されるコンポーネント
export default function Game() {

  // 変数history 値の変更はsetHistoryを使う
  // 初期値はこうなる> Array [null, null, null, null, null, null, null, null, null]
  const [history, setHistory] = useState([Array(9).fill(null)]);
  
  const [currentMove, setCurrentMove] = useState(0);
  //currentMove を変更する数値が偶数の場合は、xIsNext を true に設定。
  const xIsNext = currentMove % 2 === 0;
  
  const currentSquares = history[currentMove];

  function handlePlay(nextSquares) {
    const nextHistory = [...history.slice(0, currentMove + 1), nextSquares];
    setHistory(nextHistory);
    setCurrentMove(nextHistory.length - 1);
  }

  function jumpTo(nextMove) {
    setCurrentMove(nextMove);
  }

 // 履歴の表示と履歴へのジャンプのためのボタン
  const moves = history.map((squares, move) => {
    let description;
    if (move > 0) {
      description = 'Go to move #' + move;
    } else {
      description = 'Go to game start';
    }
    return (
      <li key={move}>
        <button onClick={() => jumpTo(move)}>{description}</button>
      </li>
    );
  });

  return (
    <div className="game">
      <div className="game-board">
        <Board xIsNext={xIsNext} squares={currentSquares} onPlay={handlePlay} />
      </div>
      <div className="game-info">
        <ol>{moves}</ol>
      </div>
    </div>
  );
}

// 勝敗の判定
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];
    // squaresを走査し、勝ちパターンかチェック
    // lines[i][0]の値を返す x or O 
    if (squares[a] && squares[a] === squares[b] && squares[a] === squares[c]) {
      return squares[a];
    }
  }
  return null;
}

チュートリアル:三目並べは以上

気づき

  • ちゃんと動くとうれしい。
  • コンポーネントをレンダーする時にとまどった。
    onPlay(nextSquares); << 初見… onPlay関数どこーってなった
    ┗ Boardコンポーネントに渡されるonPlay={handlePlay}
      コンポーネントGame内の関数 handlePlay のことだった。
      html ではなくコンポーネント呼び出しなのでイベントではない感じ…orz

Discussion