É assim que eu o implementei em um aplicativo atual (com base no código de Dan de um problema do GitHub!)
// Based on https://github.com/rackt/redux/issues/37#issue-85098222
class ReducerRegistry {
constructor(initialReducers = {}) {
this._reducers = {...initialReducers}
this._emitChange = null
}
register(newReducers) {
this._reducers = {...this._reducers, ...newReducers}
if (this._emitChange != null) {
this._emitChange(this.getReducers())
}
}
getReducers() {
return {...this._reducers}
}
setChangeListener(listener) {
if (this._emitChange != null) {
throw new Error('Can only set the listener for a ReducerRegistry once.')
}
this._emitChange = listener
}
}
Crie uma instância do registro ao inicializar seu aplicativo, passando redutores que serão incluídos no pacote de entrada:
// coreReducers is a {name: function} Object
var coreReducers = require('./reducers/core')
var reducerRegistry = new ReducerRegistry(coreReducers)
Em seguida, ao configurar o armazenamento e as rotas, use uma função à qual você pode atribuir o registro do redutor:
var routes = createRoutes(reducerRegistry)
var store = createStore(reducerRegistry)
Onde essas funções se parecem com:
function createRoutes(reducerRegistry) {
return <Route path="/" component={App}>
<Route path="core" component={Core}/>
<Route path="async" getComponent={(location, cb) => {
require.ensure([], require => {
reducerRegistry.register({async: require('./reducers/async')})
cb(null, require('./screens/Async'))
})
}}/>
</Route>
}
function createStore(reducerRegistry) {
var rootReducer = createReducer(reducerRegistry.getReducers())
var store = createStore(rootReducer)
reducerRegistry.setChangeListener((reducers) => {
store.replaceReducer(createReducer(reducers))
})
return store
}
Aqui está um exemplo básico ao vivo, criado com essa configuração e sua fonte:
Ele também cobre a configuração necessária para permitir o recarregamento a quente de todos os seus redutores.