Tak, to jest poprawne. Jest to tylko funkcja pomocnicza, która pozwala na łatwiejszy dostęp do właściwości stanu
Wyobraź sobie, że masz posts
klucz w swojej aplikacjistate.posts
state.posts //
/*
{
currentPostId: "",
isFetching: false,
allPosts: {}
}
*/
I komponent Posts
Domyślnie connect()(Posts)
wszystkie rekwizyty stanu będą dostępne dla podłączonego komponentu
const Posts = ({posts}) => (
<div>
{/* access posts.isFetching, access posts.allPosts */}
</div>
)
Teraz, gdy mapujesz na state.posts
swój komponent, robi się to trochę ładniej
const Posts = ({isFetching, allPosts}) => (
<div>
{/* access isFetching, allPosts directly */}
</div>
)
connect(
state => state.posts
)(Posts)
mapDispatchToProps
normalnie musisz pisać dispatch(anActionCreator())
z bindActionCreators
tobą możesz to zrobić również łatwiej
connect(
state => state.posts,
dispatch => bindActionCreators({fetchPosts, deletePost}, dispatch)
)(Posts)
Teraz możesz go używać w swoim Komponencie
const Posts = ({isFetching, allPosts, fetchPosts, deletePost }) => (
<div>
<button onClick={() => fetchPosts()} />Fetch posts</button>
{/* access isFetching, allPosts directly */}
</div>
)
Aktualizacja na ActionCreators ..
Przykład działania ActionCreator: deletePost
const deletePostAction = (id) => ({
action: 'DELETE_POST',
payload: { id },
})
Więc bindActionCreators
po prostu podejmie twoje działania, dispatch
zawinie je w wezwanie. (Nie przeczytałem kodu źródłowego redux, ale implementacja może wyglądać mniej więcej tak:
const bindActionCreators = (actions, dispatch) => {
return Object.keys(actions).reduce(actionsMap, actionNameInProps => {
actionsMap[actionNameInProps] = (...args) => dispatch(actions[actionNameInProps].call(null, ...args))
return actionsMap;
}, {})
}