• Stars
    star
    1,495
  • Rank 30,359 (Top 0.7 %)
  • Language
    TypeScript
  • License
    MIT License
  • Created over 6 years ago
  • Updated 3 months ago

Reviews

There are no reviews yet. Be the first to send feedback to the community and the maintainers!

Repository Details

⚡️ Dead simple state for React. Now with Hooks support.

undux

Build Status npm mit ts flow

Dead simple state management for React


📖 Official docs: https://undux.org


Install (with RxJS v5 or v6 - recommended)

# Using Yarn:
yarn add undux

# Or, using NPM:
npm install undux --save

Install (with RxJS v4)

# Using Yarn:
yarn add undux@^3

# Or, using NPM:
npm install undux@^3 --save

Design Goals

  1. Complete type-safety, no exceptions
  2. Super easy to use: forget actions, reducers, dispatchers, containers, etc.
  3. Familiar abstractions: just get and set

Read more here

Use

1. Create a store

import { createConnectedStore } from 'undux'

// Create a store with an initial value.
export default createConnectedStore({
  one: 0,
  two: 0
})

Be sure to define a key for each value in your model, even if the value is initially undefined.

2. Connect your React components

With React Hooks:

import Store from './MyStore'

// Re-render the component when the store updates.
function MyComponent() {
  let store = Store.useStore()
  return <div>
    <NumberInput onChange={store.set('one')} value={store.get('one')} />
    <NumberInput onChange={store.set('two')} value={store.get('two')} />
    Sum: {store.get('one') + store.get('two')}
  </div>
}

function NumberInput() {
  return <input
    onChange={e => this.props.onChange(parseInt(e.target.value, 10))}
    type="number"
    value={this.props.value}
  />
}

export default MyComponent

Without React Hooks:

import Store from './MyStore'

// Re-render the component when the store updates.
class MyComponent extends React.Component {
  render() {
    let store = this.props.store
    return <div>
      <NumberInput onChange={store.set('one')} value={store.get('one')} />
      <NumberInput onChange={store.set('two')} value={store.get('two')} />
      Sum: {store.get('one') + store.get('two')}
    </div>
  }
}

class NumberInput extends React.Component {
  render() {
    return <input
      onChange={e => this.props.onChange(parseInt(e.target.value, 10))}
      type="number"
      value={this.props.value}
    />
  }
}

export default Store.withStore(MyComponent)

3. Put your app in an Undux Container

import MyComponent from './MyComponent'
import Store from './MyStore'

class MyApp extends React.Component {
  render() {
    return <Store.Container>
      <MyComponent />
    </Store.Container>
  }
}

export default MyApp

That's all there is to it.

Open this code in playground.

Features

Effects

Though Undux automatically re-renders your connected React components for you when the store updates, it also lets you subscribe to changes to specific fields on your store. Undux subscriptions are full Rx observables, so you have fine control over how you react to a change:

import { debounce, filter } from 'rxjs/operators'

store
  .on('today')
  .pipe(
    filter(date => date.getTime() % 2 === 0), // Only even timestamps.
    debounce(100) // Fire at most once every 100ms.
  )
  .subscribe(date =>
    console.log('Date changed to', date)
  )

You can even use Effects to trigger a change in response to an update:

store
  .on('today')
  .pipe(
    debounce(100)
  )
  .subscribe(async date => {
    let users = await api.get({ since: date })
    store.set('users')(users)
  })

In order to keep its footprint small, Undux does not come with RxJS out of the box. However, Undux does come with a minimal implementation of parts of RxJS, which interoperates with RxJS operators. To use RxJS operators, you'll need to install RxJS first:

npm install rxjs --save

Partial application

Partially apply the set function to yield a convenient setter:

let setUsers = store.set('users')
setUsers(['amy'])
setUsers(['amy', 'bob'])

Built-in logger

Undux works out of the box with the Redux Devtools browser extension (download: Chrome, Firefox, React Native). To enable it, just wrap your store with the Redux Devtools plugin:

import { createConnectedStore, withReduxDevtools } from 'undux'

let store = createConnectedStore(initialState, withReduxDevtools)

Redux Devtools has an inspector, a time travel debugger, and jump-to-state built in. All of these features are enabled for Undux as well. It looks like this:

Alternatively, Undux has a simple, console-based debugger built in. Just create your store with withLogger higher order store, and all model updates (which key was updated, previous value, and new value) will be logged to the console.

To enable the logger, simply import withLogger and wrap your store with it:

import { createConnectedStore, withLogger } from 'undux'

let store = createConnectedStore(initialState, withLogger)

The logger will produce logs that look like this:

Effects

Undux is easy to modify with effects. Just define a function that takes a store as an argument, adding listeners along the way. For generic plugins that work across different stores, use the .onAll method to listen on all changes on a store:

