36

我在这里的其他问题中看到了关于getState在操作中使用是否可以接受的相互矛盾的(或者对我来说只是令人困惑的)答案,并且我已经看到很多次它被称为反模式。对我来说,它似乎工作得很好,但如果我们不使用,这样做的最佳做法是什么getState

getState在 thunk 中使用来过滤当前连接到一些模拟数据并被拉入应用程序状态的用户数组。

这是我的操作的代码:

export const accountLogInSuccess = user => ({
    type: types.ACCOUNT_LOG_IN_SUCCESS,
    user,
});

export const accountLogOutSuccess = () => ({
    type: types.ACCOUNT_LOG_OUT_SUCCESS,
});

export const accountCheckSuccess = () => ({
    type: types.ACCOUNT_CHECK_SUCCESS,
});

export const accountCheck = () => (
    (dispatch, getState) => {
        dispatch(ajaxCallBegin());
        return apiAccount.accountCheck().then((account) => {
            if (account) {
                const user = findByUID(getState().users, account.uid);
                dispatch(accountLogInSuccess(user));
                toastr.success(`Welcome ${user.nameFirst}!`);
            } else {
                dispatch(accountLogOutSuccess());
            }
            dispatch(accountCheckSuccess());
        }).catch((error) => {
            dispatch(ajaxCallError(error));
            toastr.error(error.message);
            throw (error);
        });
    }
);

还有我的减速机:

export default function reducerAccount(state = initial.account, action) {
    switch (action.type) {
    case types.ACCOUNT_LOG_IN_SUCCESS:
        return Object.assign({}, state, action.user, {
            authenticated: true,
        });
    case types.ACCOUNT_LOG_OUT_SUCCESS:
        return Object.assign({}, {
            authenticated: false,
        });
    case types.ACCOUNT_CHECK_SUCCESS:
        return Object.assign({}, state, {
            initialized: true,
        });
    default:
        return state;
    }
}

我的 reducer 中使用的初始帐户状态只是:

account: {
    initialized: false,
    authenticated: false,
},

accountCheck操作将用户(使用getStatefindByUID函数找到)传递到accountLogInSuccess减速器通过 将其值添加到当前帐户状态的位置Object.assign

宁愿不必在我的应用程序的根目录下获取用户,然后通过 props 将其传递,在 Redux 中完成此操作并让用户数据在状态下可用的最佳实践是什么?同样,getState到目前为止,在 thunk 中使用对我来说效果很好,但是是否有更好的解决方案来解决这个问题而不被认为是反模式?

4

1 回答 1

40

我写了一篇名为Idiomatic Redux: Thoughts on Thunks, Sagas, Abstraction, and Reusability的扩展博客文章,详细讨论了这个主题。在其中,我回应了一些对 thunk 和使用的批评getState(包括 Dan Abramov 在Accessing Redux state in an action creator? 中的评论)。事实上,我的帖子特别受到像你这样的问题的启发。

作为我帖子的 TL;DR:我相信 thunk 是在 Redux 应用程序中使用的完全可行的工具,并鼓励使用它们。虽然在使用 thunk 和 saga 以及getState/select在它们内部使用时需要注意一些有效的问题,但这些问题不应该让您害怕使用 thunk。

于 2017-04-06T16:20:26.463 回答