No Description

Herbert Vojčík 35bf847019 wip 8 years ago
src 35bf847019 wip 8 years ago
.gitignore 1c6276ee90 amber init 8 years ago
Gruntfile.js 1c6276ee90 amber init 8 years ago
LICENSE 92e382e53b Initial commit 8 years ago
README.md 35bf847019 wip 8 years ago
bower.json a4eeb3cfa4 Remove some github urls. 8 years ago
config-browser.js 1c6276ee90 amber init 8 years ago
config-node.js 1c6276ee90 amber init 8 years ago
deploy.js 1c6276ee90 amber init 8 years ago
devel.js 1c6276ee90 amber init 8 years ago
index.html 1c6276ee90 amber init 8 years ago
local.amd.json 1c6276ee90 amber init 8 years ago
package.json e67ec3112f package.json: Fix license field. 8 years ago
testing.js 1c6276ee90 amber init 8 years ago

README.md

sedux

Redux-inspired framework for (Amber) Smalltalk.

Mappings of Redux parts to Smalltalk

While original JS types are in flux notation, Smalltalk types are just pseudo-schema.

###State

type State = any

State (also called the state tree) is a broad term, but in the Redux API it usually refers to the single state value that is managed by the store and returned by getState(). It represents the entire state of a Redux application, which is often a deeply nested object.

By convention, the top-level state is an object or some other key-value collection like a Map, but technically it can be any type. Still, you should do your best to keep the state serializable. Don’t put anything inside it that you can’t easily turn into JSON.

In Smalltalk:

type State = >> perform: <ActionType> withArguments: <Payload>

###Action

type Action = Object

An action is a plain object that represents an intention to change the state. Actions are the only way to get data into the store. Any data, whether from UI events, network callbacks, or other sources such as WebSockets needs to eventually be dispatched as actions.

Actions must have a type field that indicates the type of action being performed. Types can be defined as constants and imported from another module. It’s better to use strings for type than Symbols because strings are serializable.

Other than type, the structure of an action object is really up to you. If you’re interested, check out Flux Standard Action for recommendations on how actions should be constructed.

See also async action below.

In Smalltalk:

type Action = >> sendTo: <Dispatch> => <self>, >> selector => <ActionType> [default: Message]
type ActionType = Symbol | any
type Payload = Array | any
Sedux class >> dispatch: anAction with: aReceiver fallback: aBlock ^ (aReceiver respondsTo: anAction selector) ifTrue: [ anAction sendTo: aReceiver ] ifFalse: aBlock

###Reducer

type Reducer<S, A> = (state: S, action: A) => S

A reducer (also called a reducing function) is a function that accepts an accumulation and a value and returns a new accumulation. They are used to reduce a collection of values down to a single value.

Reducers are not unique to Redux—they are a fundamental concept in functional programming. Even most non-functional languages, like JavaScript, have a built-in API for reducing. In JavaScript, it's Array.prototype.reduce().

In Redux, the accumulated value is the state object, and the values being accumulated are actions. Reducers calculate a new state given the previous state and an action. They must be pure functions—functions that return the exact same output for given inputs. They should also be free of side-effects. This is what enables exciting features like hot reloading and time travel.

Reducers are the most important concept in Redux.

Do not put API calls into reducers.

In Smalltalk:

type Reducer<S, A> = >> value:<S>value:<A> => <S | self> [trivial: BlockClosure; nontrivial: Reducer class subclass]
Reducer class >> value: aState value: anAction ^ Sedux dispatch: anAction with: (self on: aState) fallback: [ self ]
Reducer class >> on: aState ^ self new seduxState: aState; yourself
Reducer >> seduxState: aState state := aState

###Dispatching Function

type BaseDispatch = (a: Action) => Action
type Dispatch = (a: Action | AsyncAction) => any

A dispatching function (or simply dispatch function) is a function that accepts an action or an async action; it then may or may not dispatch one or more actions to the store.

We must distinguish between dispatching functions in general and the base dispatch function provided by the store instance without any middleware.

The base dispatch function always synchronously sends an action to the store’s reducer, along with the previous state returned by the store, to calculate a new state. It expects actions to be plain objects ready to be consumed by the reducer.

Middleware wraps the base dispatch function. It allows the dispatch function to handle async actions in addition to actions. Middleware may transform, delay, ignore, or otherwise interpret actions or async actions before passing them to the next middleware. See below for more information.

In Smalltalk: is not a function, but an object that is sent the Action (eg. a message). There is no BaseDispatch.

type Dispatch = >> respondsTo: <ActionType>, >> perform: <ActionType> withArguments: <Payload>

###Action Creator

type ActionCreator = (...args: any) => Action | AsyncAction

An action creator is, quite simply, a function that creates an action. Do not confuse the two terms—again, an action is a payload of information, and an action creator is a factory that creates an action.

Calling an action creator only produces an action, but does not dispatch it. You need to call the store’s dispatch function to actually cause the mutation. Sometimes we say bound action creators to mean functions that call an action creator and immediately dispatch its result to a specific store instance.

If an action creator needs to read the current state, perform an API call, or cause a side effect, like a routing transition, it should return an async action instead of an action.

In Smalltalk: there is no action creator. There is AutoDispatch that catches the message (that is, an Action) in doesNotUnderstand: and that is how Action is created and dispatched at the same time. If you want to create Action to save and dispatch later, create Message by hand, and dispatch it by action sendTo: dispatch.

