Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Time travel #113

Closed
gaearon opened this issue Jun 16, 2015 · 30 comments
Closed

Time travel #113

gaearon opened this issue Jun 16, 2015 · 30 comments

Comments

@gaearon
Copy link
Contributor

gaearon commented Jun 16, 2015

Reviving musings from #6, I'm going to post my progress on working on time travel & other devtool goodness here.

screen shot 2015-06-17 at 02 00 47

I have a working proof of concept of time travel that uses the default dispatcher and relies on store composition to keep a log of state. This is not feature-complete (only “jumping to state #N” is supported), but shows how to implement such functionality with Store composition:

export const StateKeys = {
  LOG: Symbol('Log')
};

export const ActionTypes = {
  JUMP_TO_STATE: Symbol('JUMP_TO_STATE')
};

export default function recorder(store) {
  return function Recorder(state = {}, action) {
    let { [StateKeys.LOG]: log = [], ...atom } = state;

    let nextAtom;
    switch (action.type) {
    case ActionTypes.JUMP_TO_STATE:
      const { index } = action;
      nextAtom = log[index].nextAtom;
      break;
    default:
      nextAtom = store(atom, action);
      break;
    }

    log = [...log, {
      action,
      atom,
      nextAtom
    }];

    return {
      [StateKeys.LOG]: log,
      ...nextAtom
    };
  }
}

Usage:

const store = composeStores(stores);
const dispatcher = createDispatcher(recorder(store)); // wrap the store
const redux = createRedux(dispatcher);

This relies on the root atom being “normal” a JS object though. I think we'll need to store it internally as atom field instead inside a plain JS object created by us to support such “hidden” tool state.

I'd accept a PR that hides the user store's state inside an atom field on the Redux instance's state object, at the same time preserving the current API and behavior exactly. Redux.getState() should keep retuning that atom. Any other fields on the internal state will be assumed to be only used by the devtools.

@acdlite
Copy link
Collaborator

acdlite commented Jun 16, 2015

Hmm, why would the state live on the Redux instance? Didn't we decide that the true state "lives" inside the dispatcher?

@gaearon
Copy link
Contributor Author

gaearon commented Jun 16, 2015

Hmm, why would the state live on the Redux instance?

It's currently inside this.state on Redux instance so that anyone can dehydrate it (getState()) and so components can ask the current state. Indeed, it's just a copy of the real state held inside the dispatcher.

The dispatcher is given setState callback precisely to set that state field (and let the world know it has changed).

@acdlite
Copy link
Collaborator

acdlite commented Jun 16, 2015

Indeed, it's just a copy of the real state held inside the dispatcher.

Exactly, so if the true state lives inside the dispatcher, why does meta state need to leak out to the Redux instance at all? Can't it be completely self-contained?

@gaearon
Copy link
Contributor Author

gaearon commented Jun 16, 2015

Dispatcher needs to be completely replaceable at any point of time for hot reloading. If it doesn't fully yield its state to the Redux instance “for keeps”, the next dispatcher won't receive any hidden fields on hot reload.

@acdlite
Copy link
Collaborator

acdlite commented Jun 16, 2015

Okay, that makes sense. But in that case, I think the dispatcher should be completely stateless, and we pass it a getState() function rather than having a separate copy of the state atom, which is confusing and bug prone.

@acdlite
Copy link
Collaborator

acdlite commented Jun 16, 2015

So then the state would live completely on the Redux instance and nowhere else.

@acdlite
Copy link
Collaborator

acdlite commented Jun 16, 2015

To summarize what I'm proposing:

createRedux({
  dispatcher: (getState, setState, dispatch) =>  {...} // returns a pure dispatch function, no state
  prepareState: (rawState) => {...} // returns state prepared for consumer, stripped of "meta"
})

Ignore the particulars of the API and just focus on the inputs and outputs

@gaearon
Copy link
Contributor Author

gaearon commented Jun 16, 2015

I was worried getState might give the impression that the state might somehow change outside without dispatcher's knowledge which isn't true. But perhaps you're right this API makes more sense.

What is the dispatch argument for? Middleware?
I thought you were proposing (getState, setState) => (action) => ().

@acdlite
Copy link
Collaborator

acdlite commented Jun 16, 2015

I thought you were proposing (getState, setState) => (action) => ().

I am, just put dispatch() in there as well for, yes, middleware. Should bring it up in a separate issue, but the problem right now is (to use the default middleware as an example) there's no way to do a truly recursive dispatch:

export default function thunkMiddleware(getState) {
  return (next) => {
    const recurse = (action) =>
      typeof action === 'function' ?
        action(recurse, getState) :
        next(action);

    return recurse;
  };
}

recurse() will recursively call the current middleware, but not any that were executed before it in the chain.

@gaearon
Copy link
Contributor Author

gaearon commented Jun 16, 2015

Can you PR your proposed changes when you get some time?

@acdlite
Copy link
Collaborator

acdlite commented Jun 16, 2015

Sure, I will tonight

@gaearon
Copy link
Contributor Author

gaearon commented Jun 16, 2015

Thank you! I really like where this is going 🎉

@gaearon
Copy link
Contributor Author

gaearon commented Jun 22, 2015

We might not need a dispatcher.
Here's a variation on “Redux inception” that I think might be the way to go.

chrisnolan3

Consider this variation of Redux:

export default class Redux {
  constructor(reducer, initialState) {
    this.state = initialState;
    this.listeners = [];
    this.replaceReducer(reducer);
  }

  getReducer() {
    return this.reducer;
  }

  replaceReducer(nextReducer) {
    this.reducer = nextReducer;
    this.dispatch({ type: '@@INIT' });
  }

  dispatch(action) {
    const { reducer } = this;
    this.state = reducer(this.state, action);
    this.listeners.forEach(listener => listener());
  }

  getState() {
    return this.state;
  }

  subscribe(listener) {
    const { listeners } = this;
    listeners.push(listener);

    return function unsubscribe() {
      const index = listeners.indexOf(listener);
      listeners.splice(index, 1);
    };
  }
}

Very little here, right?

Then consider this:

import timeTravel, { ActionTypes, StateKeys } from './timeTravel';
import { createRedux } from '../../../src/index';

export default function createDebugRedux(reducer) {
  const timeMachine = createRedux(timeTravel(reducer));

  return {
    timeMachine: timeMachine,
    subscribe: ::timeMachine.subscribe,
    getReducer: ::timeMachine.getReducer,
    replaceReducer: ::timeMachine.replaceReducer,
    dispatch(action) {
      timeMachine.dispatch({
        type: ActionTypes.PERFORM_ACTION,
        action
      });
    },
    getState() {
      return timeMachine.getState()[StateKeys.CURRENT_STATE]
    }
  };
}

In this example, timeTravel() is a higher-order reducer. It takes your existing reducer that accepts your app's actions and manages your app's state. It returns a fancy reducer that accepts actions like COMMIT, ROLLBACK, JUMP_TO_STATE, and, in addition, PERFORM_ACTION that corresponds to the user trying to perform an action in the app. The real action is a field on this meta-action. The fancy reducer returned by timeTravel() also manages its own state. It needs to remember the PENDING_ACTIONS, SAVED_STATES, etc. But it also manages a field CURRENT_STATE corresponding to whatever the app should render.

Our createDebugRedux creates a “real” Redux instance with the higher-order time travely reducer, but it lifts the actions by wrapping them in PERFORM_ACTION meta-actions and unlifts the state by unwrapping the CURRENT_STATE property from the meta-state. Because of this, it looks exactly as the normal Redux instance to the app, but it is smarter inside. All the other methods are proxied because their subscriptions and the underlying reducer are shared. In production, you'd just use createRedux as is.

Why do it like this? Using Redux to implement Redux devtools is convenient, but that's not the only reason. Notice that we also export the real Redux instance as a field on the wrapper.

This lets us connect devtools like this:

const reducer = composeReducers(reducers);
const redux = createDebugRedux(reducer);

export default class App {
  render() {
    return (
      <div>
        <Provider redux={redux}> // <------- fake Redux instance
          {() =>  <TodoApp /> }
        </Provider>

        <Provider redux={redux.timeMachine}> // <------ time machiney actions and state!
        {() => 
          <DebugPanel top left bottom>
            <ReduxMonitor />
          </DebugPanel>
        }
        </Provider>
      </div>
    );
  }
}

Guess what ReduxMonitor does. It's a regular React component that connects to the real Redux instance via Connector. Because it connects to the underlying time traveley instance, it can read time travely state (e.g. PENDING_ACTIONS and SAVED_STATES) and fire time travely actions (e.g. JUMP_TO_STATE). Nice huh?

One thing I don't mention here is initialState. I'm not sure how to approach it best yet, but I'm sure there's a nice way to fit it in.

Finally, the middleware. I don't have it here yet, but it seems to be that the middleware is just (Redux) -> (Redux). (Not the actual type; just the signature.) In other words, the middleware does not have to be built into the core Redux code. The composeMiddleware function can just be a helper to wrap Redux instance's dispatch methods while proxying all other methods as is.

@gaearon
Copy link
Contributor Author

gaearon commented Jun 22, 2015

@acdlite I'd love your input on this. If you agree it's the way to go this probably supersedes your current PRs. The “stateless dispatcher” won't matter because there's no dispatcher now, and the other PR will need to be updated because we can try to implement composeMiddleware as (Redux, middleware) -> Redux if that makes sense.

@acdlite
Copy link
Collaborator

acdlite commented Jun 22, 2015

👍 Yes, I like this

@leoasis
Copy link
Contributor

leoasis commented Jun 22, 2015

Sounds awesome! Just have one question though (perhaps I didn't understand correctly):

Since you are wrapping normal action dispatches inside another meta action, what would happen for action creators that return thunk actions? Suppose:

export function loadStuff() {
  return dispatch => {
    api.getStuff().then(stuff => dispatch({type: 'STUFF_RECEIVED', stuff}));
  };
}

Then if I'm using time travel, I'll be wrapping the thunk inside the meta action PERFORM_ACTION, and thus whenever I want to re-run this action (because I JUMP_TO_STATE or whatever), then I'll be doing again the api call, which is a side effect we don't want to cause.

Is that something you already thought of and perhaps I didn't understand? I guess that's the part you were talking in the end about middleware, but didn't quite get it.

@acdlite
Copy link
Collaborator

acdlite commented Jun 22, 2015

@leoasis Yes, this is why I am against re-implementing the existing action middleware as this new API — which is great, but shouldn't be the sole extension point. Action middleware is about transforming a stream of raw actions (which could be functions, promises, observables, etc.) into proper action payloads that are ready to be reduced.

@leoasis
Copy link
Contributor

leoasis commented Jun 22, 2015

Ah I see it now, so you'll be keeping both "middlewares" (you @acdlite clarified this to me even further here #166 (comment)).
I'll give it more thought then.

@bdowning
Copy link

I'm probably missing something, but for this:

export default function createDebugRedux(reducer) {
  const timeMachine = createRedux(timeTravel(reducer));

  return {
    timeMachine: timeMachine,
    subscribe: ::timeMachine.subscribe,
    getReducer: ::timeMachine.getReducer,
    replaceReducer: ::timeMachine.replaceReducer,
    dispatch(action) {
      timeMachine.dispatch({
        type: ActionTypes.PERFORM_ACTION,
        action
      });
    },
    getState() {
      return timeMachine.getState()[StateKeys.CURRENT_STATE]
    }
  };
}

Wouldn't you need to implement your own replaceReducer to rewrap the new one in timeTravel, and also save the inner reducer to return in getReducer? Otherwise you'll break the time travel if you replace the reducer and leak it out of you get the reducer.

So something like:

export default function createDebugRedux(reducer) {
  const timeMachine = createRedux(timeTravel(reducer));

  return {
    timeMachine: timeMachine,
    subscribe: ::timeMachine.subscribe,
    getReducer() { return reducer; },
    replaceReducer(newReducer) {
        reducer = newReducer;
        timeMachine.replaceReducer(timeTravel(newReducer));
    },
    dispatch(action) {
      timeMachine.dispatch({
        type: ActionTypes.PERFORM_ACTION,
        action
      });
    },
    getState() {
      return timeMachine.getState()[StateKeys.CURRENT_STATE]
    }
  };
}

@acdlite
Copy link
Collaborator

acdlite commented Jun 22, 2015

@bdowning replaceReducer() exists to support hot reloading. We can assume that timeMachine's reducer is the same across hot reloads. Scratch that, I see it now. Yeah I think you're right.

@gaearon
Copy link
Contributor Author

gaearon commented Jun 22, 2015

You seem right. I wonder how it worked for me last time I was testing :-O

@gaearon
Copy link
Contributor Author

gaearon commented Jun 22, 2015

@bdowning

It seems that it works either way because, strictly speaking, the only requirement is that currentRedux.replaceReducer(nextRedux.getReducer()) works. Even if the wrapper Redux's getReducer/replaceReducer is proxied as is, this will still work.

Perhaps there's a better API possible here (redux.accept(nextRedux)?) that makes this more obvious.

@gaearon
Copy link
Contributor Author

gaearon commented Jun 23, 2015

Some updates in terms of how we think about it.
#113 (comment) is still very relevant, but I'm thinking of slightly different API.

We've got some basic new terminology:

// not super strict but shows the idea

// Stuff you write
Reducer: (State, Action) -> State

// Stuff Redux provides
Store: {
  dispatch: Action -> (),
  subscribe: Function -> Function -> (),
  getState: () -> State
}

// Turns stuff you write into stuff Redux provides
createStore: Reducer -> Store

Here's how time travel fits here:

alias TimeTravelReducer = Reducer
alias TimeTravelStore = Store

// turns your reducer into reducer that holds time travel state and handles time travel actions
lift: Reducer -> TimeTravelReducer
// turns time travel store into a normal store that looks like your store to the app
unlift: TimeTravelStore -> Store

// wraps lift and unlift
timeTravel: createStore -> createStore
import timeTravel from 'redux-time-travel';
const createTimeTravelStore = timeTravel(createStore);
const store = createTimeTravelStore(reducer);

// equivalent to
import { lift, unlift } from 'redux-time-travel';
const store = unlift(createStore(lift(reducer));

I'm not sure how coherent it is at this point.. It'll be easier when you see the code (soon :-).

@bdowning
Copy link

Is this time travel tool going to be in core, or is the thrust of this issue here just figuring out how to rearrange the core API to allow things like time travel to be easily written (i.e. by Store [new terminology] composition)?

@gaearon
Copy link
Contributor Author

gaearon commented Jun 24, 2015

It's going to be outside the core. Yes, this issue is just about making this possible (and easy).

@gaearon
Copy link
Contributor Author

gaearon commented Jun 24, 2015

And lift is indeed a transducer here. See #176

gaearon added a commit that referenced this issue Jun 30, 2015
* “Stateless Stores” are now called reducers. (#137 (comment))
* The “Redux instance” is now called “The Store”. (#137 (comment))
* The dispatcher is removed completely. (#166 (comment))

* <s>`composeStores`</s> is now `composeReducers`.
* <s>`createDispatcher`</s> is gone.
* <s>`createRedux`</s> is now `createStore`.
* `<Provider>` now accepts `store` prop instead of <s>`redux`</s>.
* The new `createStore` signature is `createStore(reducer: Function | Object, initialState: any, middlewares: Array | ({ getState, dispatch }) => Array)`.
* If the first argument to `createStore` is an object, `composeReducers` is automatically applied to it.
* The “smart” middleware signature changed. It now accepts an object instead of a single `getState` function. The `dispatch` function lets you “recurse” the middleware chain and is useful for async: #113 (comment).
* The `dispatch` provided by the default thunk middleware now walks the whole middleware chain.
* It is enforced now that Actions have to be plain object. Use middleware for transforming anything else into the actions.

* The object in React context is renamed from <s>`redux`</s> to `store`.
* Some tests are rewritten for clarity, focus and edge cases.
* Redux in examples is now aliased to the source code for easier work on master.
gaearon added a commit that referenced this issue Jun 30, 2015
Naming:

* “Stateless Stores” are now called reducers. (#137 (comment))
* The “Redux instance” is now called “The Store”. (#137 (comment))
* The dispatcher is removed completely. (#166 (comment))

API changes:

* <s>`composeStores`</s> is now `composeReducers`.
* <s>`createDispatcher`</s> is gone.
* <s>`createRedux`</s> is now `createStore`.
* `<Provider>` now accepts `store` prop instead of <s>`redux`</s>.
* The new `createStore` signature is `createStore(reducer: Function | Object, initialState: any, middlewares: Array | ({ getState, dispatch }) => Array)`.
* If the first argument to `createStore` is an object, `composeReducers` is automatically applied to it.
* The “smart” middleware signature changed. It now accepts an object instead of a single `getState` function. The `dispatch` function lets you “recurse” the middleware chain and is useful for async: #113 (comment).
* The `dispatch` provided by the default thunk middleware now walks the whole middleware chain.
* It is enforced now that Actions have to be plain object. Use middleware for transforming anything else into the actions.

Internal changes:

* The object in React context is renamed from <s>`redux`</s> to `store`.
* Some tests are rewritten for clarity, focus and edge cases.
* Redux in examples is now aliased to the source code for easier work on master.
gaearon added a commit that referenced this issue Jun 30, 2015
Naming:

* “Stateless Stores” are now called reducers. (#137 (comment))
* The “Redux instance” is now called “The Store”. (#137 (comment))
* The dispatcher is removed completely. (#166 (comment))

API changes:

* <s>`composeStores`</s> is now `composeReducers`.
* <s>`createDispatcher`</s> is gone.
* <s>`createRedux`</s> is now `createStore`.
* `<Provider>` now accepts `store` prop instead of <s>`redux`</s>.
* The new `createStore` signature is `createStore(reducer: Function | Object, initialState: any, middlewares: Array | ({ getState, dispatch }) => Array)`.
* If the first argument to `createStore` is an object, `composeReducers` is automatically applied to it.
* The “smart” middleware signature changed. It now accepts an object instead of a single `getState` function. The `dispatch` function lets you “recurse” the middleware chain and is useful for async: #113 (comment).
* The `dispatch` provided by the default thunk middleware now walks the whole middleware chain.
* It is enforced now that raw Actions at the end of the middleware chain have to be plain objects.

Internal changes:

* The object in React context is renamed from <s>`redux`</s> to `store`.
* Some tests are rewritten for clarity, focus and edge cases.
* Redux in examples is now aliased to the source code for easier work on master.
gaearon added a commit that referenced this issue Jun 30, 2015
Naming:

* “Stateless Stores” are now called reducers. (#137 (comment))
* The “Redux instance” is now called “The Store”. (#137 (comment))
* The dispatcher is removed completely. (#166 (comment))

API changes:

* <s>`composeStores`</s> is now `composeReducers`.
* <s>`createDispatcher`</s> is gone.
* <s>`createRedux`</s> is now `createStore`.
* `<Provider>` now accepts `store` prop instead of <s>`redux`</s>.
* The new `createStore` signature is `createStore(reducer: Function | Object, initialState: any, middlewares: Array | ({ getState, dispatch }) => Array)`.
* If the first argument to `createStore` is an object, `composeReducers` is automatically applied to it.
* The “smart” middleware signature changed. It now accepts an object instead of a single `getState` function. The `dispatch` function lets you “recurse” the middleware chain and is useful for async: #113 (comment).

Correctness changes:

* The `dispatch` provided by the default thunk middleware now walks the whole middleware chain.
* It is enforced now that raw Actions at the end of the middleware chain have to be plain objects.
* Nested dispatches are now handled gracefully. (#110)

Internal changes:

* The object in React context is renamed from <s>`redux`</s> to `store`.
* Some tests are rewritten for clarity, focus and edge cases.
* Redux in examples is now aliased to the source code for easier work on master.
gaearon added a commit that referenced this issue Jun 30, 2015
Naming:

* “Stateless Stores” are now called reducers. (#137 (comment))
* The “Redux instance” is now called “The Store”. (#137 (comment))
* The dispatcher is removed completely. (#166 (comment))

API changes:

* <s>`composeStores`</s> is now `composeReducers`.
* <s>`createDispatcher`</s> is gone.
* <s>`createRedux`</s> is now `createStore`.
* `<Provider>` now accepts `store` prop instead of <s>`redux`</s>.
* The new `createStore` signature is `createStore(reducer: Function | Object, initialState: any, middlewares: Array | ({ getState, dispatch }) => Array)`.
* If the first argument to `createStore` is an object, `composeReducers` is automatically applied to it.
* The “smart” middleware signature changed. It now accepts an object instead of a single `getState` function. The `dispatch` function lets you “recurse” the middleware chain and is useful for async: #113 (comment).

Correctness changes:

* The `dispatch` provided by the default thunk middleware now walks the whole middleware chain.
* It is enforced now that raw Actions at the end of the middleware chain have to be plain objects.
* Nested dispatches are now handled gracefully. (#110)

Internal changes:

* The object in React context is renamed from <s>`redux`</s> to `store`.
* Some tests are rewritten for clarity, focus and edge cases.
* Redux in examples is now aliased to the source code for easier work on master.
@gaearon
Copy link
Contributor Author

gaearon commented Jul 5, 2015

So here is why I built Redux:
https://www.youtube.com/watch?v=xsSnOQynTHs

@gaearon
Copy link
Contributor Author

gaearon commented Jul 5, 2015

Redux DevTools will appear here in a week or so: https://github.com/gaearon/redux-devtools
Watch the repo for updates!

@tsingson
Copy link

tsingson commented Jul 5, 2015

redux DevTools.
glad to watch this.

redux had been plan to our production release, it's best innovation for flux.

@gaearon
Copy link
Contributor Author

gaearon commented Jul 14, 2015

Redux DevTools 0.1.0 are released.
https://github.com/gaearon/redux-devtools

@gaearon gaearon closed this as completed Jul 14, 2015
pandafulmanda pushed a commit to pandafulmanda/testing-example that referenced this issue Aug 2, 2018
Naming:

* “Stateless Stores” are now called reducers. (reduxjs/redux#137 (comment))
* The “Redux instance” is now called “The Store”. (reduxjs/redux#137 (comment))
* The dispatcher is removed completely. (reduxjs/redux#166 (comment))

API changes:

* <s>`composeStores`</s> is now `composeReducers`.
* <s>`createDispatcher`</s> is gone.
* <s>`createRedux`</s> is now `createStore`.
* `<Provider>` now accepts `store` prop instead of <s>`redux`</s>.
* The new `createStore` signature is `createStore(reducer: Function | Object, initialState: any, middlewares: Array | ({ getState, dispatch }) => Array)`.
* If the first argument to `createStore` is an object, `composeReducers` is automatically applied to it.
* The “smart” middleware signature changed. It now accepts an object instead of a single `getState` function. The `dispatch` function lets you “recurse” the middleware chain and is useful for async: reduxjs/redux#113 (comment).

Correctness changes:

* The `dispatch` provided by the default thunk middleware now walks the whole middleware chain.
* It is enforced now that raw Actions at the end of the middleware chain have to be plain objects.
* Nested dispatches are now handled gracefully. (reduxjs/redux#110)

Internal changes:

* The object in React context is renamed from <s>`redux`</s> to `store`.
* Some tests are rewritten for clarity, focus and edge cases.
* Redux in examples is now aliased to the source code for easier work on master.
timdorr pushed a commit to reduxjs/examples that referenced this issue Sep 10, 2019
Naming:

* “Stateless Stores” are now called reducers. (reduxjs/redux#137 (comment))
* The “Redux instance” is now called “The Store”. (reduxjs/redux#137 (comment))
* The dispatcher is removed completely. (reduxjs/redux#166 (comment))

API changes:

* <s>`composeStores`</s> is now `composeReducers`.
* <s>`createDispatcher`</s> is gone.
* <s>`createRedux`</s> is now `createStore`.
* `<Provider>` now accepts `store` prop instead of <s>`redux`</s>.
* The new `createStore` signature is `createStore(reducer: Function | Object, initialState: any, middlewares: Array | ({ getState, dispatch }) => Array)`.
* If the first argument to `createStore` is an object, `composeReducers` is automatically applied to it.
* The “smart” middleware signature changed. It now accepts an object instead of a single `getState` function. The `dispatch` function lets you “recurse” the middleware chain and is useful for async: reduxjs/redux#113 (comment).

Correctness changes:

* The `dispatch` provided by the default thunk middleware now walks the whole middleware chain.
* It is enforced now that raw Actions at the end of the middleware chain have to be plain objects.
* Nested dispatches are now handled gracefully. (reduxjs/redux#110)

Internal changes:

* The object in React context is renamed from <s>`redux`</s> to `store`.
* Some tests are rewritten for clarity, focus and edge cases.
* Redux in examples is now aliased to the source code for easier work on master.
lovelypuppy0607 added a commit to lovelypuppy0607/redux that referenced this issue May 11, 2023
Naming:

* “Stateless Stores” are now called reducers. (reduxjs/redux#137 (comment))
* The “Redux instance” is now called “The Store”. (reduxjs/redux#137 (comment))
* The dispatcher is removed completely. (reduxjs/redux#166 (comment))

API changes:

* <s>`composeStores`</s> is now `composeReducers`.
* <s>`createDispatcher`</s> is gone.
* <s>`createRedux`</s> is now `createStore`.
* `<Provider>` now accepts `store` prop instead of <s>`redux`</s>.
* The new `createStore` signature is `createStore(reducer: Function | Object, initialState: any, middlewares: Array | ({ getState, dispatch }) => Array)`.
* If the first argument to `createStore` is an object, `composeReducers` is automatically applied to it.
* The “smart” middleware signature changed. It now accepts an object instead of a single `getState` function. The `dispatch` function lets you “recurse” the middleware chain and is useful for async: reduxjs/redux#113 (comment).

Correctness changes:

* The `dispatch` provided by the default thunk middleware now walks the whole middleware chain.
* It is enforced now that raw Actions at the end of the middleware chain have to be plain objects.
* Nested dispatches are now handled gracefully. (reduxjs/redux#110)

Internal changes:

* The object in React context is renamed from <s>`redux`</s> to `store`.
* Some tests are rewritten for clarity, focus and edge cases.
* Redux in examples is now aliased to the source code for easier work on master.
This issue was closed.
Sign up for free to join this conversation on GitHub. Already have an account? Sign in to comment
Projects
None yet
Development

No branches or pull requests

6 participants