forked from reduxjs/redux
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathdispatch.ts
46 lines (37 loc) · 1.02 KB
/
dispatch.ts
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
import { Dispatch, AnyAction } from 'redux'
/**
* Default Dispatch type accepts any object with `type` property.
*/
function simple() {
const dispatch: Dispatch = null as any
const a = dispatch({ type: 'INCREMENT', count: 10 })
a.count
// typings:expect-error
a.wrongProp
// typings:expect-error
dispatch('not-an-action')
}
/**
* Dispatch accepts type argument that restricts allowed action types.
*/
function discriminated() {
interface IncrementAction {
type: 'INCREMENT'
count?: number
}
interface DecrementAction {
type: 'DECREMENT'
count?: number
}
// Union of all actions in the app.
type MyAction = IncrementAction | DecrementAction
const dispatch: Dispatch<MyAction> = null as any
dispatch({ type: 'INCREMENT' })
dispatch({ type: 'DECREMENT', count: 10 })
// Known actions are strictly checked.
// typings:expect-error
dispatch({ type: 'DECREMENT', count: '' })
// Unknown actions are rejected.
// typings:expect-error
dispatch({ type: 'SOME_OTHER_TYPE' })
}