React 子组件的defaultProps、propTypes
2019-08-14 本文已影响0人
Lia代码猪崽
一、defaultProps
如果父组件在调用子组件时,没有给子组件传值,子组件使用的就是defaultProps
里定义的默认值。
用法:
- 在定义组件
Children
之后,在export
之前 组件名.defaultProps = 对象
- 对象里
键
为对应的要指定初始值的属性名,值
就为要定义的默认值。
例子:
Parent
import React, {Component} from 'react'
import Children from './Children'
export default class Parent extends Component {
constructor(props) {
super(props)
this.state = {
name: '我是父组件',
msg: '父组件传值给子组件',
}
}
render() {
return (
<div>
<h2>{ this.state.name }</h2>
<h3>我要引入子组件了:</h3>
<hr/>
<Children />
</div>
)
}
}
Children
import React, {Component} from 'react'
class Children extends Component {
constructor(props) {
super(props)
this.state = {
name: '我是子组件',
msg: '子组件传值给父组件'
}
}
render() {
return (
<div>
<h2>{ this.state.name }</h2>
<h3>子组件的msg为:{ this.state.msg }</h3>
<h3>父组件传来的msg为:{ this.props.msg }</h3>
</div>
)
}
}
// defaultProps
Children.defaultProps = {
msg: '默认父组件传来的值'
}
export default Children
即使父组件不传也没关系,我有默认值
二、propTypes
用来验证父组件传值的合法性。
步骤:
- 父组件的state加一个
num: '123'
- 父组件调用子组件时把值传过去
<Children num={ this.state.num } />
- 子组件中引入PropTypes
import propTypes from 'prop-types'
- 在定义组件
Children
之后,export
之前加入:组件名.propTypes = { 属性名: propTypes.要求的类型 }
如Children.propTypes = { num: propTypes.number }
例子:
Parent
import React, {Component} from 'react'
import Children from './Children'
export default class Parent extends Component {
constructor(props) {
super(props)
this.state = {
name: '我是父组件',
msg: '父组件传值给子组件',
num: '123'
}
}
render() {
return (
<div>
<h2>{ this.state.name }</h2>
<h3>我要引入子组件了:</h3>
<hr/>
<Children num={ this.state.num } />
</div>
)
}
}
Children
import React, {Component} from 'react'
import propTypes from 'prop-types'
class Children extends Component {
constructor(props) {
super(props)
this.state = {
name: '我是子组件',
msg: '子组件传值给父组件'
}
}
render() {
return (
<div>
<h2>{this.state.name}</h2>
<h3>子组件的msg为:{this.state.msg}</h3>
<h3>父组件传来的msg为:{this.props.msg}</h3>
<h3>父组件传来的num为:{this.props.num}</h3>
</div>
)
}
}
// defaultProps
Children.defaultProps = {
msg: '默认父组件传来的值'
}
// PropTypes
Children.propTypes = {
num: propTypes.number
}
export default Children
报错啦!要数字!