// MyStore.ts (if using TypeScript)
import { Effects } from 'undux'

type State = {
  // ...
}

export type StoreEffects = Effects<State>

// MyEffects.ts
import { StoreEffects } from './MyStore'

let withLocalStorage: StoreEffects = store => {

  // Listen on all changes to the store.
  store.onAll().subscribe(({ key, value, previousValue }) =>
    console.log(key, 'changed from', previousValue, 'to', value)
  )

}

Recipes

Creating a store (TypeScript)

import { createConnectedStore, Effects, Store } from 'undux'

type State = {
  foo: number
  bar: string[]
}

let initialState: State = {
  foo: 12,
  bar: []
}

export default createConnectedStore(initialState)

export type StoreProps = {
  store: Store<State>
}

export type StoreEffects = Effects<State>

See full example (in JavaScript, TypeScript, or Flow) here.

Stateless component with props (TypeScript)

Have your own props? No problem.

import MyStore, { StoreProps } from './MyStore'

type Props = StoreProps & {
  foo: number
}

function MyComponent(props: Props) {
  return <>
    Today is {props.store.get('today')}
    Foo is {props.foo}
  </>
}

export default MyStore.withStore(MyComponent)

// Usage
<MyComponent foo={3} />

See full example (in JavaScript, TypeScript, or Flow) here.

Stateful component with props (TypeScript)

Undux is as easy to use with stateful components as with stateless ones.

import MyStore, { StoreProps } from './MyStore'

type Props = StoreProps & {
  foo: number
}

class MyComponent extends React.Component<Props> {
  render() {
    return <>
      Today is {this.props.store.get('today')}
      Foo is {this.props.foo}
    </>
  }
}

export default MyStore.withStore(MyComponent)

// Usage
<MyComponent foo={3} />

See full example (in JavaScript, TypeScript, or Flow) here.

Undux + Hot module reloading

See a full example here.

Undux + TodoMVC

See the Undux TodoMVC example here.

Design philosophy

Goal #1 is total type-safety.

Getting, setting, reading, and listening on model updates is 100% type-safe: use a key that isn't defined in your model or set a key to the wrong type, and you'll get a compile-time error. And connected components and Effects are just as type-safe.

Goal #2 is letting you write as little boilerplate as possible.

Define your model in a single place, and use it anywhere safely. No need to define tedious boilerplate for each field on your model. Container components and action creators are optional - most of the time you don't need them, and can introduce them only where needed as your application grows.

Goal #3 is familiar abstractions.

No need to learn about Actions, Reducers, or any of that. Just call get and set, and everything works just as you expect.

Tests

yarn test

License

MIT

More Repositories

1

json-schema-to-typescript

Compile JSONSchema to TypeScript type declarations
TypeScript
2,742
star
2

frontend-interview-questions

Answers for https://borischerny.com/javascript/%22functional/programming%22/2017/06/09/Frontend-Interview-Questions.html
JavaScript
1,041
star
3

programming-typescript-answers

Official answers for exercises from Orielly's Programming TypeScript
TypeScript
466
star
4

flow-to-typescript

Convert Flow-annotated files to TypeScript
TypeScript
430
star
5

draggable

High performance, fully cross browser, full featured drag and drop in a tiny (2k gzipped), dependency-free package
JavaScript
184
star
6

ngimport

Easy to use ES6 imports for $http, $log, and other Angular 1 services
TypeScript
99
star
7

tslint-no-circular-imports

TSLint plugin to detect and warn about circular imports
TypeScript
86
star
8

lazy-arr

Arrays that look just like regular JavaScript arrays, but are computed lazily.
TypeScript
65
star
9

tsoption

Correct, easy to use Option type for TypeScript. 🦄
TypeScript
55
star
10

json-schema-to-typescript-browser

Browser demo for json-schema-to-typescript
JavaScript
36
star
11

format-as-currency

Angular directive to format an input as a currency as the user types
JavaScript
32
star
12

india

INterface Diffing and Inspection Assistant
JavaScript
29
star
13

typed-rx-emitter

Typesafe RxJS-based EventEmitter
TypeScript
27
star
14

css-to-matrix

A little library for converting compound CSS transforms into their matrix equivalents
JavaScript
21
star
15

typed-trait

A 100% typesafe class trait util for TypeScript
TypeScript
21
star
16

penner

A library for Penner's easing equations.
JavaScript
15
star
17

redrock

Typesafe, reactive redux
TypeScript
14
star
18

uxhr

The teeny tiny cross-browser XHR library - just 493 bytes gzipped!
JavaScript
12
star
19

language-types-comparison

hierarchical diagram of various type systems
12
star
20

undux-todomvc

TypeScript
11
star
21

SASS-Base64