type AutoDispatch = SeduxAutoDispatch
ProtoObject subclass: #SeduxAutoDispatch.
SeduxAutoDispatch >> doesNotUnderstand: aMessage "check if selector is safe (does not start with 'sedux')" ^ store dispatch: aMessage

###Async Action

type AsyncAction = any

An async action is a value that is sent to a dispatching function, but is not yet ready for consumption by the reducer. It will be transformed by middleware into an action (or a series of actions) before being sent to the base dispatch() function. Async actions may have different types, depending on the middleware you use. They are often asynchronous primitives, like a Promise or a thunk, which are not passed to the reducer immediately, but trigger action dispatches once an operation has completed.

In Smalltalk: there is no specific Async Action. Action represents any action; it is properly decorated Dispatch that can take care of non-synchronous Action.

###Middleware

type MiddlewareAPI = { dispatch: Dispatch, getState: () => State }
type Middleware = (api: MiddlewareAPI) => (next: Dispatch) => Dispatch

A middleware is a higher-order function that composes a dispatch function to return a new dispatch function. It often turns async actions into actions.

Middleware is composable using function composition. It is useful for logging actions, performing side effects like routing, or turning an asynchronous API call into a series of synchronous actions.

See applyMiddleware(...middlewares) for a detailed look at middleware.

In Smalltalk: There is none. Just use Store Enhancer.

###Store

type Store = {
  dispatch: Dispatch
  getState: () => State
  subscribe: (listener: () => void) => () => void
  replaceReducer: (reducer: Reducer) => void
}

A store is an object that holds the application’s state tree. There should only be a single store in a Redux app, as the composition happens on the reducer level.

dispatch(action) is the base dispatch function described above. getState() returns the current state of the store. subscribe(listener) registers a function to be called on state changes. replaceReducer(nextReducer) can be used to implement hot reloading and code splitting. Most likely you won’t use it. See the complete store API reference for more details.

In Smalltalk:

type Store = >> dispatch => AutoDispatch, >> dispatch: <Action>, >> state => <State>

Base store is SeduxStore, decorated ones are SeduxDecoratedStore.

###Store creator

type StoreCreator = (reducer: Reducer, initialState: ?State) => Store

A store creator is a function that creates a Redux store. Like with dispatching function, we must distinguish the base store creator, createStore(reducer, initialState) exported from the Redux package, from store creators that are returned from the store enhancers.

In Smalltalk: not a function, but an object that is sent inject:into:. It can be a class which thereby creates a new instance, or an instance of some higher order creator. Both should subclass StoreCreator as it has the convenience inject: without into: part as well as * wrapper with StoreEnhancers.

SeduxStoreCreator class >> inject: anObject ^ self inject: anObject into: nil
SeduxStoreCreator >> inject: anObject ^ self inject: anObject into: nil
SeduxStoreCreator class >> << aStoreEnhancer ^ aStoreEnhancer next: self
SeduxStoreCreator >> << aStoreEnhancer ^ aStoreEnhancer next: self
type StoreCreator = SeduxStoreCreator subclass: | SeduxStoreCreator class subclass:, >> inject: <Reducer> into: <State> => Store, >> << <StoreEnhancer> => StoreCreator
StoreCreator subclass: #Sedux.
Sedux class >> inject: aReducer into: anObject "Creates a store, dispatches initiating message" 

###Store enhancer

type StoreEnhancer = (next: StoreCreator) => StoreCreator

A store enhancer is a higher-order function that composes a store creator to return a new, enhanced store creator. This is similar to middleware in that it allows you to alter the store interface in a composable way.

Store enhancers are much the same concept as higher-order components in React, which are also occasionally called “component enhancers”.

Because a store is not an instance, but rather a plain-object collection of functions, copies can be easily created and modified without mutating the original store. There is an example in compose documentation demonstrating that.

Most likely you’ll never write a store enhancer, but you may use the one provided by the developer tools. It is what makes time travel possible without the app being aware it is happening. Amusingly, the Redux middleware implementation is itself a store enhancer.

In Smalltalk: not a function, but an object.

type StoreEnhancer = >> next: <StoreCreator> => StoreCreator [default: SeduxDecorator class subclass]

###Smalltalk solutions

As Smalltalk does not have higher order functions easily and is class-based, there is SeduxDecorator which plays three roles: Dispatch (instance side), StoreCreator (class side) and StoreEnhancer (class side, by returning self). The latter is, of course, not reusable - you can only use a class once as a StoreEnhancer - but the class-based solution, if you want to reuse, is to create dedicated subclasses just for the purpose of using them as distinct StoreEnhancers.

SeduxDecorator class >> next: aStoreCreator next := aStoreCreator. ^self
SeduxDecorator class >> inject: aReducer into: anObject ^ SeduxDecoratedStore dispatch: self new next: (self nextInject: aReducer into: anObject)
SeduxDecorator class >> nextInject: aReducer into: anObject ^ next inject: aReducer into: anObject

The SeduxDecoratedStore wraps another Store and forwards all sedux messages to it, except dispatch:.

 SeduxDecoratedStore >> dispatch: anAction ^ Sedux dispatch: anAction with: dispatch fallback: [ ^ next dispatch: anAction ]

So, a store is created as

store := (Sedux << SomeEnhancer << SomeOtherEnhancer << ....) inject: reducer

and dispatcher can be obtained by

dispatch := store dispatch

Then, dispatching actions is done via

dispatch keyword: 'foo' another: 'bar'