IT/React

React 💬9

금마s 2021. 2. 2. 14:46

🎈 Forms 🎈

 

📌 입력 form >> value={this.state.data}

📌 해당 form은 입력값이 달라질때마다 state값을 update하게 해주는데, 이때 onChange 이벤트를 사용해서 값이 변화했는지를 지켜본다.

 

 

[ 기본 예제 ]

App.jsx

import React from 'react';

class App extends React.Component {
   constructor(props) {
      super(props);
      
      this.state = {
         data: 'Initial data...'
      }
      this.updateState = this.updateState.bind(this);
   };
   updateState(e) {
      this.setState({data: e.target.value});
   }
   render() {
      return (
         <div>
            <input type = "text" value = {this.state.data} 
               onChange = {this.updateState} />
            <h4>{this.state.data}</h4>
         </div>
      );
   }
}
export default App;

 

main.js

import React from 'react';
import ReactDOM from 'react-dom';
import App from './App.jsx';

ReactDOM.render(<App/>, document.getElementById('app'));

 

 

💻

 

 

 

[ 심화 예제 ]

🔧 이번에는 child 컴포넌트를 어떻게 이용하는지 확인해보자.

🔧 onChange 메서드는 state update를 야기하여 child에 입력된 값을 화면에 보여준다.

🔧 child 컴포넌트에서 state update가 필요할때 마다 updateState 처리기능을 prop(updateStateProp)으로 전달해야한다.

 

App.jsx

import React from 'react';

class App extends React.Component {
   constructor(props) {
      super(props);
      
      this.state = {
         data: 'Initial data...'
      }
      this.updateState = this.updateState.bind(this);
   };
   updateState(e) {
      this.setState({data: e.target.value});
   }
   render() {
      return (
         <div>
            <Content myDataProp = {this.state.data} 
               updateStateProp = {this.updateState}></Content>
         </div>
      );
   }
}
class Content extends React.Component {
   render() {
      return (
         <div>
            <input type = "text" value = {this.props.myDataProp} 
               onChange = {this.props.updateStateProp} />
            <h3>{this.props.myDataProp}</h3>
         </div>
      );
   }
}
export default App;

 

main.js

import React from 'react';
import ReactDOM from 'react-dom';
import App from './App.jsx';

ReactDOM.render(<App/>, document.getElementById('app'));

 

 

💻

 

 

 

 

 

 

 

728x90

'IT > React' 카테고리의 다른 글

React 💬11  (0) 2021.02.02
React 💬10  (0) 2021.02.02
React 💬8  (0) 2021.02.02
React 💬7  (0) 2021.02.02
React 💬6  (0) 2021.02.02