假设我有一个包含输入字段的组件 A。第二个组件 B 包含一个提交按钮。这两个组件没有直接链接(例如,它们是 2-depth 树中的 2 个叶子)
在提交时我需要检索输入值,如何在 react + redux 环境中解决这个问题?
我想到的最明显的解决方案是将 React 组件的 refs 绑定到 redux 状态,这样状态就有了对输入值的引用(通过 state.fieldName.input.value 访问)。
在提交按钮组件(记住它与输入组件没有直接关系)中,mapStateToProps 返回 onClick props,该props是一个可以访问状态和输入值的函数,并且可以执行“不纯”的工作(例如数据库请求)
所以我的代码应该是这样的:
//components/TestForm.jsx
class TestForm extends Component {
render() {
return <FormInput
ref={(ref) => this.props.registerFormField(ref)}
value=...
...
/>
}
}
//redux/actions/index.js
const registerFormField = (field) => {
return {
type: ActionTypes.REGISTER_FORM_FIELD,
field: field
}
}
//redux/reducers/index.js
const rootReducer = (state = {}, action) => {
switch (action.type) {
case ActionTypes.REGISTER_FORM_FIELD:
var newState = {...state};
newState[action.field.input.name] = action.field.input;
return newState
default:
return state
}
}
//containers/SubmitButton.js
const mapStateToProps = (state, ownProps) => {
return {
text: "Submit",
onClick: () => {
//do your impure job with state.fieldName.value
}
}
}
const SubmitButton = connect(
mapStateToProps,
mapDispatchToProps
)(FormSubmitButton)
//components/FormSubmitButton.jsx
class FormSubmitButton extends Component {
render() {
return <button
onClick={this.props.onClick}
>
{this.props.text}
</button>
}
}
我简要地阅读了 redux-form 文档,它似乎不能如上所述绑定两个不相关的组件(也许我错了;))
有没有其他正确/优雅的解决方案来解决这个问题?