GithubHelp home page GithubHelp logo

marella / redux-reflex Goto Github PK

View Code? Open in Web Editor NEW
2.0 4.0 0.0 15 KB

Reduce boilerplate code by automatically creating action creators and action types from reducers.

License: MIT License

JavaScript 100.00%
redux boilerplate actions reducers reflex

redux-reflex's Introduction

redux-reflex

Reduce boilerplate code by automatically creating action creators and action types from reducers.

Build Status Coverage Status

Installation

npm install redux-reflex --save

Example

reducer.js

import Reducer from 'redux-reflex'

const prefix = 'counter'
const initialState = { count: 0 }
const handlers = {
  // called when action type is 'counter/increment'
  increment(state, amount) {
    return { ...state, count: state.count + amount }
  },
  // called when action type is 'counter/decrement'
  decrement(state, amount) {
    return { ...state, count: state.count - amount }
  },
}

const counter = Reducer(prefix, initialState, handlers)

export default counter

This will create a reducer function counter with initialState as the initial state and handlers as case reducers. handlers handle actions with type starting with prefix.

You don't have to define action creators or action types. They are automatically created and attached to the reducer function:

counter.increment // action creator (function)

counter.increment.type // action type (string) - 'counter/increment'

counter.increment() // creates action (object) - { type: 'counter/increment' }

dispatch(counter.increment(5)) // increases count by 5

Documentation

Generated actions are similar to Flux Standard Action.

counter.increment()
/*
{
  type: 'counter/increment',
}
*/

counter.increment(5)
/*
{
  type: 'counter/increment',
  payload: 5,
}
*/

If payload is an instance of an Error object then error is automatically set to true.

counter.increment(new Error())
/*
{
  type: 'counter/increment',
  payload: new Error(),
  error: true,
}
*/

Reducer

The main Reducer function creates a reducer and corresponding action creators and types.

import Reducer from 'redux-reflex'

const todos = Reducer(...)

Reducer(prefix, initialState, handlers, options = {})

prefix

prefix should be unique as prefix + '/' is used as a prefix for the action types that are automatically created. You can follow this convention to keep them unique: <app-name>/<feature-name>/<reducer-name>.

initialState

Initial value of the state managed by reducer.

handlers

Action handlers let you split the reducer code into smaller functions instead of using switch-case statements. These are also called "case reducers".

handler(state, payload, action)

Each handler should be a pure function that reads current state, payload and action and returns a new state: (state, payload, action) => state. A typical reducer function looks like (state, action) => state but here payload is passed as the second argument as it will be required most of the time. If you need more info about an action, you can always use the third argument action which contains action type, payload and other data related to action. For example, to check if an action is dispatched because of an error:

// some action handler
fetched(state, payload, { error }) {
  // state should not be modified directly
  // so do a shallow copy first
  state = { ...state }

  // state updates common to both success and failure cases
  state.fetching = false

  // failure case
  if (error) {
    state.error = payload
    return state
  }

  // success case
  state.data = payload
  return state
}

Here we used Destructuring assignment to unpack error from the third argument action.

options

options object is used for configuring the Reducer. Currently these options are available:

{
  copy: false,
  // when `true`, `Reducer` automatically does a shallow copy of `state`
  // before calling a handler function
}
import Reducer from 'redux-reflex'

const todos = Reducer(
  'todos',
  { todos: [] },
  {
    // this function will be called when action type is 'todos/add'
    add(state, { text }) {
      // Since `copy` option is set to `true`, `Reducer` automatically
      // does a shallow copy of `state` before calling this function.
      // So you don't have to do `{ ...state }`.

      // `concat()` returns a new copy of array
      // and doesn't modify the original one.
      // `push()` should not be used as it modifies
      // the original array.
      state.todos = state.todos.concat(text)

      return state
    },
  },
  { copy: true }
)

Here we used Destructuring assignment to unpack text from payload. If payload is not passed as second argument then unpacking complex objects becomes hard to read.

Actions

Action creators are automatically created from reducer functions. If you need to define more action creators, you can use the Action function:

import { Action } from 'redux-reflex'

todos.add = Action('todos/add')

todos.add({ text: 'some task' })
/*
{
  type: 'todos/add',
  payload: { text: 'some task' },
}
*/

Action(type, transform = payload => payload)

type

type specifies the action type and should be unique. You can follow this convention to keep it unique: <app-name>/<feature-name>/<reducer-name>/<action-name>.

transform

transform is a function that can be used to modify the payload:

import { Action } from 'redux-reflex'

todos.add = Action('todos/add', payload => ({ text: payload }))

todos.add('some task')
/*
{
  type: 'todos/add',
  payload: { text: 'some task' },
}
*/

transform(actionCreator, transform)

Apply a transform function to existing action creators:

import Reducer, { transform } from 'redux-reflex'

const todos = Reducer(...) // assume that todos.add is already defined here

todos.add('some task')
/*
{
  type: 'todos/add',
  payload: 'some task',
}
*/

todos.add = transform(todos.add, payload => ({ text: payload }))

todos.add('some task')
/*
{
  type: 'todos/add',
  payload: { text: 'some task' },
}
*/

Async Actions

Async actions can be handled using a middleware like redux-thunk:

// define `todos.fetching` and `todos.fetched` using `Reducer` function
// and use the `error` property inside `todos.fetched` handler function
// to handle both success and failure cases
todos.fetch = () => dispatch => {
  dispatch(todos.fetching())
  return api
    .get('/todos')
    .then(response => dispatch(todos.fetched(response.data)))
    .catch(error => dispatch(todos.fetched(error)))
}

// dispatch it like a normal action
dispatch(todos.fetch())

Reusing Reducer Logic

Let's say you want to have two counters both having their own state but with same functionality. To do so, you just have to define two reducers with same initial state and handlers:

import { combineReducers, createStore } from 'redux'
import Reducer from 'redux-reflex'

const initialState = { count: 0 }
const handlers = {
  increment(state, amount) {
    return { ...state, count: state.count + amount }
  },
  decrement(state, amount) {
    return { ...state, count: state.count - amount }
  },
}

const counter1 = Reducer('counter1', initialState, handlers)
const counter2 = Reducer('counter2', initialState, handlers)

const store = createStore(combineReducers({ counter1, counter2 }))

Here counter1 and counter2 have their own slice of state and calling an action of one counter doesn't affect the state of other.

counter1.increment() // handled by counter1 reducer
/*
{
  type: 'counter1/increment',
}
*/

counter2.increment() // handled by counter2 reducer
/*
{
  type: 'counter2/increment',
}
*/

License

MIT

redux-reflex's People

Contributors

marella avatar

Stargazers

 avatar

Watchers

 avatar  avatar  avatar  avatar

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    ๐Ÿ–– Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. ๐Ÿ“Š๐Ÿ“ˆ๐ŸŽ‰

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google โค๏ธ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.