ReactJS props簡介
props和state的主要區別是props是不變的。 這就是爲什麼容器組件應該定義可以更新和更改的狀態,而子組件只應該使用props來傳遞狀態數據。
使用props
當我們在組件中需要不可變的數據時,可以在main.js中添加props到reactDOM.render()函數中,並在組件中使用它。
文件:App.jsx -
import React from 'react';
class App extends React.Component {
   render() {
      return (
         <div>
            <h1>{this.props.headerProp}</h1>
            <h2>{this.props.contentProp}</h2>
         </div>
      );
   }
}
export default App;文件:main.js -
import React from 'react';
import ReactDOM from 'react-dom';
import App from './App.jsx';
ReactDOM.render(<App headerProp = "Header from props..." contentProp = "Content
   from props..."/>, document.getElementById('app'));
export default App;這將產生以下結果 -
    
默認props
我們也可以直接在組件構造函數中設置默認屬性值,而不是將其添加到reactDom.render()元素。
文件:App.jsx -
import React from 'react';
class App extends React.Component {
   render() {
      return (
         <div>
            <h1>{this.props.headerProp}</h1>
            <h2>{this.props.contentProp}</h2>
         </div>
      );
   }
}
App.defaultProps = {
   headerProp: "Header from props...",
   contentProp:"Content from props..."
}
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'));輸出和以前一樣 -
    
State 和 Props
以下示例顯示如何在應用程序中組合State 和 Props。 在父組件中設置狀態並使用Props將其傳遞給組件樹。 在render函數內部,設置了在子組件中使用的headerProp和contentProp。
文件:App.jsx -
import React from 'react';
class App extends React.Component {
   constructor(props) {
      super(props);
      this.state = {
         header: "Header from props...",
         content: "Content from props..."
      }
   }
   render() {
      return (
         <div>
            <Header headerProp = {this.state.header}/>
            <Content contentProp = {this.state.content}/>
         </div>
      );
   }
}
class Header extends React.Component {
   render() {
      return (
         <div>
            <h1>{this.props.headerProp}</h1>
         </div>
      );
   }
}
class Content extends React.Component {
   render() {
      return (
         <div>
            <h2>{this.props.contentProp}</h2>
         </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'));結果會和前面兩個例子一樣,唯一不同的是我們數據的來源,現在來自state。 當想更新它時,只需要更新狀態,所有的子組件都會被更新。 更多關於這個在事件章節。
   