我正在使用react-select v2.0创建带有预定义项目的选择下拉列表。我将其连接到一个Parse查询,该查询返回带有文本搜索的选项。
我的问题是我无法弄清楚如何将所选值传递给父组件。
该组件名为RestaurantSelect
,看起来像这样(经过删节):
import React, { Component } from 'react'
import AsyncSelect from 'react-select/lib/Async'
type State = {
inputValue: string
}
const filterRestaurants = (inputValue: string) => {
return (
// ... results from Parse query (this works fine)
)
}
const promiseOptions = inputValue => (
new Promise(resolve => {
resolve(filterRestaurants(inputValue))
})
)
export default class WithPromises extends Component<*, State> {
state = { inputValue: '' }
handleInputChange = (newValue: string) => {
const inputValue = newValue.replace(/\W/g, '')
this.setState({ inputValue })
return inputValue
}
render() {
return (
<AsyncSelect
className="select-add-user-restaurant"
cacheOptions
defaultOptions
placeholder="Start typing to select restaurant"
loadOptions={promiseOptions}
/>
)
}
}
调用
RestaurantSelect
的父组件如下所示:import React from 'react'
import RestaurantSelect from './RestaurantSelect'
class AddUserRestaurant extends React.Component {
constructor() {
super()
this.state = {
name: ''
}
}
addUserRestaurant(event) {
event.preventDefault()
// NEED INPUT VALUE HERE!
}
render() {
return (
<form onSubmit={(e) => this.addUserRestaurant(e)}>
<RestaurantSelect />
<button type="submit">Add</button>
</form>
)
}
}
export default AddUserRestaurant
如果我检查组件,则可以看到输入的
value
属性与键入的文本匹配,但是当从下拉列表中选择一个值时,它就会消失(即,从<input value="Typed name" />
变为<input value />
。一个单独的<span>
元素与标签的值一起出现,但是我不想从DOM中获取它,这似乎不是预期的方法。如果我在React控制台选项卡中搜索我的组件,
RestaurantSelect
找不到任何内容:但是,如果我搜索“选择”,它将出现并具有具有所选值的
props
和state
(在这种情况下为“Time 4 Thai”):但是,RestaurantSelect中的
console.log(this.state)
仅显示inputValue
,而<Select/>
中没有任何内容有没有办法访问高阶组件的
props
和state
? 最佳答案
发现了问题,在RestaurantSelect
中,需要将handleInputChange
函数作为onChange
Prop 添加到返回的组件中。像这样:
<AsyncSelect
className="select-add-user-restaurant"
cacheOptions
defaultOptions
placeholder="Start typing to select restaurant"
loadOptions={promiseOptions}
onChange={this.handleInputChange}
/>
newValue
是具有以下构造的对象:{
value: "name",
label: "Name"
}
注意:一旦激活,上面的代码将引发错误。我将其更改为此,以将数据传递到父组件:
handleInputChange = (newValue: string) => {
this.props.setRestaurantSelection(newValue)
const inputValue = newValue
this.setState({ inputValue })
return inputValue
}
this.props.setRestaurantSelection
来自父组件,如下所示:<RestaurantSelect setRestaurantSelection={this.setRestaurantSelection} />
并在父组件中看起来像这样:
constructor() {
super()
this.state = {
restaurantSlug: ''
}
this.setRestaurantSelection = this.setRestaurantSelection.bind(this)
}
…
setRestaurantSelection = (value) => {
this.setState({
restaurantSlug: value.value
})
}