我正在从docs学习react-redux,看不到下面的含义。引用部分指的是什么?和节点?据我所知,这个引用文献没有被使用过。引用在呈现后是否引用DOM上子组件的节点(输入)?如果是这样,为什么不直接引用输入呢?
import React from 'react'
import { connect } from 'react-redux'
import { addTodo } from '../actions'
let AddTodo = ({ dispatch }) => {
let input
return (
<div>
<form onSubmit={e => {
e.preventDefault()
if (!input.value.trim()) {
return
}
dispatch(addTodo(input.value))
input.value = ''
}}>
<input ref={node => {
input = node
}} />
<button type="submit">
Add Todo
</button>
</form>
</div>
)
}
AddTodo = connect()(AddTodo)
export default AddTodo
最佳答案
这是ref callback attribute,其目的是获得对DOM元素/类组件的“直接访问”。使用ref,您可以focus
输入框,直接获取其值或访问类component的方法。
在这种情况下,其目的是通过为输入变量(let input
)分配引用来获取/更改输入的值-请参见代码中的注释。
let AddTodo = ({ dispatch }) => {
let input // the input variable which will hold reference to the input element
return (
<div>
<form onSubmit={e => {
e.preventDefault()
if (!input.value.trim()) { // using the input variable
return
}
dispatch(addTodo(input.value)) // using the input variable
input.value = ''
}}>
<input ref={node => {
input = node // assign the node reference to the input variable
}} />
<button type="submit">
Add Todo
</button>
</form>
</div>
)
}