props
就是在调用组件的时候在组件中添加属性传到组件内部去使用
每个组件都会有 props 属性
组件标签的所有属性都保存在 props
组件内部不能改变外部传进来的 props 属性值
接下来如果想对传入的 props 属性进行一些必传、默认值、类型的校验,就需要用到一个 prop-types 库
下载:npm i prop-types --save引入:import PropTypes from ‘prop-types’
例子
class Person extends React.Component{
//对标签属性进行类型、必要性的限制
static propTypes = {
name:PropTypes.string.isRequired,//限制name必传,且为字符串
sex:PropTypes.string,//限制sex为字符串
age:PropTypes.number,//限制age为数字
speak:PropTypes.func,//限制speak为函数 }
//指定默认标签属性值
static defaultProps = { sex:'男', //sex默认值为男
age:18 //age默认值为18 }}
refs 属性
字符串形式的 ref(这种方式已过时,不推荐使用,因为效率低)
refs 是组件实例对象中的属性,它专门用来收集那些打了 ref 标签的 dom 元素
比方说,组件中的 input 添加了一个 ref=“input1”那么组件实例中的 refs 就 ={input1:input(真实 dom)}
这样就可以通过 this.refs.input1 拿到 input 标签 dom 了就不需要想原生 js 那样通过添加属性 id,然后通过 document.getElementById (“id”) 的方式拿回调函数class Demo extends React.Component{
showData = () => {
const {input1} = this
alert(input1.value)
}
render(){
return{
<input ref={c => this.input1 = c} type="text" />
<button onClick={this.showData}>
点我展示数据</button>
} }}
直接让 ref 属性 = 一个回调函数,为什么这里说是回调函数呢?
因为这个函数是我们定义的,但不是我们调用的
是 react 在执行 render 的时候,看到 ref 属性后跟的是函数,他帮我们调用了
然后把当前 dom 标签当成形参传入
所以就相当于把当前节点 dom 赋值给了 this.input1,那这个 this 指的是谁呢?
不难理解,这里是箭头函数,本身没有 this 指向,所以这个 this 得看外层的该函数外层是 render 函数体内,所以 this 就是组件实例对象所以 ref={c=>this.input1=c}
意思就是给组件实例对象添加一个 input1最后要取对应节点 dom 也直接从 this(组件实例中取)
createRef
createRef() 方法是 React 中的 API,它会返回一个容器,存放被 ref 标记的节点,但该容器是专人专用的,就是一个容器只能存放一个节点;
当 react 执行到 div 中第一行时,发现 input 节点写了一个 ref 属性,又发线在上面创建了 myRef 容器,所以它就会把当前的节点存到组件实例的 myRef 容器中
注意:如果你只创建了一个 ref 容器,但多个节点使用了同一个 ref 容器,则最后的会覆盖掉前面的节点,所以,你通过 this.ref 容器.current 拿到的那个节点是最后一个节点。class Demo extends React.Component{
//React.createRef调用后可以返回一个容器,该容器可以存储被ref所标示的节点,该容器是专人专用的
myRef = React.createRef() //展示输入框的数据
showData = () => {
alert(this.myRef.current.value)
} render(){
return{
<div> <input ref={this.myRef} type="text" />
<button onClick={this.showData}>点我展示数据</button>
</div>
} }}