An automated SASS base64 inline image generator
Python
10
star
22

transform-to-matrix

A tiny library to get 2/3D matricies from CSS3 transform functions. Fully covered by unit tests, with support for AMD, CommonJS, Node, and browser globals.
JavaScript
10
star
23

better-asciidoctor-vscode

AsciiDoc VSCode plugin with live preview - makes your Asciidoc look like an Orielly book
CSS
8
star
24

angular-sticky-table-header

Sticky headers for tables
CoffeeScript
6
star
25

infinite-scroll

High performance infinite scrolling for AngularJS.
CoffeeScript
6
star
26

contributor.io

Fetch counts of a user's contributions to various platforms (Github, NPM, Gems, CPAN, Nuget, ...)
CoffeeScript
5
star
27

isbn-cover

Get a book cover from a 9, 10, or 13 digit ISBN. Works with AMD, CommonJS, Node, and browser globals.
CoffeeScript
5
star
28

undux.org

Documentation for Undux
TypeScript
4
star
29

angular2react-demos

Example usages for angular2react and react2angular
JavaScript
4
star
30

Talks

Some presentations I made or am working on
JavaScript
4
star
31

angular-butter-scroll

A plug and play angular directive for smooth scrolling that works by disabling pointer events
CoffeeScript
3
star
32

microbox

A beautiful, lightweight, cross browser lightbox.js replacement
CSS
3
star
33

watch-dom

Angular $watch for the DOM
CoffeeScript
3
star
34

promise-seq

lazy-execute promises in sequence
TypeScript
3
star
35

-dev-null

JavaScript
3
star
36

create-typescript-app

🔮 1 command to create a new TypeScript Node app
JavaScript
3
star
37

matrix-utilities

Tiny (607b gzipped), high performance utilities for performing 2/3D matrix calculations. Full unit test coverage, compatible with Node/CommonJS, AMD, and browser globals.
CoffeeScript
3
star
38

fx

The tiny animation library - high performance, works with everthing from iOS to IE6, and dependency free. For applications where you need a lot of animation functionality without a lot of footprint
JavaScript
3
star
39

umodel

Tiny, generic, fully tested model.
CoffeeScript
3
star
40

tuple-map

ES6 Map where keys are 2-tuples
TypeScript
2
star
41

savant

A designer-friendly way to generate icon fonts from a folder of SVG icons
JavaScript
2
star
42

color-dungeon-solver

A solver for the Color Dungeon Puzzle in Zelda: Link's Awakening DX for Gameboy
JavaScript
2
star
43

programmingtypescriptbook.com

HTML
2
star
44

winston-bugsnag

A Bugsnag transport for Winston
TypeScript
2
star
45

content-type-to-ext

Map content-type to file extension (and vice-versa)
TypeScript
2
star
46

tsedit

TypeScript Notebooks
TypeScript
2
star
47

Chart

High performance CSS chart rendering from tables
JavaScript
2
star
48

wordscapes-solver

Solver for Wordscapes game
Haskell
2
star
49

auditable

Auditable data structures for modern browsers
TypeScript
2
star
50

skymaps

TypeScript
1
star
51

codenam.es

https://codenam.es
JavaScript
1
star
52

undux-fb

Facebook-specific wrapper for Undux
Shell
1
star
53

annie

A super tiny library for authoring cross-browser animations
JavaScript
1
star
54

js-math

JavaScript
1
star
55

crdt-demo

TypeScript
1
star
56

tsinit

Zero-config, opinionated generator for TypeScript+TsLint+Ava projects
JavaScript
1
star
57

Flashcards

Simple flashcards app
TypeScript
1
star
58

concat-maps

Efficiently concatenate ES6 Maps
TypeScript
1
star
59

rxjs-observable

Standalone Observable, pulled out of RxJS
TypeScript
1
star
60

undux-hot-module-reloading-demo

Hot module reloading demo for Undux
JavaScript
1
star
61

CT4S

Category Theory for the Sciences
1
star
62

node-timezone

Get server timezone
JavaScript
1
star
63

learning-scala-v2

Scala
1
star
64

tassert

High quality runtime assertions for Typescript
JavaScript
1
star
65

sha1-from-file

generate a short sha1 hash from a file's contents
TypeScript
1
star
66

angular-search

A lightweight Angular search widget
CoffeeScript
1
star
67

npm-packages

Fetch a user's package count from NPM
CoffeeScript
1
star
68

bcherny.github.io

My blog
SCSS
1
star
69

typed-store

a strongly typed store with lenses and change subscription
JavaScript
1
star
70

bst-next

Find the next node in a Binary Search Tree
Haskell
1
star
71

awesome-guide-to-protractor-testing

some notes and lessons learned writing protractor tests and getting them to run on ci
1
star