ownProps
パラメータが指定されている場合、react-reduxはコンポーネントに渡されたプロップをconnect
関数に渡します。したがって、次のような接続コンポーネントを使用する場合:
import ConnectedComponent from './containers/ConnectedComponent'
<ConnectedComponent
value="example"
/>
ownProps
あなたのmapStateToProps
and mapDispatchToProps
関数の内部はオブジェクトになります:
{ value: 'example' }
また、このオブジェクトを使用して、これらの関数から何を返すかを決定できます。
たとえば、ブログ投稿コンポーネントの場合:
// BlogPost.js
export default function BlogPost (props) {
return <div>
<h2>{props.title}</h2>
<p>{props.content}</p>
<button onClick={props.editBlogPost}>Edit</button>
</div>
}
特定の投稿に対して何かを行うReduxアクションクリエーターを返すことができます。
// BlogPostContainer.js
import { bindActionCreators } from 'redux'
import { connect } from 'react-redux'
import BlogPost from './BlogPost.js'
import * as actions from './actions.js'
const mapStateToProps = (state, props) =>
// Get blog post data from the store for this blog post ID.
getBlogPostData(state, props.id)
const mapDispatchToProps = (dispatch, props) => bindActionCreators({
// Pass the blog post ID to the action creator automatically, so
// the wrapped blog post component can simply call `props.editBlogPost()`:
editBlogPost: () => actions.editBlogPost(props.id)
}, dispatch)
const BlogPostContainer = connect(mapStateToProps, mapDispatchToProps)(BlogPost)
export default BlogPostContainer
このコンポーネントを次のように使用します。
import BlogPostContainer from './BlogPostContainer.js'
<BlogPostContainer id={1} />