我正在使用Redux进行状态管理。 如何将商店重置为初始状态?
例如,假设我有两个用户帐户(u1和u2)。 想象以下事件序列:
u1
u2
用户u1登录到该应用程序并执行某些操作,因此我们在存储中缓存了一些数据。
用户u1注销。
用户u2无需刷新浏览器即可登录应用程序。
此时,缓存的数据将与关联u1,我想对其进行清理。
当第一个用户注销时,如何将Redux存储重置为其初始状态?
一种方法是在应用程序中编写根减少器。
根减速器通常会将处理操作委托给由生成的减速器combineReducers()。但是,无论何时收到USER_LOGOUT动作,它都会再次返回初始状态。
combineReducers()
USER_LOGOUT
例如,如果您的根减速器如下所示:
const rootReducer = combineReducers({ /* your app’s top-level reducers */ })
您可以将其重命名为appReducer并为其编写新的rootReducer委托:
appReducer
rootReducer
const appReducer = combineReducers({ /* your app’s top-level reducers */ }) const rootReducer = (state, action) => { return appReducer(state, action) }
现在,我们只需要教新手rootReducer在USER_LOGOUT操作后返回初始状态即可。众所周知,undefined无论采取什么行动,都应该在以第一个自变量调用reduce时返回初始状态。让我们利用这一事实在将累加state传递给时有条件地去除累加appReducer:
undefined
state
const rootReducer = (state, action) => { if (action.type === 'USER_LOGOUT') { state = undefined } return appReducer(state, action) }
现在,每当USER_LOGOUT开火,所有的异径管将被重新初始化。如果愿意,他们还可以返回与最初不同的东西,因为他们也可以检查action.type。
action.type
重申一下,完整的新代码如下所示:
const appReducer = combineReducers({ /* your app’s top-level reducers */ }) const rootReducer = (state, action) => { if (action.type === 'USER_LOGOUT') { state = undefined } return appReducer(state, action) }
请注意,我这里不是在改变状态,我只是在将局部变量的引用state传递给另一个函数之前[重新分配了它的引用。更改状态对象将违反Redux原则。
如果您使用redux-persist,则可能还需要清理存储。Redux-persist会将状态副本保存在存储引擎中,状态副本将在刷新时从那里加载。
首先,您需要导入适当的存储引擎,然后在将其设置为undefined并解析每个存储状态键之前先解析状态。
const rootReducer = (state, action) => { if (action.type === SIGNOUT_REQUEST) { // for all keys defined in your persistConfig(s) storage.removeItem('persist:root') // storage.removeItem('persist:otherKey') state = undefined; } return appReducer(state, action); };