action
import { AsyncAction } from 'overmind'
export const getPosts: AsyncAction = async ({ state, actions, effects }) => {
  state.isLoadingPosts = true
  state.posts = await effects.api.getPosts()
  state.isLoadingPosts = false
}An action is where you write the logic of the application. Every action receives at least one argument and that is the context. This is the signature of the context:
{ state, actions, effects }
This injected context allows Overmind to understand from where you are changing state and running effects. You can also use other actions defined in your application. Additionally with injection your actions become highly testable as it can easily be mocked.
State changes are restricted to these actions. That means if you try to change the state outside of an action you will get an error. The state changes are also scoped to the action. That means it does not matter if you perform the state change asynchronously, either by defining the action as an async function or for example use a setTimeout. You can change the state at any time within the action.
Payload
When an action is called you can optionally pass it a payload. This payload is received as the second argument to the action.
import { Action } from 'overmind'
export const setTitle: Action<string> = ({ state }, title) => {
  state.title = title
}Typing
There are two different action types in Overmind, Action and AsyncAction. Both of them takes an Input param and an Output param where both of them default to void.
Action<void, void>
AsyncAction<void, void>.
The difference is that AsyncAction returns a Promise of the output, Promise<void>. Basically whenever you use an async action or explicitly return a promise from an action you should use the AsyncAction type.
Last updated
