내용으로 건너뛰기
GaramX
사용자 도구
로그인
사이트 도구
검색
도구
문서 보기
이전 판
역링크
최근 바뀜
미디어 관리자
사이트맵
로그인
>
최근 바뀜
미디어 관리자
사이트맵
현재 위치:
home
»
react
»
tictactoe
추적:
react:tictactoe
이 문서는 읽기 전용입니다. 원본을 볼 수는 있지만 바꿀 수는 없습니다. 문제가 있다고 생각하면 관리자에게 문의하세요.
===== Tic Tac Toe 만들기 ===== ===== 시작하기 ===== [[https://codepen.io/gaearon/pen/oWWQNa?editors=0010|시작 코드]]를 가지고 시작해봅시다. 이 코드는 우리가 구현할 틱택토 게임의 틀을 가지고 있습니다. 필요한 스타일들을 준비해두었기 때문에 JavaScript만 신경쓰면 됩니다. 세 가지 컴포넌트로 구성되어 있습니다. * Square * Board * Game Square컴포넌트는 하나의 <nowiki><button></nowiki>을 랜더링합니다. Board컴포넌트는 9개의 사각형을 랜더링합니다. Game컴포넌트는 나중에 우리가 채워 넣어야 할 공백이 있는 하나의 보드를 랜더링합니다. 지금 이 컴포넌트들은 아무런 동작을 하지 않습니다. ==== props를 통해 데이터 전달하기 ==== 본격적으로 시작하기 위해 Board컴포넌트에서 Square컴포넌트로 데이터를 전달해봅시다. Board의 renderSquare메서드에서 Square컴포넌트 prop에 value값을 전달하도록 코드를 변경해주세요. <code javascript> class Board extends React.Component{ renderSquare(i){ return <Square value{i}/>; } } </code> value값을 보여주기 위해 Square컴포넌트의 render메서드 안의 코드 {/* TODO */}를 {this.props.value}로 변경해주세요. <code javascript> class Square extends React.Component { render() { return ( <button className="square"> {this.props.value} </button> ); } } </code> 변경전 : {{:react:tic_tac_toc_before.png}} 변경후 : 랜더링된 결과에서는 각 사각형 안에 숫자가 위치합니다. {{:react:tic_tac_toc_after.png}} 지금까지의 코드는 [[https://codepen.io/gaearon/pen/aWWQOG?editors=0010|이곳]]에서 볼 수 있습니다. ==== 대화형 컴포넌트 ==== 클릭시 "X"로 채워지는 Square컴포넌트를 만들어봅시다. Square의 render()함수에서 반환된 버튼 태그를 다음과 같이 변경해 주세요. <code javascript> class Square extends React.Component { render() { return ( <button className="square" onClick={()=>alert('click')}> {this.props.value} </button> ); } } </code> 이제 사각형을 클릭하면 브라우저에서 알럿창이 뜨는 것 확인할 수 있습니다. 새로운 JavaScript문법인 화살표 함수를 사용하였습니다. onClick prop에 함수를 전달하였습니다. onClick={alert('click')}코드를 작성하고 버튼을 클릭하면 알럿창 대신 경고각 뜨게됩니다. React컴포넌트는 생성자에서 this.state를 설정하여 상태를 가질 수 있습니다. 상태는 각 컴포넌트마다 가지고 있습니다. 사각형의 현재 value값을 상태에 저장하고 클릭할 때 바뀌도록 만들어봅시다. 먼저 상태를 초기화하기 위행 클래스에 생성자를 추가해주세요. <code javascript> class Square extends React.Component { constructor(props) { super(props); this.state = { value: null, } } render() { return ( <button className="square" onClick={()=>alert('click')}> {this.props.value} </button> ); } } </code> JavaScript클래스에서 서브클래서의 생성자를 정의할 때 super();메서드를 명시적으로 호출해줘야 합니다. Square의 render메서드에서 현재 상태의 value값을 표시하고 클릭할 때 바뀌도록 수정해주세요. - <wrap><button></wrap>태그안의 this.props.value를 this.state.value로 변경해주세요. - ()=>alert()이벤트 핸들러를 ()=>this.setState({value:'X'})로 변경해주세요. <wrap><button></wrap>태그는 다음과 같습니다. <code javascript> class Square extends React.Component { constructor(props) { super(props); this.state = { value: null, } } render() { return ( <button className="square" onClick={()=>this.setState({value: 'X'})}> {this.state.value} </button> ); } } </code> this.setState가 호출될 때마다 컴포넌트가 업데이트되므로 업데이트된 상태가 전달되어 React가 이를 병합하여 하위 컴포넌트와 함께 다시 랜더링합니다. 컴포넌트가 랜더링될 때 this.state.value는 'X'가 되어 그리드 안에 X가 보이게 됩니다. 이제 사각형을 클릭하면 그 안에 X가 표시됩니다. 지금까지의 코드는 [[https://codepen.io/gaearon/pen/VbbVLg?editors=0010|이곳]]에서 볼 수 있습니다. ==== 개발자 도구 ==== 크롬과 파이어폭스의 React개발자 도구 확장 프로그램은 React컴포넌트 트리를 브라우저의 개발자 도구안에서 검사할 수 있게 해줍니다. {{:react:chrome_DevTools.png}} 트리 안의 컴포넌트들의 props와 상태를 검사할 수 있습니다. 설치 후 페이지에서 검사하길 원하는 컴포넌트를 오른쪽 클릭하고 "Inspect"를 클릭하여 개발자도구를 열면 오른쪽 마지막탭에 React탭이 보입니다. CodePen을 사용하여 이 확장 프로그램을 동작시키고 싶다면 추가적으로 필요한 작업들이 있습니다. - 로그인 혹은 회원가입을 하고 이메일을 인증받으세요. - "Fork"버튼을 클릭하세요. - "Change View"를 클릭하고 "Debug mode"를 선택하세요. - 새롭게 열린 탭에서 React탭이 있는 개발자 도구를 볼 수 있습니다. ==== 상태 들어올리기 ==== 이제 틱택토 게임을 위한 기본 블록들이 있습니다. 하지만 아직 각 Square컴포넌트 안에 상태들이 캡슐화되어 있습니다. 더 원활하게 동작하는 게임을 만들기 위한 플레이어가 게임에서 이겼는지를 확인하고 사각형 안에 X와 O를 번갈아 표시해야 합니다. 누가 게임에서 이겼는지 확인하기 위해 Square컴포넌트들을 쪼개지 않고 한 장소에서 9개의 사각형의 value값을 모두 가지고 있어야 합니다. Board가 각 Square의 현재 상태가 무엇인지만 확인해야 한다고 생각할 수도 있습니다. 이 방법은 기술적으로 React에서 가능하기는 하나 코드를 이해하기 어렵고 불안정하고 리팩토링하기 힘들게 만듭니다. 각 Square에 상태를 저장하는 대신에 Board컴포넌트에 이 상태를 저장하는 것이 가장 좋은 방법입니다. 이 Board컴포넌트는 이전에 각 사각형에 인덱스를 표시한 방법과 동일한 방법으로 무엇을 표시할지 각 Square에게 알릴 수 있습니다. 이와 같이 상탤르 상위 컴포넌트로 들어올리는 것은 React컴포넌트들을 리팩토링할 때 가장 많이 사용하는 방법입니다. 이 기회를 통해 연습해봅시다. Board에 생성자를 추가하고 9개의 사각형과 일치하는 9개의 null을 가진 배열을 포함한 상태로 초기화하세요. <code javascript> class Board extends React.Component { constructor(props) { super(props); this.state = { squares: Array(9).fill(null), } } renderSquare(i) { return <Square value={i}/>; } render() { const status = 'Next player: X'; return ( <div> <div className="status">{status}</div> <div className="board-row"> {this.renderSquare(0)} {this.renderSquare(1)} {this.renderSquare(2)} </div> <div className="board-row"> {this.renderSquare(3)} {this.renderSquare(4)} {this.renderSquare(5)} </div> <div className="board-row"> {this.renderSquare(6)} {this.renderSquare(7)} {this.renderSquare(8)} </div> </div> ); } } </code> 나중에 이것을 다음과 같이 생긴 보드로 채울 예정입니다. <code javascript> [ 'O',null,'X', 'X','X','O', 'O',null, null, ] </code> 현재 Board의 renderSquare메서드는 다음과 같습니다. <code javascript> renderSquare(i) { return <Square value={i} />; } </code> Square에 value prop를 전달하도록 수정하세요. <code javascript> renderSquare(i) { return <Square value={this.state.squares[I]} />; } </code> 지금까지의 코드는 [[https://codepen.io/gaearon/pen/gWWQPY?editors=0010|이곳]]에서 볼 수 있습니다. 이제 우리는 사각형이 클릭되면 발생할 변경 사항을 구현해야 합니다. Board컴포넌트는 어떤 사각형이 채워졌는지 저장하고 있습니다. 그렇기 때문에 Square가 Board가 가지고 있는 상태로 업데이트할 방법이 필요합니다. 사각형의 컴포넌트 상태가 각자 정의되고 있기 때문에 Board가 Square의 상태를 가지고 올 수 없습니다. 보통의 패턴은 사각형이 클릭될 때 호출되는 함수를 Board로부터 Square에 전달하는 것입니다. Board안의 renderSquare를 다시 변경해봅시다. <code javascript> renderSquare(i) { return ( <Square value={this.state.squares[i]} onClick={()=>this.handleClick(i)}/> ); } </code> 가독성을 위해 리턴 안의 요소들을 여러줄로 나누고, 괄호를 추가하여 JavaScript가 세미콜론 없이 코드를 마무리하도록 했습니다. Board에서 Square로 value와 onClick두 개의 props를 전달합니다. onClick Square의 render에 있는 this.state.value를 this.props.value로 변경하세요. * Square의 render에 있는 this.state.value를 this.props.value로 변경하세요. * Square의 render에 있는 this.setState()를 this.props.onClick()로 변경하세요. * 더이상 각 Square가 상태를 가지지 않도록 Square에 정의한 constructor를 삭제하세요. 모든 변경 사항을 구현한 Square컴포넌트는 다음과 같습니다. <code javascript> class Square extends React.Component { render() { return ( <button className="square" onClick={()=>this.props.onClick()}> {this.props.value} </button> ); } } </code> 이제 사각형이 클릭될 때 Board로부터 전달되는 onClick함수를 호출합니다. 어떤 일이 일어나는지 되짚어 봅시다. - 내장된 DOM<nowiki><button></nowiki>컴포넌트의 onClick prop는 React에게 클릭 이벤트 리스너를 설정하라고 알립니다. - 버튼이 클릭될 때 React는 Square의 render()메서드 안에 정의된 onClick이벤트 핸들러를 호출합니다. - 이 이벤트 핸들러는 this.props.onClick()을 호출합니다. Square의 props는 Board에서 명시한 것입니다. - Board는 onClick={()=>this.handleClick(i)}을 Square에 전달하고, 호출될 때 Board의 this.handleClick(i)가 동작합니다. - Board에 있는 handleClick()메서드는 아직 정의되지 않았으므로 코드는 오류가 발생합니다. 사각형을 클릭해봅시다. handleClick을 아직 정의하지 않았으로 에러가 발생합니다. Board클래스에 handleClick메서드를 추가해봅시다. <code javascript> class Board extends React.Component { constructor(props) { super(props); this.state = { squares: Array(9).fill(null), } } handleClick(i) { const squares=this.state.squares.slice(); squares[i] = 'X'; this.setState({squares:squares}); } renderSquare(i) { return ( <Square value={this.state.squares[i]} onClick={()=>this.handleClick(i)}/> ); } render() { const status = 'Next player: X'; return ( <div> <div className="status">{status}</div> <div className="board-row"> {this.renderSquare(0)} {this.renderSquare(1)} {this.renderSquare(2)} </div> <div className="board-row"> {this.renderSquare(3)} {this.renderSquare(4)} {this.renderSquare(5)} </div> <div className="board-row"> {this.renderSquare(6)} {this.renderSquare(7)} {this.renderSquare(8)} </div> </div> ); } } </code> 지금까지의 코드는 [[https://codepen.io/gaearon/pen/ybbQJX?editors=0010|이곳]]에서 볼 수 있습니다. 이미 있는 배열을 수정하는 대신 squares배열을 복사하기 위해 .slick()를 호출합니다. 왜 immutability이 중요한지 알고 싶다면 [[https://reactjs.org/tutorial/tutorial.html#why-immutability-is-important|이 섹션]]으로 이동해주세요. 이제 사각형을 클릭하여 다시 사각형을 채울 수 있어야 하지만 상태가 각 Square가 아닌 Board컴포넌트에 저장되어 있어 게임을 계속 구현해나가야 합니다. Board의 상태가 변경될 때마다 Square컴포넌트들은 자동으로 다시 랜더링됩니다. Square은 더 이상 각 상태를 유지하지 않습니다. 이들은 상위 Board컴포넌트로부터 데이터를 전달받고, 클릭될 때 알립니다. 우리는 이 제어된 컴포넌트 같은 컴포넌트들을 호출합니다. ==== 왜 immutability가 중요할까? ==== 전의 예제 코드에서 이미 존재하는 배열을 수정하지 않고 변경 사항을 반영하기 위해 squares배열을 <code javascript> .slice() </code> 연산자를 사용하여 복사하였습니다. 이는 무엇을 의미하며 왜 이 컨셉이 중요할까요. ==== mutation을 사용한 데이터 변경 ==== <code javascript> var player={score: 1, name: 'Jeff'}; player.score =. ; // Now player is {score: 2, name: 'Jeff'} </code> ==== mutation을 사용하지 않은 데이터 변경 ==== <code javascript> var player={score: 1, name: 'Jeff'}; // Now player is unchanged, but newPlayer is {score: 2, name: 'Jeff'} // Or if you are using object spread syntax proposal, you can write: // var newPlayer={...player, score: 2}; </code> mutation을 사용하지 않더라도(기본 데이터를 변경하여도)결과적으로는 다를게 없습니다. 하지만 컴포넌트와 전체 애플리케이션의 성능을 향상시키는 장점이 있습니다. ==== 쉽게 Undo/Redo와 시간 여행하기 ==== immutability는 이 복잡한 기능들을 훨씬 더 쉽게 구현할 수 있게 해줍니다. 예를 들어 이 튜토리얼에서 우리는 게임의 다른 단계들 사이에 시간 여행을 구현할 것입니다. 데이터 변경을 피하면 우리가 이전 버전의 데이터를 계속 참조할 수 있게 해주고 원할 때 변경할 수 있게 해줍니다. ==== 변경 사항 트래킹하기 ==== 변경되는 객체가 변경 사항이 있는지 아는 방법은 변경 사항이 객체로 만들어지기 때문에 복잡합니다. 그러면 이전 버전을 복사하기 위해 전체의 객체 트리를 현재 버전과 비교하고 각 변수와 값들을 비교해야 합니다. 이 과정은 복잡해집니다. imuutable객체가 변경 사항이 있는지 아는 방법은 쉬워집니다. 만약 참조되고 있는 객체가 이전과 다르다면 이 객체는 변경된 것입니다. 이게 끝입니다. ==== React에서 언제 다시 랜더링할지 결정하기 ==== React에서 immutability의 가장 큰 장점은 간단한 순수 컴포넌트들이 다시 랜더링될 때를 결정하기 쉽다는 점입니다. shouldComponentUpdate()에 대해 더 배우고 싶고 어떻게 순수 컴포넌트들을 성능 최적화 할 수 있는지 알고 싶다면 [[https://reactjs.org/docs/optimizing-performance.html#examples|이 글]]을 보세요. ==== 함수 컴포넌트 ==== 우리는 생성자를 지웠습니다. 사실 React는 render메서드만으로 구성된 Square와 같은 컴포넌트 타입을 위해 함수 컴포넌트라 불리는 간단한 문법을 지원합니다. React.Component를 확장한 클래스를 정의하는 것보다 간단하게 props를 가져오고 랜더링 해야할 것을 반환하는 함수를 작성하는 것이 좋습니다. 다음과 같은 함수를 이용해 Square클래스를 변경하세요. <code javascript> function Square(props) { return ( <button className="square" onClick={props.onClick}> {props.value} </button> ); } </code> 여기서는 this.props를 둘 다 props로 바꿔야 합니다. 애플리케이션에 있는 여러 컴포넌트들을 함수 컴포넌트로 구현할 수 있습니다. 함수 컴포넌트는 더 쉽게 작성할 수 있고 React가 더 효율적으로 최적화할 수 있습니다. 코드를 깔끔하게 만들면서 onClick={()=>props.onClick()}을 onClick={props.onClick}으로 바꿨습니다. 함수를 전달하는 것은 이 코드만으로 분합니다. onClick={props.onClick()}는 props.onClick을 호출하기 때문에 동작하지 않습니다. 지금까지의 코드는 [[https://codepen.io/gaearon/pen/QvvJOv?editors=0010|이곳]]에서 보실 수 있습니다. ==== 변화 가져오기 ==== 지금 우리의 게임의 단점은 오로지 X만 플레이할 수 있다는 점입니다. 고쳐봅시다. 기본적으로 첫 이동을 'X'가 되도록 설정해봅시다. Board생성자에서 초기 상태를 수정해주세요. <code javascript> class Board extends React.Component { constructor(props) { super(props); this.state = { squares: Array(9).fill(null), xlsNext: true, }; } </code> 이동할 때마다 xlsNext의 불린 값은 바뀌면서 상태에 저장되어야 합니다. Board의 handleClick함수를 xlsNext값이 바뀔 수 있도록 수정해봅시다. <code javascript> handleClick(i) { const squares=this.state.squares.slice(); squares[i] = this.state.xlsNext?'X':'O'; this.setState({ squares: squares, xlsNext: !this.state.xlsNext, }); } </code> 이제 X와 O가 순서대로 번갈아 나타납니다. 다음에 무엇이 표시될 때 보여주기 위해 Board의 render에서 "status"텍스트를 바꿔봅시다. <code javascript> render() { const status = 'Next player: ' + (this.state.xlsNext?'X':'O'); return( // the rest has not changed </code> 지금까지의 코드는 [[https://codepen.io/gaearon/pen/KmmrBy?editors=0010|이곳]]에서 볼 수 있습니다. ==== 승자 알려주기 ==== 언제 게임에서 이기는지 표시해봅시다. 파일 맨 하단에 헬퍼 함수를 추가해주세요. <code javascript> 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; } </code> Board의 render함수에서 누가 게임에서 이겼는지 확인할 수 있도록 호출할 수 있습니다. 또 누군가 이겼을때 "Winner:[X/O]" 상태 텍스트를 표시할 수 있습니다. Board의 render에서 status를 선언을 수정해주세요. <code javascript> render() { const winner = calculateWinner(this.state.squares); let status; if(winner){ status = 'Winner: ' + winner; } else { status = 'Next player: ' + (this.state.xlsNext?'X':'O'); } return ( // the rest has not changed </code> Board에서 handleClick을 일찍 반환하여 이미 누군가 이긴 게임에서 클릭하거나 이미 칠해진 사각형을 클릭하는 경우 무시하도록 변경할 수 있습니다. 축하합니다.! 틱택토 게임을 완성하였습니다! 이제 React의 기초를 알았습니다. 여기서 진짜 승자는 여러분입니다. 지금까지의 코드는 [[https://codepen.io/gaearon/pen/LyyXgK?editors=0010|이곳]]에서 볼 수 있습니다. ==== 히스토리 저장하기 ==== 보드의 이전 상태로 되돌려 이전 상태가 표시되도록 만들어봅시다. 이동이 있을때마다 새 squares배열을 만들었습니다. 덕분에 이전 상태의 보드를 쉽게 저장할 수 있습니다. 상태에 이와 같은 객체를 저장해봅시다. <code javascript> history = [ { square: [null,null,null, null,null,null, null,null,null] }, { square: [null,null,null, null,null,null, null,null,null] }, // ... ] </code> 우리는 이동 리스트를 표시하여 응답할 수 있는 더 수준 높은 Game컴포넌트를 만들고 싶습니다. 그래서 Square상태를 Board로 들어올린 것처럼 Board의 상태를 Game으로 들어올려 최상위 레벨에서 필요한 모든 정보를 저장해봅시다. 먼저 생성자를 추가해 Game의 초기상태를 설정해주세요. <code javascript> class Game extends React.Component { constructor(props) { super(props); this.state={ history:[{squares:Array(9).fill(null)}], xlsNext: true, } } render() { return ( <div className="game"> <div className="game-board"> <Board /> </div> <div className="game-info"> <div>{/* status */}</div> <ol>{/* TODO */}</ol> </div> </div> ); } } </code> 그 다음 Board를 수정하여 props를 거쳐 squares를 가져오고 이전에 Square에서 했던 것처럼 Game에서 지정한 onClick prop를 만들어줍시다. 각 사각형의 위치를 클릭 핸들러로 전달하여 어떤 사각형이 클릭되었는지 알 수 있습니다. 필요한 변경 사항은 다음과 같습니다. * Board의 constructor를 삭제하세요. * Board의 renderSquare에 있는 this.state.squares[i]를 this.props.squares[i]로 대체하세요. * Board의 renderSquare에 있는 this.handleClick(i)를 this.props.onClick(i)로 대체하세요. 변경사항을 반영한 Borad컴포넌트는 다음과 같습니다. <code javascript> class Board extends React.Component { handleClick(i) { const squares=this.state.squares.slice(); if( calculateWinner(squares) || squares[i]) { return; } squares[i] = this.state.xlsNext?'X':'O'; this.setState({ squares: squares, xlsNext: !this.state.xlsNext, }); } renderSquare(i) { return ( <Square value={this.state.squares[i]} onClick={()=>this.handleClick(i)}/> ); } render() { const winner = calculateWinner(this.state.squares); let status; if(winner){ status = 'Winner: ' + winner; } else { status = 'Next player: ' + (this.state.xlsNext?'X':'O'); } return ( <div> <div className="status">{status}</div> <div className="board-row"> {this.renderSquare(0)} {this.renderSquare(1)} {this.renderSquare(2)} </div> <div className="board-row"> {this.renderSquare(3)} {this.renderSquare(4)} {this.renderSquare(5)} </div> <div className="board-row"> {this.renderSquare(6)} {this.renderSquare(7)} {this.renderSquare(8)} </div> </div> ); } } </code> Game의 render는 히스토리 전체를 보고 게임상태를 계산하여 가져올 수 있어야 합니다. <code javascript> class Game extends React.Component { constructor(props) { super(props); this.state={ history:[{squares:Array(9).fill(null)}], xlsNext: true, } } render() { const history = this.history; const current = history[history.length - 1]; const winner = calculateWinner(current.squares); let status; if(winner){ status = 'Winner: ' + winner; } else { status = 'Next player: ' + (this.state.xlsNext?'X':'O'); } return ( <div className="game"> <div className="game-board"> <Board /> </div> <div className="game-info"> <div>{status}</div> <ol>{/* TODO */}</ol> </div> </div> ); } } </code> Game에 상태를 랜더링하고 있기 때문에 <div className='status'>{status}</div>를 지우고 Board의 render함수로부터 상태를 계산하는 코드를 지울 수 있습니다. <div javascript> render() { return ( <div> <div className="status">{status}</div> <div className="board-row"> {this.renderSquare(0)} {this.renderSquare(1)} {this.renderSquare(2)} </div> <div className="board-row"> {this.renderSquare(3)} {this.renderSquare(4)} {this.renderSquare(5)} </div> <div className="board-row"> {this.renderSquare(6)} {this.renderSquare(7)} {this.renderSquare(8)} </div> </div> ); } } </div> 그 다음 Board에서 Game으로 handleClick메서드를 옮겨야 합니다. Board클래스에서 잘라내기를 하고 Game클래스로 붙여넣을 수 있습니다. Game상태는 다르기 때문에 수정해야 할 것이 조금 있습니다. Game의 handleClick은 히스토리 항목을 연결하여 새로운 배열을 만들어 스택에 푸시해야 합니다. <code javascript> handleClick(i) { const history = this.state.history; const current = history[history.length - 1]; const squares = current.squares.slice(); if( calculateWinner(squares) || squares[i] ){ return; } squares[i] = this.state.xlsNext?'X':'O'; this.setState({ history:history.concat([{ squares:squares, }]), xlsNext: !this.state.xlsNext, }); } </code> 여기에서 Board는 readerSquare와 render만 필요합니다. 상태 초기화와 클릭 핸들러는 둘 다 Game에서 동작합니다. 지금까지의 코드는 [[https://codepen.io/gaearon/pen/EmmOqJ?editors=0010|이곳]]에서 보실 수 있습니다. ==== 이동 표시하기 ==== 지금까지 게임에서 진행된 이동을 표시해봅시다. 이전에 React컴포넌트가 클래스로 JS객체이고 그 덕에 데이터를 저장하고 전잘할 수 있다고 배웠습니다. React에서 여러 아이템들을 랜더링하기 위해 React요소의 배열을 전달했습니다. 배열을 빌드하는 가장흔한 방법은 데이터 배열에서 map을 이용하는 것입니다. Game의 render메서드에서 해봅시다. <code javascript> render() { const history = this.state.history; const current = history[history.length - 1]; const winner = calculateWinner(current.squares); const moves = history.map((step, move) => { const desc = move?"Go to move #" + move : "Go to game startg"; return ( <li> <button onclick={()=>this.jumpTo(move)}>{desc}</button> </li> ); }); let status; if (winner) { status = 'Winner: ' + winner; } else { status = 'Next player: ' + (this.state.xIsNext ? 'X' : 'O'); } return ( <div className="game"> <div className="game-board"> <Board squares={current.squares} onClick={(i) => this.handleClick(i)} /> </div> <div className="game-info"> <div>{status}</div> <ol>{/* TODO */}</ol> </div> </div> ); } </code> 지금까지의 코드는 [[https://codepen.io/gaearon/pen/EmmGEa?editors=0010|이곳]]에서 볼 수 있습니다. 히스토리의 각 단계에서 <wrap><button></wrap>이 있는 리스트 아이템 <wrap><li></wrap>을 만들었습니다. 이 리스트 아이템은 우리가 곧 구현할 클릭핸들러를 가지고 있습니다. 코드에서 다음과 같은 경고 메시지와 함께 게임에서 만들어지는 이동 목록을 볼 수 있습니다. > Warning: Each child in an array or integrator should have a unique "key" prop. Check the render method of "Game". > 경고: 배열이나 이터레이터에 있는 각 자식은 유니크 "key" prop을 가져야한다. "Game"의 render메서드를 확인해보세요. 이 경고의 의미가 무엇인지 얘기해봅시다. ==== Keys ==== 아이템 리스트를 랜더링할때 React는 항상 리스트에 있는 각 아이템에 대한 정보를 저장합니다. 만약 상태를 가진 컴포넌트를 랜더링한다면 컴포넌트가 어떻게 실행되는지와 관계없이 상태는 저장 되어야 하고 React는 네이티브 뷰의 뒤에 참고할 것을 저장한다. 리스트를 업데이트할 때 React는 무엇을 바꿀지 결정해야 합니다. 리스트에 아이템들을 추가하고, 지우고, 재배열하고, 수정할 수 있습니다. 이 코드가 아래의 코드로 변경된다고 상상해봅시다. <code javascript> <li>Alexa: 7 tasks left</li> <li>Ben: 5 tasks left</li> </code> <code javascript> <li>Ben: 9 tasks left</li> <li>Claudia: 8 tasks left</li> <li>Alexa: 5 tasks left</li> </code> 사람의 눈에는 Alexa와 Ben의 자리가 바뀌고 Claudia가 추가된 것처럼 보인다. 하지만 React는 단순한 컴퓨터프로그램이므로 여러분의 의도를 알지 못합니다. React는 리스트의 각 요소에서 key속성을 지정해달라고 요청합니다. 문자열은 형제로부터 각 컴포넌트들을 구분합니다. 이 경우에 alexa, ben, claudia는 구분할 수 있는 키가 됩니다. 만약 아이템들이 데이터베이스의 객체와 일치시켜야 한다면 데이터베이스 ID를 사용하세요. <code javascript> <li key={user.id}> {user.taskCount} tasks left</li> </code> key는 React에서 제공되는 특별한 속성입니다(ref에서 더 확장된 기능). 엘리먼트가 만들어질때 React는 key속성을 가져오고 반환된 엘리먼트에 직접적으로 key를 저장합니다. key가 props의 한 부분으로 보일지라도 이것은 this.props.key로 참조할 수 없습니다. React는 어떤 하휘 엘리먼트가 수정될지 결정하는 동안 알아서 key를 사용합니다. 컴포넌트가 자신의 키를 알 수 있는 방법은 없습니다. 리스트가 랜더링될 때 React는 새로운 버전의 각 엘리먼트를 가져오고 이전 리스트에서 매칭되는 키를 가진 것을 찾습니다. key가 세트에 추가될 때 컴포넌트는 만들어집니다. 키가 삭제될 때 컴포넌트는 소멸됩니다. 키들은 React가 각 요소를 구별할 수 있도록하여 다시 랜더링하는 것을 무시하고 상태를 유지할 수 있게 합니다. 만약 컴포넌트의 키를 바꾼다면 완전히 지운 후 새롭게 생성됩니다. **동적으로 리스트를 빌드할 때마다 적당한 키를 할당할 것을 강력 추천합니다.** 만약 적당한 키를 가지지 못한다면 이를 위해 데이터를 재구성하여야 할지도 모릅니다. 특정한 키를 구분하지 못한다면 React는 경고를 주고 배열 인덱스를 키로 사용합니다. 이는 올바른 선택이 아닙니다. 만약 리스트에 있는 엘리먼트들을 정렬하거나 리스트에 있는 버튼을 통해 지우거나 추가하면 명시적으로 key={i}를 전달하는 방법을 사용한다면 경고를 표시하지는 않지만 동일한 문제를 발생시키므로 대부분의 경우에는 추천하지 않습니다. 컴포넌트의 키가 전부 다를 필요는 없지만 관련있는 현제들 사이에서는 유니크해야 합니다. ==== 시간 여행 실행하기 ==== 이동 리스트르ㅡ 위해 우리는 각 단계에서 유니크ID를 가졌습니다. Game의 render메서드에서 키는 <li key={move}>로 추가하면 경고는 표시되지 않습니다. <code javascript> const moves = history.map((step, move) => { const desc = move?'Go to move #' + move : 'Go to game startg'; return ( <li key={move}> <button onclick={()=>this.jumpTo(move)}>{desc}</button> </li> ); }); </code> 지금까지의 코드는 [[https://codepen.io/gaearon/pen/PmmXRE?editors=0010|이곳]]에서 보실 수 있습니다. 아직 jumpTo가 정의되지 않았기 때문에 이동 버튼을 클릭하면 에러가 발생합니다. 지금 표시된 단계가 무엇인지 알기 위해 Game상태에 새로운 키를 추가해봅시다. 먼저 Game의 constructor에 stepNumber: 0를 추가해주세요. <code javascript> class Game extends React.Component { constructor(props) { super(props); this.state = { history: [{ squares: Array(9).fill(null) }], stepNumber: 0, xIsNext: true, }; } </code> 그 다음 각 상태를 업데이트하기 위해 Game의 jumpTo메서드를 정의해봅시다. 이 메서드에서는 xlsNext를 업데이트하고, 이동의 인덱스가 짝수라면 xlsNext를 true로 설정합니다. Game클래스에 jumpTo메서드를 추가해주세요. <code javascript> handleClick(i) { // this method has not changed } jumpTo(step) { this.setState({ stepNumber: step, xlsNext: (step % 2) === 0, }) } render() { // this method has not changed } </code> Game handleClick에 상태를 업데이트하기 위해 stepNumber:history.length를 추가하여 새로운 이동이 있을 때마다 stepNumber를 업데이트합니다. 현재 보드의 상태를 읽을 때 handleClick이 stepNumber라고 보고 클릭하는 시간대로 상태를 되돌릴 수 있습니다. <code javascript> handleClick(i) { const history = this.state.history; const current = history[history.length - 1]; const squares = current.squares.slice(); if (calculateWinner(squares) || squares[i]) { return; } squares[i] = this.state.xIsNext ? 'X' : 'O'; this.setState({ history: history.concat([{ squares: squares }]), stepNumber: history.length, xIsNext: !this.state.xIsNext, }); } </code> 이제 히스토리의 각 단계를 알기 위해 Game의 render를 수정할 수 있습니다. <code javascript> render() { const history = this.state.history; const current = history[this.state.stepNumber]; const winner = calculateWinner(current.squares); // the rest has not changed </code> 지금까지의 코드는 [[https://codepen.io/gaearon/pen/gWWZgR?editors=0010|이곳]]에서 보실 수 있습니다. 이제 이동 버튼을 클릭하면 보드는 즉시 그때 표시된 게임으로 변경됩니다. ==== 마무리 ==== 틱택토 게임을 플레이 해보세요. * 틱택토 게임을 플레이 해보세요. * 한 명의 플레이어가 게임에서 이길 때 이를 알려줍니다. * 게임이 진행되는 동안 이동 기록이 저장됩니다. * 게임 보드의 에전 버전을 표시하기 위해 시간을 되돌릴 수 있습니다. 잘 동작하네요! React가 어떻게 동작하는지 잘 아셨기를 바랍니다. 최종 결과물은 [[https://codepen.io/gaearon/pen/gWWZgR?editors=0010|여기]]에서 확인하세요. **시간이 더 있거나 새로운 스킬들을 연습해보고 싶다면 해볼 수 있는 몇 가지 아이디어가 있습니다. 점점 더 어려운 순으로 배치해두었습니다.** - 움직임 리스트에서 (col,row)형태에 각 움직임 위치를 표시하세요. - 움직임 리스트의 선택된 아이템을 볼드처리하세요. - 하드코딩한 것들 대신 사각형을 두 개의 루프를 사용하여 Board를 다시 작성하세요. - 오름차순 혹은 내림차순 뭐든지 움직임을 정렬하는 버튼을 추가해보세요. - 누군가 이겼을 때 무엇 때문에 이겼는지 세 개의 사각형을 하이라이트하세요. 튜토리얼이 진행되는 동안 우리는 엘리먼트, 컴포넌트, props, 상태를 포함한 React의 수많은 컨셉들을 다뤘습니다. 각 주제에 대한 깊은 설명을 원한다면 [[https://reactjs.org/docs/hello-world.html|남은문서]]를 확인하세요. 컴포넌트정의에 대해 더 많이 배우고 싶다면 [[https://reactjs.org/docs/react-component.html|이 문서]]를 확인하세요.
react/tictactoe.txt
· 마지막으로 수정됨: 2025/04/15 10:05 저자
127.0.0.1
문서 도구
문서 보기
이전 판
역링크
맨 위로