在我的mapStateToProps
函数中,我将idToken
和accessToken
设置为存储在状态中的值。这是有效的,因为我已经能够从组件中引用这些值。在mapDispatchToProps
中,我尝试在我的行动中使用这些道具作为参数。但是,ownProps
是一个空对象。为什么它没有idToken
和accessToken
?
容器:
import { connect } from 'react-redux'
import { toggleAddQuestionModal, fetchFriends } from '../actions'
import AddQuestionButtonComponent from '../components/AddQuestionButton'
const mapStateToProps = (state) => {
auth = state.auth
return {
idToken: auth.token.idToken,
accessToken: auth.profile.identities[0].accessToken,
}
}
const mapDispatchToProps = (dispatch, ownProps) => {
return {
didPress: (idToken, accessToken) => {
dispatch(toggleAddQuestionModal(true))
dispatch(fetchFriends(ownProps.idToken, ownProps.accessToken))
}
}
}
AddQuestionButton = connect(
mapStateToProps,
mapDispatchToProps
)(AddQuestionButtonComponent)
export default AddQuestionButton
组件:
'use strict';
import React, {
Text,
View,
TouchableHighlight,
PropTypes,
} from 'react-native'
import styles from './styles'
const AddQuestionButton = ({ didPress, idToken, accessToken }) => (
<TouchableHighlight style={styles.actionButton} onPress={didPress(idToken, accessToken)}>
<Text style={styles.actionButtonText}>+</Text>
</TouchableHighlight>
)
AddQuestionButton.propTypes = {
idToken: PropTypes.string.isRequired,
accessToken: PropTypes.string.isRequired,
didPress: PropTypes.func.isRequired,
}
export default AddQuestionButton
为什么我无法从idToken
访问accessToken
和ownProps
?如果这种方式不正确,应该如何访问idToken
和accessToken
?
谢谢!
答案 0 :(得分:31)
在mapStateToProps
和mapDispatchToProps
中,ownProps
参数指的是组件通过属性接收的道具,例如:
<AddQuestionButton isVisible={ true } />
isVisible
属性将作为ownProps
传递。通过这种方式,您可以拥有一个从redux接收一些道具的组件,以及一些来自属性的道具。
connect
方法本身有第三个参数mergeProps
:
[mergeProps(stateProps,dispatchProps,ownProps):props](Function): 如果指定,则传递mapStateToProps()的结果, mapDispatchToProps()和父道具。平原对象你 从它返回将作为道具传递给包装组件。您 可以指定此函数以基于选择状态的切片 道具,或将动作创建者绑定到道具中的特定变量。 如果省略它,Object.assign({},ownProps,stateProps,dispatchProps) 默认情况下使用。
在合并道具中,你实际上可以将所有道具组合在一起,正如你在Dan Abramov的回答中所看到的那样issue:
function mapStateToProps(state, ownProps) {
return {
isFollowing: state.postsFollowing[ownProps.id]
};
}
function mergeProps(stateProps, dispatchProps, ownProps) {
const { isFollowing } = stateProps;
const { dispatch } = dispatchProps;
const { id } = ownProps;
const toggle = isFollowing ?
unfollowPostActionCreator :
followPostActionCreator;
return {
...stateProps,
...ownProps,
toggleFollow: () => dispatch(toggle(id)))
};
}
ToggleFollowButton = connect({
mapStateToProps,
null, // passing null instead of mapDispatchToProps will return an object with the dispatch method
mergeProps
})(ToggleFollowButton)