use-typed-reducer 3.3.7 → 4.0.0
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/README.md +130 -51
- package/dist/hooks.d.ts +4 -0
- package/dist/hooks.d.ts.map +1 -0
- package/dist/index.cjs +5 -5
- package/dist/index.cjs.map +1 -1
- package/dist/index.d.ts +4 -13
- package/dist/index.d.ts.map +1 -1
- package/dist/index.js +262 -232
- package/dist/index.js.map +1 -1
- package/dist/index.umd.cjs +5 -5
- package/dist/index.umd.cjs.map +1 -1
- package/dist/lib.d.ts +2 -1
- package/dist/lib.d.ts.map +1 -1
- package/dist/plugins.d.ts +6 -0
- package/dist/plugins.d.ts.map +1 -0
- package/dist/types.d.ts +9 -9
- package/dist/types.d.ts.map +1 -1
- package/dist/use-typed-reducer.d.ts +11 -0
- package/dist/use-typed-reducer.d.ts.map +1 -0
- package/package.json +1 -1
package/README.md
CHANGED
|
@@ -1,46 +1,56 @@
|
|
|
1
1
|
# use-typed-reducer
|
|
2
2
|
|
|
3
|
-
Another way to use [useReducer](https://reactjs.org/docs/hooks-reference.html#usereducer) hook, with strongly type rules
|
|
3
|
+
Another way to use [useReducer](https://reactjs.org/docs/hooks-reference.html#usereducer) hook, with strongly type rules
|
|
4
|
+
defined by you.
|
|
4
5
|
|
|
5
|
-
**Now you can control your local state or global state using the same API**. Check
|
|
6
|
+
**Now you can control your local state or global state using the same API**. Check
|
|
7
|
+
the [createGlobalReducer](#createglobalreducer) for global state.
|
|
6
8
|
|
|
7
9
|
<!-- TOC -->
|
|
10
|
+
|
|
8
11
|
* [use-typed-reducer](#use-typed-reducer)
|
|
9
12
|
* [Install](#install)
|
|
10
13
|
* [Why use *use-typed-reducer*](#why-use-use-typed-reducer)
|
|
11
14
|
* [Using](#using)
|
|
12
|
-
|
|
13
|
-
|
|
15
|
+
* [useReducer (default import) or `useTypedReducer`](#usereducer-default-import-or-usetypedreducer)
|
|
16
|
+
* [useReducerWithProps](#usereducerwithprops)
|
|
14
17
|
* [useReducer](#usereducer)
|
|
15
18
|
* [createGlobalReducer](#createglobalreducer)
|
|
19
|
+
|
|
16
20
|
<!-- TOC -->
|
|
17
21
|
|
|
18
22
|
# Install
|
|
19
23
|
|
|
20
24
|
With npm:
|
|
25
|
+
|
|
21
26
|
```bash
|
|
22
27
|
npm install use-typed-reducer
|
|
23
28
|
```
|
|
24
29
|
|
|
25
30
|
With yarn:
|
|
31
|
+
|
|
26
32
|
```bash
|
|
27
33
|
yarn add use-typed-reducer
|
|
28
34
|
```
|
|
29
35
|
|
|
30
36
|
# Why use *use-typed-reducer*
|
|
31
37
|
|
|
32
|
-
The original useReducer forces you to use the well-known redux pattern. We need to pass the parameters in an object and
|
|
38
|
+
The original useReducer forces you to use the well-known redux pattern. We need to pass the parameters in an object and
|
|
39
|
+
a mandatory "type" to identify the action being performed.
|
|
33
40
|
|
|
34
|
-
With useTypedReducer, you can use your function the way you prefer, it will infer the parameters and return a new
|
|
41
|
+
With useTypedReducer, you can use your function the way you prefer, it will infer the parameters and return a new
|
|
42
|
+
function with the current state so that you can make the changes you want to the new state
|
|
35
43
|
|
|
36
44
|
# Using
|
|
37
45
|
|
|
38
46
|
## useReducer (default import) or `useTypedReducer`
|
|
39
47
|
|
|
40
|
-
`useTypedReducer` receive the initialState and dictionary/object with all reducers and return tuple with state and
|
|
48
|
+
`useTypedReducer` receive the initialState and dictionary/object with all reducers and return tuple with state and
|
|
49
|
+
dispatch. Dispatch has the same key and functions of given dictionary in `useTypedReducer`, but return a new function to
|
|
50
|
+
update state. This void `dispatch({ type: "ACTION" })`
|
|
41
51
|
|
|
42
52
|
```tsx
|
|
43
|
-
import {
|
|
53
|
+
import {useTypedReducer, UseReducer} from "./index";
|
|
44
54
|
|
|
45
55
|
const initialState = {
|
|
46
56
|
numbers: 0,
|
|
@@ -56,12 +66,12 @@ type Reducers = {
|
|
|
56
66
|
};
|
|
57
67
|
|
|
58
68
|
const reducers: Reducers = {
|
|
59
|
-
increment: () => (state) => ({
|
|
69
|
+
increment: () => (state) => ({...state, numbers: state.numbers + 1}),
|
|
60
70
|
onChange: (e: React.ChangeEvent<HTMLInputElement>) => {
|
|
61
71
|
const value = e.target.valueAsNumber
|
|
62
|
-
return (state) => ({
|
|
72
|
+
return (state) => ({...state, numbers: value})
|
|
63
73
|
},
|
|
64
|
-
reset: () => (state) => ({
|
|
74
|
+
reset: () => (state) => ({...state, numbers: 0})
|
|
65
75
|
};
|
|
66
76
|
|
|
67
77
|
|
|
@@ -71,83 +81,84 @@ const Component = () => {
|
|
|
71
81
|
return (
|
|
72
82
|
<>
|
|
73
83
|
<button onClick={dispatch.increment}>+Increment</button>
|
|
74
|
-
<input onChange={dispatch.onChange} value={state.numbers}
|
|
84
|
+
<input onChange={dispatch.onChange} value={state.numbers}/>
|
|
75
85
|
<button onClick={dispatch.reset}>Reset</button>
|
|
76
86
|
</>
|
|
77
87
|
)
|
|
78
88
|
}
|
|
79
89
|
```
|
|
80
90
|
|
|
81
|
-
|
|
82
91
|
## useReducerWithProps
|
|
83
92
|
|
|
84
93
|
The same of useTypedReducer, but receive a `getProps` as second argument in the second function.
|
|
85
94
|
|
|
86
|
-
|
|
87
95
|
```typescript jsx
|
|
88
|
-
import {
|
|
96
|
+
import {useReducerWithProps, UseReducer} from "./index";
|
|
89
97
|
|
|
90
|
-
const initialState = {
|
|
98
|
+
const initialState = {numbers: 0, something: ""};
|
|
91
99
|
|
|
92
100
|
type State = typeof initialState;
|
|
93
101
|
|
|
94
102
|
type Reducers = {
|
|
95
|
-
|
|
96
|
-
|
|
97
|
-
|
|
103
|
+
reset: UseReducer.Reducer<State, () => any>;
|
|
104
|
+
onChange: UseReducer.Reducer<State, (e: React.ChangeEvent<HTMLInputElement>) => any>;
|
|
105
|
+
increment: UseReducer.Reducer<State, () => any>;
|
|
98
106
|
};
|
|
99
107
|
|
|
100
108
|
type Props = {
|
|
101
|
-
|
|
109
|
+
list: number[];
|
|
102
110
|
}
|
|
103
111
|
|
|
104
112
|
const reducers: Reducers = {
|
|
105
|
-
|
|
106
|
-
|
|
107
|
-
|
|
108
|
-
|
|
109
|
-
|
|
110
|
-
|
|
111
|
-
|
|
112
|
-
|
|
113
|
-
|
|
113
|
+
increment: () => (state) => ({...state, numbers: state.numbers + 1}),
|
|
114
|
+
onChange: (e: React.ChangeEvent<HTMLInputElement>) => {
|
|
115
|
+
const value = e.target.valueAsNumber;
|
|
116
|
+
return (state, props) => {
|
|
117
|
+
const find = props.list.find(x => x === value);
|
|
118
|
+
return find === undefined ? ({...state, numbers: value}) : ({...state, numbers: find * 2});
|
|
119
|
+
};
|
|
120
|
+
},
|
|
121
|
+
reset: () => (state) => ({...state, numbers: 0})
|
|
114
122
|
};
|
|
115
123
|
|
|
116
124
|
|
|
117
125
|
const Component = (props: Props) => {
|
|
118
|
-
|
|
119
|
-
|
|
120
|
-
|
|
121
|
-
|
|
122
|
-
|
|
123
|
-
|
|
124
|
-
|
|
125
|
-
|
|
126
|
-
|
|
126
|
+
const [state, dispatch] = useReducerWithProps(initialState, props, reducers);
|
|
127
|
+
|
|
128
|
+
return (
|
|
129
|
+
<Fragment>
|
|
130
|
+
<button onClick={dispatch.increment}>+Increment</button>
|
|
131
|
+
<input onChange={dispatch.onChange} value={state.numbers}/>
|
|
132
|
+
<button onClick={dispatch.reset}>Reset</button>
|
|
133
|
+
</Fragment>
|
|
134
|
+
);
|
|
127
135
|
};
|
|
128
136
|
```
|
|
129
137
|
|
|
130
138
|
# useReducer
|
|
131
139
|
|
|
132
|
-
This is the new way to control your state, but with the old way of use-typed-reducer. Now you have a function to
|
|
140
|
+
This is the new way to control your state, but with the old way of use-typed-reducer. Now you have a function to
|
|
141
|
+
getState and a function to get the props. With this you can avoid to take a function that return a function to update
|
|
142
|
+
state.
|
|
133
143
|
|
|
134
144
|
```typescript
|
|
135
145
|
export const useMath = () => {
|
|
136
|
-
|
|
137
|
-
|
|
138
|
-
|
|
139
|
-
|
|
146
|
+
return useReducer({count: 0}, (getState) => ({
|
|
147
|
+
sum: (n: number) => ({count: n + getState().count}),
|
|
148
|
+
diff: (n: number) => ({count: n - getState().count})
|
|
149
|
+
}));
|
|
140
150
|
};
|
|
141
151
|
```
|
|
142
152
|
|
|
143
153
|
# createGlobalReducer
|
|
144
154
|
|
|
145
|
-
If you need a way to create a global state, you can use this function. This enables you to create a global state without
|
|
155
|
+
If you need a way to create a global state, you can use this function. This enables you to create a global state without
|
|
156
|
+
a Context provider. The API is the same API of `useReducer`, but returns a hook to use the global context.
|
|
146
157
|
|
|
147
158
|
```typescript jsx
|
|
148
|
-
const useStore = createGlobalReducer({
|
|
149
|
-
increment: () => ({
|
|
150
|
-
decrement: () => ({
|
|
159
|
+
const useStore = createGlobalReducer({count: 0}, (arg) => ({
|
|
160
|
+
increment: () => ({count: arg.state().count + 1}),
|
|
161
|
+
decrement: () => ({count: arg.state().count - 1}),
|
|
151
162
|
}));
|
|
152
163
|
|
|
153
164
|
export default function App() {
|
|
@@ -162,12 +173,13 @@ export default function App() {
|
|
|
162
173
|
}
|
|
163
174
|
```
|
|
164
175
|
|
|
165
|
-
You can pass a selector to `useStore` to get only the part of state that you need. This will optimize your components
|
|
176
|
+
You can pass a selector to `useStore` to get only the part of state that you need. This will optimize your components
|
|
177
|
+
render, doing the re-render only when the selector get a different value from the previous state.
|
|
166
178
|
|
|
167
179
|
```typescript jsx
|
|
168
|
-
const useStore = createGlobalReducer({
|
|
169
|
-
increment: () => ({
|
|
170
|
-
decrement: () => ({
|
|
180
|
+
const useStore = createGlobalReducer({count: 0}, (arg) => ({
|
|
181
|
+
increment: () => ({count: arg.state().count + 1}),
|
|
182
|
+
decrement: () => ({count: arg.state().count - 1}),
|
|
171
183
|
}));
|
|
172
184
|
|
|
173
185
|
export default function App() {
|
|
@@ -181,3 +193,70 @@ export default function App() {
|
|
|
181
193
|
);
|
|
182
194
|
}
|
|
183
195
|
```
|
|
196
|
+
|
|
197
|
+
# Tips and Tricks
|
|
198
|
+
|
|
199
|
+
You need to store your state at LocalStorage? Do you need a logger for each change in state? Okay, let's go
|
|
200
|
+
|
|
201
|
+
## Save at LocalStorage
|
|
202
|
+
|
|
203
|
+
````typescript
|
|
204
|
+
import * as React from "react";
|
|
205
|
+
import {useReducer} from "use-typed-reducer"
|
|
206
|
+
|
|
207
|
+
const App = () => {
|
|
208
|
+
const [state, dispatch] = useReducer(
|
|
209
|
+
{name: "", topics: [] as string []},
|
|
210
|
+
(get) => ({
|
|
211
|
+
onChange: (e: React.ChangeEvent<HTMLInputElement>) => {
|
|
212
|
+
const value = e.target.value;
|
|
213
|
+
const name = e.target.name;
|
|
214
|
+
return {...get.state(), [name]: value}
|
|
215
|
+
}
|
|
216
|
+
}),
|
|
217
|
+
undefined, // no props used,
|
|
218
|
+
// this is your middleware to store state at localStorage
|
|
219
|
+
[
|
|
220
|
+
(state) => {
|
|
221
|
+
localStorage.setItem("myState", state);
|
|
222
|
+
return state;
|
|
223
|
+
}
|
|
224
|
+
]
|
|
225
|
+
);
|
|
226
|
+
}
|
|
227
|
+
````
|
|
228
|
+
|
|
229
|
+
## State logger
|
|
230
|
+
|
|
231
|
+
Maybe you miss the `redux-logger` behaviour. I you help you to recovery this behaviour using use-typed-reducer
|
|
232
|
+
|
|
233
|
+
````typescript
|
|
234
|
+
import * as React from "react";
|
|
235
|
+
import {useReducer} from "use-typed-reducer"
|
|
236
|
+
|
|
237
|
+
const App = () => {
|
|
238
|
+
const [state, dispatch] = useReducer(
|
|
239
|
+
{name: "", topics: [] as string []},
|
|
240
|
+
(get) => ({
|
|
241
|
+
onChange: (e: React.ChangeEvent<HTMLInputElement>) => {
|
|
242
|
+
const value = e.target.value;
|
|
243
|
+
const name = e.target.name;
|
|
244
|
+
return {...get.state(), [name]: value}
|
|
245
|
+
}
|
|
246
|
+
}),
|
|
247
|
+
undefined, // no props used,
|
|
248
|
+
// this is your middleware to log your state
|
|
249
|
+
[
|
|
250
|
+
(state, key, previousState) => {
|
|
251
|
+
console.group("My State");
|
|
252
|
+
// the method that updated your state
|
|
253
|
+
console.info("Update by", method);
|
|
254
|
+
console.info("Previous state", prev);
|
|
255
|
+
console.info(state);
|
|
256
|
+
console.groupEnd();
|
|
257
|
+
return state;
|
|
258
|
+
}
|
|
259
|
+
]
|
|
260
|
+
);
|
|
261
|
+
}
|
|
262
|
+
````
|
package/dist/hooks.d.ts
ADDED
|
@@ -0,0 +1 @@
|
|
|
1
|
+
{"version":3,"file":"hooks.d.ts","sourceRoot":"","sources":["../src/hooks.ts"],"names":[],"mappings":"AAAA,OAAO,EAAE,gBAAgB,EAAqB,MAAM,OAAO,CAAC;AAE5D,eAAO,MAAM,UAAU,iDAItB,CAAC;AAEF,eAAO,MAAM,WAAW,oBAMvB,CAAC"}
|
package/dist/index.cjs
CHANGED
|
@@ -1,4 +1,4 @@
|
|
|
1
|
-
"use strict";Object.
|
|
1
|
+
"use strict";Object.defineProperty(exports,Symbol.toStringTag,{value:"Module"});const y=require("react");var K={exports:{}},W={},D={exports:{}},B={};/**
|
|
2
2
|
* @license React
|
|
3
3
|
* use-sync-external-store-shim.production.min.js
|
|
4
4
|
*
|
|
@@ -6,7 +6,7 @@
|
|
|
6
6
|
*
|
|
7
7
|
* This source code is licensed under the MIT license found in the
|
|
8
8
|
* LICENSE file in the root directory of this source tree.
|
|
9
|
-
*/var
|
|
9
|
+
*/var z;function ee(){if(z)return B;z=1;var e=y;function t(r,u){return r===u&&(r!==0||1/r===1/u)||r!==r&&u!==u}var o=typeof Object.is=="function"?Object.is:t,f=e.useState,S=e.useEffect,v=e.useLayoutEffect,E=e.useDebugValue;function h(r,u){var s=u(),c=f({inst:{value:s,getSnapshot:u}}),a=c[0].inst,p=c[1];return v(function(){a.value=s,a.getSnapshot=u,_(a)&&p({inst:a})},[r,s,u]),S(function(){return _(a)&&p({inst:a}),r(function(){_(a)&&p({inst:a})})},[r]),E(s),s}function _(r){var u=r.getSnapshot;r=r.value;try{var s=u();return!o(r,s)}catch{return!0}}function d(r,u){return u()}var n=typeof window>"u"||typeof window.document>"u"||typeof window.document.createElement>"u"?d:h;return B.useSyncExternalStore=e.useSyncExternalStore!==void 0?e.useSyncExternalStore:n,B}var P={};/**
|
|
10
10
|
* @license React
|
|
11
11
|
* use-sync-external-store-shim.development.js
|
|
12
12
|
*
|
|
@@ -14,7 +14,7 @@
|
|
|
14
14
|
*
|
|
15
15
|
* This source code is licensed under the MIT license found in the
|
|
16
16
|
* LICENSE file in the root directory of this source tree.
|
|
17
|
-
*/var
|
|
17
|
+
*/var F;function te(){return F||(F=1,process.env.NODE_ENV!=="production"&&function(){typeof __REACT_DEVTOOLS_GLOBAL_HOOK__<"u"&&typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStart=="function"&&__REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStart(new Error);var e=y,t=e.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED;function o(O){{for(var i=arguments.length,L=new Array(i>1?i-1:0),l=1;l<i;l++)L[l-1]=arguments[l];f("error",O,L)}}function f(O,i,L){{var l=t.ReactDebugCurrentFrame,m=l.getStackAddendum();m!==""&&(i+="%s",L=L.concat([m]));var w=L.map(function(g){return String(g)});w.unshift("Warning: "+i),Function.prototype.apply.call(console[O],console,w)}}function S(O,i){return O===i&&(O!==0||1/O===1/i)||O!==O&&i!==i}var v=typeof Object.is=="function"?Object.is:S,E=e.useState,h=e.useEffect,_=e.useLayoutEffect,d=e.useDebugValue,n=!1,r=!1;function u(O,i,L){n||e.startTransition!==void 0&&(n=!0,o("You are using an outdated, pre-release alpha of React 18 that does not support useSyncExternalStore. The use-sync-external-store shim will not work correctly. Upgrade to a newer pre-release."));var l=i();if(!r){var m=i();v(l,m)||(o("The result of getSnapshot should be cached to avoid an infinite loop"),r=!0)}var w=E({inst:{value:l,getSnapshot:i}}),g=w[0].inst,T=w[1];return _(function(){g.value=l,g.getSnapshot=i,s(g)&&T({inst:g})},[O,l,i]),h(function(){s(g)&&T({inst:g});var x=function(){s(g)&&T({inst:g})};return O(x)},[O]),d(l),l}function s(O){var i=O.getSnapshot,L=O.value;try{var l=i();return!v(L,l)}catch{return!0}}function c(O,i,L){return i()}var a=typeof window<"u"&&typeof window.document<"u"&&typeof window.document.createElement<"u",p=!a,R=p?c:u,b=e.useSyncExternalStore!==void 0?e.useSyncExternalStore:R;P.useSyncExternalStore=b,typeof __REACT_DEVTOOLS_GLOBAL_HOOK__<"u"&&typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStop=="function"&&__REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStop(new Error)}()),P}var $;function Q(){return $||($=1,process.env.NODE_ENV==="production"?D.exports=ee():D.exports=te()),D.exports}/**
|
|
18
18
|
* @license React
|
|
19
19
|
* use-sync-external-store-shim/with-selector.production.min.js
|
|
20
20
|
*
|
|
@@ -22,7 +22,7 @@
|
|
|
22
22
|
*
|
|
23
23
|
* This source code is licensed under the MIT license found in the
|
|
24
24
|
* LICENSE file in the root directory of this source tree.
|
|
25
|
-
*/var
|
|
25
|
+
*/var Y;function re(){if(Y)return W;Y=1;var e=y,t=Q();function o(d,n){return d===n&&(d!==0||1/d===1/n)||d!==d&&n!==n}var f=typeof Object.is=="function"?Object.is:o,S=t.useSyncExternalStore,v=e.useRef,E=e.useEffect,h=e.useMemo,_=e.useDebugValue;return W.useSyncExternalStoreWithSelector=function(d,n,r,u,s){var c=v(null);if(c.current===null){var a={hasValue:!1,value:null};c.current=a}else a=c.current;c=h(function(){function R(l){if(!b){if(b=!0,O=l,l=u(l),s!==void 0&&a.hasValue){var m=a.value;if(s(m,l))return i=m}return i=l}if(m=i,f(O,l))return m;var w=u(l);return s!==void 0&&s(m,w)?m:(O=l,i=w)}var b=!1,O,i,L=r===void 0?null:r;return[function(){return R(n())},L===null?void 0:function(){return R(L())}]},[n,r,u,s]);var p=S(d,c[0],c[1]);return E(function(){a.hasValue=!0,a.value=p},[p]),_(p),p},W}var H={};/**
|
|
26
26
|
* @license React
|
|
27
27
|
* use-sync-external-store-shim/with-selector.development.js
|
|
28
28
|
*
|
|
@@ -30,5 +30,5 @@
|
|
|
30
30
|
*
|
|
31
31
|
* This source code is licensed under the MIT license found in the
|
|
32
32
|
* LICENSE file in the root directory of this source tree.
|
|
33
|
-
*/var
|
|
33
|
+
*/var J;function ne(){return J||(J=1,process.env.NODE_ENV!=="production"&&function(){typeof __REACT_DEVTOOLS_GLOBAL_HOOK__<"u"&&typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStart=="function"&&__REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStart(new Error);var e=y,t=Q();function o(n,r){return n===r&&(n!==0||1/n===1/r)||n!==n&&r!==r}var f=typeof Object.is=="function"?Object.is:o,S=t.useSyncExternalStore,v=e.useRef,E=e.useEffect,h=e.useMemo,_=e.useDebugValue;function d(n,r,u,s,c){var a=v(null),p;a.current===null?(p={hasValue:!1,value:null},a.current=p):p=a.current;var R=h(function(){var L=!1,l,m,w=function(V){if(!L){L=!0,l=V;var C=s(V);if(c!==void 0&&p.hasValue){var M=p.value;if(c(M,C))return m=M,M}return m=C,C}var Z=l,G=m;if(f(Z,V))return G;var I=s(V);return c!==void 0&&c(G,I)?G:(l=V,m=I,I)},g=u===void 0?null:u,T=function(){return w(r())},x=g===null?void 0:function(){return w(g())};return[T,x]},[r,u,s,c]),b=R[0],O=R[1],i=S(n,b,O);return E(function(){p.hasValue=!0,p.value=i},[i]),_(i),i}H.useSyncExternalStoreWithSelector=d,typeof __REACT_DEVTOOLS_GLOBAL_HOOK__<"u"&&typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStop=="function"&&__REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStop(new Error)}()),H}process.env.NODE_ENV==="production"?K.exports=re():K.exports=ne();var ue=K.exports;const q=e=>Object.entries(e),j=e=>e instanceof Promise,N=e=>{const t=typeof e;return t==="string"||t==="number"||t==="bigint"||t==="boolean"||t==="undefined"||t===null},X=(e,t)=>{if(e===t||Object.is(e,t))return!0;if(Array.isArray(e)&&Array.isArray(t)&&e.length!==t.length)return!1;if(e&&t&&typeof e=="object"&&typeof t=="object"){if(e.constructor!==t.constructor)return!1;if(e.valueOf!==Object.prototype.valueOf)return e.valueOf()===t.valueOf();const o=Object.keys(e);if(length=o.length,length!==Object.keys(t).length)return!1;let f=length;for(;f--!==0;)if(!Object.prototype.hasOwnProperty.call(t,o[f]))return!1;f=length;for(let S=length;S--!==0;){const v=o[S];if(!(N(e[v])&&N(t[v])&&t[v]===e[v]))return!1}return!0}return e!==e&&t!==t},oe=e=>Object.assign(Object.create(Object.getPrototypeOf(e)),e),ce=(e,t)=>typeof t=="function"?t(e):t,A=e=>{const t=y.useRef(e??{});return y.useEffect(()=>void(t.current=e),[e]),t},U=e=>{const t=y.useRef();return y.useEffect(()=>{t.current=e},[e]),t.current},se=(e,t,o)=>{const[f,S]=y.useState(e),v=A(o??{}),E=y.useCallback(()=>v.current,[v]),h=y.useMemo(()=>q(t).reduce((_,[d,n])=>({..._,[d]:async(...r)=>{const u=await n(...r);return S(s=>u(s,E()))}}),t),[t,E]);return[f,h]},k=(e,t)=>t===e?e:e.constructor.name===Object.name?{...t,...e}:e,ae=(e,t,o,f,S)=>(...v)=>{const E=performance.now(),h=t(...v),_=d=>o(n=>k(d,n));if(j(h))return h.then(d=>{_(d),S.current={method:e,props:f(),time:performance.now()-E}});_(h),S.current={method:e,props:f(),time:performance.now()-E}},ie=(e,t,o,f,S)=>(...v)=>{S.current={method:e,time:0,props:f()};const E=t(...v),h=_=>o(d=>k(_,d));return j(E)?E.then(_=>h(_)):h(E)},fe=(e,t,o)=>{const[f,S]=y.useState(()=>e),v=A(f),E=A((o==null?void 0:o.props)??{}),h=A(t),_=A((o==null?void 0:o.middlewares)??[]),d=y.useRef(e),n=U(f),r=A(n),u=y.useRef(null);y.useEffect(()=>{if(u.current===null)return;const c=u.current;_.current.forEach(a=>{a(f,n,c)})},[f,_,n]);const[s]=y.useState(()=>{const c=()=>E.current,a=h.current({props:c,state:()=>v.current,initialState:d.current,previousState:()=>r.current});return q(a).reduce((p,[R,b])=>({...p,[R]:o!=null&&o.debug?ae(R,b,S,c,u):ie(R,b,S,c,u)}),{})});return[f,s]},le=(e,t)=>{let o=e;const f=()=>o,S=new Set,v=n=>(S.add(n),()=>S.delete(n)),E=n=>{const r={...o},u=n(o);o=u,S.forEach(s=>s(u,r))},_=q(t({initialState:e,props:{},state:f,previousState:f})).reduce((n,[r,u])=>({...n,[r]:(...s)=>{const c=u(...s),a=p=>E(R=>k(p,R));return j(c)?c.then(a):a(c)}}),{}),d=n=>n;return Object.assign(function(r,u=X,s){const c=ue.useSyncExternalStoreWithSelector(v,f,f,r||d,u),a=U(c);return y.useEffect(()=>{s&&s.forEach(p=>{p(c,a,{method:"@globalState@",time:-1,props:{}})})},[c,a]),[c,_]},{dispatchers:_})};exports.clone=oe;exports.createGlobalReducer=le;exports.dispatchCallback=ce;exports.isPrimitive=N;exports.isPromise=j;exports.shallowCompare=X;exports.useLegacyReducer=se;exports.useMutable=A;exports.usePrevious=U;exports.useReducer=fe;
|
|
34
34
|
//# sourceMappingURL=index.cjs.map
|
package/dist/index.cjs.map
CHANGED
|
@@ -1 +1 @@
|
|
|
1
|
-
{"version":3,"file":"index.cjs","sources":["../node_modules/use-sync-external-store/cjs/use-sync-external-store-shim.production.min.js","../node_modules/use-sync-external-store/cjs/use-sync-external-store-shim.development.js","../node_modules/use-sync-external-store/shim/index.js","../node_modules/use-sync-external-store/cjs/use-sync-external-store-shim/with-selector.production.min.js","../node_modules/use-sync-external-store/cjs/use-sync-external-store-shim/with-selector.development.js","../node_modules/use-sync-external-store/shim/with-selector.js","../src/lib.ts","../src/index.ts"],"sourcesContent":["/**\n * @license React\n * use-sync-external-store-shim.production.min.js\n *\n * Copyright (c) Facebook, Inc. and its affiliates.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n'use strict';var e=require(\"react\");function h(a,b){return a===b&&(0!==a||1/a===1/b)||a!==a&&b!==b}var k=\"function\"===typeof Object.is?Object.is:h,l=e.useState,m=e.useEffect,n=e.useLayoutEffect,p=e.useDebugValue;function q(a,b){var d=b(),f=l({inst:{value:d,getSnapshot:b}}),c=f[0].inst,g=f[1];n(function(){c.value=d;c.getSnapshot=b;r(c)&&g({inst:c})},[a,d,b]);m(function(){r(c)&&g({inst:c});return a(function(){r(c)&&g({inst:c})})},[a]);p(d);return d}\nfunction r(a){var b=a.getSnapshot;a=a.value;try{var d=b();return!k(a,d)}catch(f){return!0}}function t(a,b){return b()}var u=\"undefined\"===typeof window||\"undefined\"===typeof window.document||\"undefined\"===typeof window.document.createElement?t:q;exports.useSyncExternalStore=void 0!==e.useSyncExternalStore?e.useSyncExternalStore:u;\n","/**\n * @license React\n * use-sync-external-store-shim.development.js\n *\n * Copyright (c) Facebook, Inc. and its affiliates.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n\n'use strict';\n\nif (process.env.NODE_ENV !== \"production\") {\n (function() {\n\n 'use strict';\n\n/* global __REACT_DEVTOOLS_GLOBAL_HOOK__ */\nif (\n typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ !== 'undefined' &&\n typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStart ===\n 'function'\n) {\n __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStart(new Error());\n}\n var React = require('react');\n\nvar ReactSharedInternals = React.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED;\n\nfunction error(format) {\n {\n {\n for (var _len2 = arguments.length, args = new Array(_len2 > 1 ? _len2 - 1 : 0), _key2 = 1; _key2 < _len2; _key2++) {\n args[_key2 - 1] = arguments[_key2];\n }\n\n printWarning('error', format, args);\n }\n }\n}\n\nfunction printWarning(level, format, args) {\n // When changing this logic, you might want to also\n // update consoleWithStackDev.www.js as well.\n {\n var ReactDebugCurrentFrame = ReactSharedInternals.ReactDebugCurrentFrame;\n var stack = ReactDebugCurrentFrame.getStackAddendum();\n\n if (stack !== '') {\n format += '%s';\n args = args.concat([stack]);\n } // eslint-disable-next-line react-internal/safe-string-coercion\n\n\n var argsWithFormat = args.map(function (item) {\n return String(item);\n }); // Careful: RN currently depends on this prefix\n\n argsWithFormat.unshift('Warning: ' + format); // We intentionally don't use spread (or .apply) directly because it\n // breaks IE9: https://github.com/facebook/react/issues/13610\n // eslint-disable-next-line react-internal/no-production-logging\n\n Function.prototype.apply.call(console[level], console, argsWithFormat);\n }\n}\n\n/**\n * inlined Object.is polyfill to avoid requiring consumers ship their own\n * https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/is\n */\nfunction is(x, y) {\n return x === y && (x !== 0 || 1 / x === 1 / y) || x !== x && y !== y // eslint-disable-line no-self-compare\n ;\n}\n\nvar objectIs = typeof Object.is === 'function' ? Object.is : is;\n\n// dispatch for CommonJS interop named imports.\n\nvar useState = React.useState,\n useEffect = React.useEffect,\n useLayoutEffect = React.useLayoutEffect,\n useDebugValue = React.useDebugValue;\nvar didWarnOld18Alpha = false;\nvar didWarnUncachedGetSnapshot = false; // Disclaimer: This shim breaks many of the rules of React, and only works\n// because of a very particular set of implementation details and assumptions\n// -- change any one of them and it will break. The most important assumption\n// is that updates are always synchronous, because concurrent rendering is\n// only available in versions of React that also have a built-in\n// useSyncExternalStore API. And we only use this shim when the built-in API\n// does not exist.\n//\n// Do not assume that the clever hacks used by this hook also work in general.\n// The point of this shim is to replace the need for hacks by other libraries.\n\nfunction useSyncExternalStore(subscribe, getSnapshot, // Note: The shim does not use getServerSnapshot, because pre-18 versions of\n// React do not expose a way to check if we're hydrating. So users of the shim\n// will need to track that themselves and return the correct value\n// from `getSnapshot`.\ngetServerSnapshot) {\n {\n if (!didWarnOld18Alpha) {\n if (React.startTransition !== undefined) {\n didWarnOld18Alpha = true;\n\n error('You are using an outdated, pre-release alpha of React 18 that ' + 'does not support useSyncExternalStore. The ' + 'use-sync-external-store shim will not work correctly. Upgrade ' + 'to a newer pre-release.');\n }\n }\n } // Read the current snapshot from the store on every render. Again, this\n // breaks the rules of React, and only works here because of specific\n // implementation details, most importantly that updates are\n // always synchronous.\n\n\n var value = getSnapshot();\n\n {\n if (!didWarnUncachedGetSnapshot) {\n var cachedValue = getSnapshot();\n\n if (!objectIs(value, cachedValue)) {\n error('The result of getSnapshot should be cached to avoid an infinite loop');\n\n didWarnUncachedGetSnapshot = true;\n }\n }\n } // Because updates are synchronous, we don't queue them. Instead we force a\n // re-render whenever the subscribed state changes by updating an some\n // arbitrary useState hook. Then, during render, we call getSnapshot to read\n // the current value.\n //\n // Because we don't actually use the state returned by the useState hook, we\n // can save a bit of memory by storing other stuff in that slot.\n //\n // To implement the early bailout, we need to track some things on a mutable\n // object. Usually, we would put that in a useRef hook, but we can stash it in\n // our useState hook instead.\n //\n // To force a re-render, we call forceUpdate({inst}). That works because the\n // new object always fails an equality check.\n\n\n var _useState = useState({\n inst: {\n value: value,\n getSnapshot: getSnapshot\n }\n }),\n inst = _useState[0].inst,\n forceUpdate = _useState[1]; // Track the latest getSnapshot function with a ref. This needs to be updated\n // in the layout phase so we can access it during the tearing check that\n // happens on subscribe.\n\n\n useLayoutEffect(function () {\n inst.value = value;\n inst.getSnapshot = getSnapshot; // Whenever getSnapshot or subscribe changes, we need to check in the\n // commit phase if there was an interleaved mutation. In concurrent mode\n // this can happen all the time, but even in synchronous mode, an earlier\n // effect may have mutated the store.\n\n if (checkIfSnapshotChanged(inst)) {\n // Force a re-render.\n forceUpdate({\n inst: inst\n });\n }\n }, [subscribe, value, getSnapshot]);\n useEffect(function () {\n // Check for changes right before subscribing. Subsequent changes will be\n // detected in the subscription handler.\n if (checkIfSnapshotChanged(inst)) {\n // Force a re-render.\n forceUpdate({\n inst: inst\n });\n }\n\n var handleStoreChange = function () {\n // TODO: Because there is no cross-renderer API for batching updates, it's\n // up to the consumer of this library to wrap their subscription event\n // with unstable_batchedUpdates. Should we try to detect when this isn't\n // the case and print a warning in development?\n // The store changed. Check if the snapshot changed since the last time we\n // read from the store.\n if (checkIfSnapshotChanged(inst)) {\n // Force a re-render.\n forceUpdate({\n inst: inst\n });\n }\n }; // Subscribe to the store and return a clean-up function.\n\n\n return subscribe(handleStoreChange);\n }, [subscribe]);\n useDebugValue(value);\n return value;\n}\n\nfunction checkIfSnapshotChanged(inst) {\n var latestGetSnapshot = inst.getSnapshot;\n var prevValue = inst.value;\n\n try {\n var nextValue = latestGetSnapshot();\n return !objectIs(prevValue, nextValue);\n } catch (error) {\n return true;\n }\n}\n\nfunction useSyncExternalStore$1(subscribe, getSnapshot, getServerSnapshot) {\n // Note: The shim does not use getServerSnapshot, because pre-18 versions of\n // React do not expose a way to check if we're hydrating. So users of the shim\n // will need to track that themselves and return the correct value\n // from `getSnapshot`.\n return getSnapshot();\n}\n\nvar canUseDOM = !!(typeof window !== 'undefined' && typeof window.document !== 'undefined' && typeof window.document.createElement !== 'undefined');\n\nvar isServerEnvironment = !canUseDOM;\n\nvar shim = isServerEnvironment ? useSyncExternalStore$1 : useSyncExternalStore;\nvar useSyncExternalStore$2 = React.useSyncExternalStore !== undefined ? React.useSyncExternalStore : shim;\n\nexports.useSyncExternalStore = useSyncExternalStore$2;\n /* global __REACT_DEVTOOLS_GLOBAL_HOOK__ */\nif (\n typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ !== 'undefined' &&\n typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStop ===\n 'function'\n) {\n __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStop(new Error());\n}\n \n })();\n}\n","'use strict';\n\nif (process.env.NODE_ENV === 'production') {\n module.exports = require('../cjs/use-sync-external-store-shim.production.min.js');\n} else {\n module.exports = require('../cjs/use-sync-external-store-shim.development.js');\n}\n","/**\n * @license React\n * use-sync-external-store-shim/with-selector.production.min.js\n *\n * Copyright (c) Facebook, Inc. and its affiliates.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n'use strict';var h=require(\"react\"),n=require(\"use-sync-external-store/shim\");function p(a,b){return a===b&&(0!==a||1/a===1/b)||a!==a&&b!==b}var q=\"function\"===typeof Object.is?Object.is:p,r=n.useSyncExternalStore,t=h.useRef,u=h.useEffect,v=h.useMemo,w=h.useDebugValue;\nexports.useSyncExternalStoreWithSelector=function(a,b,e,l,g){var c=t(null);if(null===c.current){var f={hasValue:!1,value:null};c.current=f}else f=c.current;c=v(function(){function a(a){if(!c){c=!0;d=a;a=l(a);if(void 0!==g&&f.hasValue){var b=f.value;if(g(b,a))return k=b}return k=a}b=k;if(q(d,a))return b;var e=l(a);if(void 0!==g&&g(b,e))return b;d=a;return k=e}var c=!1,d,k,m=void 0===e?null:e;return[function(){return a(b())},null===m?void 0:function(){return a(m())}]},[b,e,l,g]);var d=r(a,c[0],c[1]);\nu(function(){f.hasValue=!0;f.value=d},[d]);w(d);return d};\n","/**\n * @license React\n * use-sync-external-store-shim/with-selector.development.js\n *\n * Copyright (c) Facebook, Inc. and its affiliates.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n\n'use strict';\n\nif (process.env.NODE_ENV !== \"production\") {\n (function() {\n\n 'use strict';\n\n/* global __REACT_DEVTOOLS_GLOBAL_HOOK__ */\nif (\n typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ !== 'undefined' &&\n typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStart ===\n 'function'\n) {\n __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStart(new Error());\n}\n var React = require('react');\nvar shim = require('use-sync-external-store/shim');\n\n/**\n * inlined Object.is polyfill to avoid requiring consumers ship their own\n * https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/is\n */\nfunction is(x, y) {\n return x === y && (x !== 0 || 1 / x === 1 / y) || x !== x && y !== y // eslint-disable-line no-self-compare\n ;\n}\n\nvar objectIs = typeof Object.is === 'function' ? Object.is : is;\n\nvar useSyncExternalStore = shim.useSyncExternalStore;\n\n// for CommonJS interop.\n\nvar useRef = React.useRef,\n useEffect = React.useEffect,\n useMemo = React.useMemo,\n useDebugValue = React.useDebugValue; // Same as useSyncExternalStore, but supports selector and isEqual arguments.\n\nfunction useSyncExternalStoreWithSelector(subscribe, getSnapshot, getServerSnapshot, selector, isEqual) {\n // Use this to track the rendered snapshot.\n var instRef = useRef(null);\n var inst;\n\n if (instRef.current === null) {\n inst = {\n hasValue: false,\n value: null\n };\n instRef.current = inst;\n } else {\n inst = instRef.current;\n }\n\n var _useMemo = useMemo(function () {\n // Track the memoized state using closure variables that are local to this\n // memoized instance of a getSnapshot function. Intentionally not using a\n // useRef hook, because that state would be shared across all concurrent\n // copies of the hook/component.\n var hasMemo = false;\n var memoizedSnapshot;\n var memoizedSelection;\n\n var memoizedSelector = function (nextSnapshot) {\n if (!hasMemo) {\n // The first time the hook is called, there is no memoized result.\n hasMemo = true;\n memoizedSnapshot = nextSnapshot;\n\n var _nextSelection = selector(nextSnapshot);\n\n if (isEqual !== undefined) {\n // Even if the selector has changed, the currently rendered selection\n // may be equal to the new selection. We should attempt to reuse the\n // current value if possible, to preserve downstream memoizations.\n if (inst.hasValue) {\n var currentSelection = inst.value;\n\n if (isEqual(currentSelection, _nextSelection)) {\n memoizedSelection = currentSelection;\n return currentSelection;\n }\n }\n }\n\n memoizedSelection = _nextSelection;\n return _nextSelection;\n } // We may be able to reuse the previous invocation's result.\n\n\n // We may be able to reuse the previous invocation's result.\n var prevSnapshot = memoizedSnapshot;\n var prevSelection = memoizedSelection;\n\n if (objectIs(prevSnapshot, nextSnapshot)) {\n // The snapshot is the same as last time. Reuse the previous selection.\n return prevSelection;\n } // The snapshot has changed, so we need to compute a new selection.\n\n\n // The snapshot has changed, so we need to compute a new selection.\n var nextSelection = selector(nextSnapshot); // If a custom isEqual function is provided, use that to check if the data\n // has changed. If it hasn't, return the previous selection. That signals\n // to React that the selections are conceptually equal, and we can bail\n // out of rendering.\n\n // If a custom isEqual function is provided, use that to check if the data\n // has changed. If it hasn't, return the previous selection. That signals\n // to React that the selections are conceptually equal, and we can bail\n // out of rendering.\n if (isEqual !== undefined && isEqual(prevSelection, nextSelection)) {\n return prevSelection;\n }\n\n memoizedSnapshot = nextSnapshot;\n memoizedSelection = nextSelection;\n return nextSelection;\n }; // Assigning this to a constant so that Flow knows it can't change.\n\n\n // Assigning this to a constant so that Flow knows it can't change.\n var maybeGetServerSnapshot = getServerSnapshot === undefined ? null : getServerSnapshot;\n\n var getSnapshotWithSelector = function () {\n return memoizedSelector(getSnapshot());\n };\n\n var getServerSnapshotWithSelector = maybeGetServerSnapshot === null ? undefined : function () {\n return memoizedSelector(maybeGetServerSnapshot());\n };\n return [getSnapshotWithSelector, getServerSnapshotWithSelector];\n }, [getSnapshot, getServerSnapshot, selector, isEqual]),\n getSelection = _useMemo[0],\n getServerSelection = _useMemo[1];\n\n var value = useSyncExternalStore(subscribe, getSelection, getServerSelection);\n useEffect(function () {\n inst.hasValue = true;\n inst.value = value;\n }, [value]);\n useDebugValue(value);\n return value;\n}\n\nexports.useSyncExternalStoreWithSelector = useSyncExternalStoreWithSelector;\n /* global __REACT_DEVTOOLS_GLOBAL_HOOK__ */\nif (\n typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ !== 'undefined' &&\n typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStop ===\n 'function'\n) {\n __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStop(new Error());\n}\n \n })();\n}\n","'use strict';\n\nif (process.env.NODE_ENV === 'production') {\n module.exports = require('../cjs/use-sync-external-store-shim/with-selector.production.min.js');\n} else {\n module.exports = require('../cjs/use-sync-external-store-shim/with-selector.development.js');\n}\n","export const isObject = <T>(obj: T) => obj && typeof obj === \"object\";\n\nexport const keys = Object.keys as <T>(t: T) => Array<keyof T>;\n\ntype MapArray<T, F> = { [K in keyof T]: [K, F] };\nexport const entries = <T extends {}, F>(t: T): MapArray<T[], F> =>\n Object.entries(t) as any;\n\nexport const isPromise = <T>(promise: any): promise is Promise<T> =>\n promise instanceof Promise;\n\n// https://gist.github.com/ahtcx/0cd94e62691f539160b32ecda18af3d6?permalink_comment_id=2930530#gistcomment-2930530\nexport const merge = <T>(currentState: T, previous: T) => {\n if (!isObject(previous) || !isObject(currentState)) {\n return currentState;\n }\n keys(currentState).forEach((key) => {\n const targetValue = previous[key];\n const sourceValue = currentState[key];\n if (Array.isArray(targetValue) && Array.isArray(sourceValue))\n return ((previous as any)[key] = targetValue.concat(sourceValue));\n if (isObject(targetValue) && isObject(sourceValue))\n return (previous[key] = merge(\n Object.assign({}, targetValue),\n sourceValue,\n ));\n return (previous[key] = sourceValue);\n });\n return previous;\n};\n\nexport const isPrimitive = (a: any): a is string | number | boolean => {\n const type = typeof a;\n return (\n type === \"string\" ||\n type === \"number\" ||\n type === \"bigint\" ||\n type === \"boolean\" ||\n type === \"undefined\" ||\n type === null\n );\n};\n\nexport const shallowCompare = (left: any, right: any): boolean => {\n if (left === right || Object.is(left, right)) return true;\n if (Array.isArray(left) && Array.isArray(right)) {\n if (left.length !== right.length) return false;\n }\n if (left && right && typeof left === \"object\" && typeof right === \"object\") {\n if (left.constructor !== right.constructor) return false;\n if (left.valueOf !== Object.prototype.valueOf)\n return left.valueOf() === right.valueOf();\n const keys = Object.keys(left);\n length = keys.length;\n if (length !== Object.keys(right).length) {\n return false;\n }\n let i = length;\n for (; i-- !== 0; ) {\n if (!Object.prototype.hasOwnProperty.call(right, keys[i])) {\n return false;\n }\n }\n i = length;\n for (let i = length; i-- !== 0; ) {\n const key = keys[i];\n if (\n !(\n isPrimitive(left[key]) &&\n isPrimitive(right[key]) &&\n right[key] === left[key]\n )\n )\n return false;\n }\n return true;\n }\n return left !== left && right !== right;\n};\n\n\nexport const clone = <O>(instance: O) =>\n Object.assign(Object.create(Object.getPrototypeOf(instance)), instance);\n\n\n","import { MutableRefObject, useCallback, useEffect, useMemo, useRef, useState } from \"react\";\nimport { useSyncExternalStoreWithSelector } from \"use-sync-external-store/shim/with-selector\";\nimport { clone, entries, isPromise, shallowCompare } from \"./lib\";\nimport {\n Dispatch,\n MapReducers,\n FnMap,\n Action,\n Callback,\n Listener,\n UseReducer,\n ReducerArgs,\n MappedReducers,\n ReducerActions,\n MapReducerReturn,\n ReducerMiddleware\n} from \"./types\";\n\nexport * from \"./types\";\n\nexport const useTypedReducer = <State extends {}, Reducers extends Dispatch<State, Props, Reducers>, Props extends {}>(\n initialState: State,\n reducers: Reducers,\n props?: Props\n): [state: State, dispatch: MapReducers<State, Props, Reducers>] => {\n const [state, setState] = useState(initialState);\n const refProps = useMutable<Props>((props as never) ?? {});\n const getProps = useCallback(() => refProps.current, [refProps]);\n\n const dispatches = useMemo<any>(\n () =>\n entries<Reducers, Action<State, Props>>(reducers).reduce(\n (acc, [name, dispatch]) => ({\n ...acc,\n [name]: async (...params: unknown[]) => {\n const dispatcher = await dispatch(...params);\n return setState((previousState: State) => dispatcher(previousState, getProps()));\n }\n }),\n reducers\n ),\n [reducers, getProps]\n );\n return [state, dispatches];\n};\n\nexport const useMutable = <T extends {}>(state: T): MutableRefObject<T> => {\n const mutable = useRef(state ?? {});\n useEffect(() => void (mutable.current = state), [state]);\n return mutable;\n};\n\nexport const dispatchCallback = <Prev extends any, T extends Callback<Prev>>(prev: Prev, setter: T) =>\n typeof setter === \"function\" ? setter(prev) : setter;\n\nconst reduce = <State extends {}, Middlewares extends Array<(state: State, key: string, prev: State) => State>>(\n state: State,\n prev: State,\n middleware: Middlewares,\n key: string\n) => {\n const initial = Array.isArray(state)\n ? state\n : state.constructor.name === Object.name\n ? { ...prev, ...state }\n : state;\n return middleware.reduce<State>((acc, fn) => fn(acc, key, prev), initial);\n};\n\nexport const useReducer = <\n State extends {},\n Reducers extends ReducerActions<State, Props>,\n Props extends object,\n Middlewares extends ReducerMiddleware<State, Props, Reducers>\n>(\n initialState: State,\n reducer: Reducers,\n props?: Props,\n middlewares?: Middlewares\n): UseReducer<State, State, Props, Reducers> => {\n const [state, setState] = useState<State>(() => initialState);\n const mutableState = useMutable(state);\n const mutableProps = useMutable(props ?? ({} as Props));\n const mutableReducer = useMutable(reducer);\n const middleware = useMutable<Middlewares>(middlewares ?? ([] as unknown as Middlewares));\n const savedInitialState = useRef(initialState);\n\n const dispatchers = useMemo<MapReducerReturn<State, ReturnType<Reducers>>>(() => {\n const reducers = mutableReducer.current({\n state: () => mutableState.current,\n props: () => mutableProps.current,\n initialState: savedInitialState.current\n });\n\n return entries<string, any>(reducers as any).reduce(\n (acc, [name, dispatch]: any) => ({\n ...acc,\n [name]: (...params: any[]) => {\n const result = dispatch(...params);\n const set = (newState: State) =>\n setState((prev) => reduce(newState, prev, middleware.current, name));\n return isPromise<State>(result) ? void result.then(set) : set(result);\n }\n }),\n {} as MapReducerReturn<State, ReturnType<Reducers>>\n );\n }, [mutableProps, mutableReducer, mutableState]);\n return [state, dispatchers] as const;\n};\n\nexport const createReducer =\n <State extends {} = {}, Props extends object = {}>() =>\n <Reducer extends (args: ReducerArgs<State, Props>) => MappedReducers<State, FnMap<State>>>(reducer: Reducer) =>\n reducer;\n\nexport const createGlobalReducer = <\n State extends {},\n Reducers extends ReducerActions<State, Props>,\n Props extends object,\n Middlewares extends ReducerMiddleware<State, Props, Reducers>\n>(\n initialState: State,\n reducer: Reducers,\n props?: Props,\n middlewares?: Middlewares\n): (<Selector extends (state: State) => any>(\n selector?: Selector,\n comparator?: (a: any, b: any) => boolean\n) => UseReducer<Selector extends (state: State) => State ? State : ReturnType<Selector>, State, Props, Reducers>) & {\n dispatchers: MapReducerReturn<State, ReturnType<Reducers>>;\n} => {\n let state = initialState;\n const getSnapshot = () => state;\n const listeners = new Set<Listener<State>>();\n const addListener = (listener: Listener<State>) => {\n listeners.add(listener);\n return () => listeners.delete(listener);\n };\n const setState = (callback: (arg: State) => State) => {\n const previousState = { ...state };\n const newState = callback(state);\n state = newState;\n listeners.forEach((exec) => exec(newState, previousState));\n };\n\n const getProps = () => (props as Props) || ({} as Props);\n const args = { state: getSnapshot, props: getProps, initialState };\n const middlewareList: Middlewares = middlewares || ([] as unknown as Middlewares);\n const dispatchers: MapReducerReturn<State, ReturnType<Reducers>> = entries(reducer(args)).reduce<any>(\n (acc, [name, fn]: any) => ({\n ...acc,\n [name]: (...args: any[]) => {\n const result = fn(...args);\n const set = (newState: State) => setState((prev) => reduce(newState, prev, middlewareList, name));\n return isPromise<State>(result) ? result.then(set) : set(result);\n }\n }),\n {}\n );\n\n const defaultSelector = (state: State) => state;\n\n return Object.assign(\n function useStore<Selector extends (state: State) => any>(selector?: Selector, comparator = shallowCompare) {\n const state = useSyncExternalStoreWithSelector(\n addListener,\n getSnapshot,\n getSnapshot,\n selector || defaultSelector,\n comparator\n );\n return [state, dispatchers] as const;\n },\n { dispatchers }\n );\n};\n\nexport const useClassReducer = <T extends object>(instance: T) => {\n const [proxy, setProxy] = useState(\n new Proxy(\n instance,\n Object.assign({}, Reflect, {\n set: (obj: any, prop: any, value: any) => {\n (obj as any)[prop] = value;\n setProxy(clone(obj));\n return true;\n }\n })\n )\n );\n return proxy;\n};\n\nexport default useTypedReducer;\n"],"names":["require$$0","h","a","b","k","l","m","n","q","d","f","c","g","r","t","u","useSyncExternalStoreShim_production_min","React","ReactSharedInternals","error","format","_len2","args","_key2","printWarning","level","ReactDebugCurrentFrame","stack","argsWithFormat","item","is","x","y","objectIs","useState","useEffect","useLayoutEffect","useDebugValue","didWarnOld18Alpha","didWarnUncachedGetSnapshot","useSyncExternalStore","subscribe","getSnapshot","getServerSnapshot","value","cachedValue","_useState","inst","forceUpdate","checkIfSnapshotChanged","handleStoreChange","latestGetSnapshot","prevValue","nextValue","useSyncExternalStore$1","canUseDOM","isServerEnvironment","shim","useSyncExternalStore$2","useSyncExternalStoreShim_development","shimModule","require$$1","p","v","w","withSelector_production_min","e","useRef","useMemo","useSyncExternalStoreWithSelector","selector","isEqual","instRef","_useMemo","hasMemo","memoizedSnapshot","memoizedSelection","memoizedSelector","nextSnapshot","_nextSelection","currentSelection","prevSnapshot","prevSelection","nextSelection","maybeGetServerSnapshot","getSnapshotWithSelector","getServerSnapshotWithSelector","getSelection","getServerSelection","withSelector_development","withSelectorModule","entries","isPromise","promise","isPrimitive","type","shallowCompare","left","right","keys","i","key","clone","instance","useTypedReducer","initialState","reducers","props","state","setState","refProps","useMutable","getProps","useCallback","dispatches","acc","name","dispatch","params","dispatcher","previousState","mutable","dispatchCallback","prev","setter","reduce","middleware","initial","fn","useReducer","reducer","middlewares","mutableState","mutableProps","mutableReducer","savedInitialState","dispatchers","result","set","newState","createReducer","createGlobalReducer","listeners","addListener","listener","callback","exec","middlewareList","defaultSelector","comparator","useClassReducer","proxy","setProxy","obj","prop"],"mappings":";;;;;;;;wCASa,IAAI,EAAEA,EAAiB,SAASC,EAAEC,EAAEC,EAAE,CAAC,OAAOD,IAAIC,IAAQD,IAAJ,GAAO,EAAEA,IAAI,EAAEC,IAAID,IAAIA,GAAGC,IAAIA,CAAC,CAAC,IAAIC,EAAe,OAAO,OAAO,IAA3B,WAA8B,OAAO,GAAGH,EAAEI,EAAE,EAAE,SAASC,EAAE,EAAE,UAAUC,EAAE,EAAE,gBAAgB,EAAE,EAAE,cAAc,SAASC,EAAEN,EAAEC,EAAE,CAAC,IAAIM,EAAEN,EAAC,EAAGO,EAAEL,EAAE,CAAC,KAAK,CAAC,MAAMI,EAAE,YAAYN,CAAC,CAAC,CAAC,EAAEQ,EAAED,EAAE,CAAC,EAAE,KAAKE,EAAEF,EAAE,CAAC,EAAE,OAAAH,EAAE,UAAU,CAACI,EAAE,MAAMF,EAAEE,EAAE,YAAYR,EAAEU,EAAEF,CAAC,GAAGC,EAAE,CAAC,KAAKD,CAAC,CAAC,CAAC,EAAE,CAACT,EAAEO,EAAEN,CAAC,CAAC,EAAEG,EAAE,UAAU,CAAC,OAAAO,EAAEF,CAAC,GAAGC,EAAE,CAAC,KAAKD,CAAC,CAAC,EAAST,EAAE,UAAU,CAACW,EAAEF,CAAC,GAAGC,EAAE,CAAC,KAAKD,CAAC,CAAC,CAAC,CAAC,CAAC,EAAE,CAACT,CAAC,CAAC,EAAE,EAAEO,CAAC,EAASA,CAAC,CAClc,SAASI,EAAEX,EAAE,CAAC,IAAIC,EAAED,EAAE,YAAYA,EAAEA,EAAE,MAAM,GAAG,CAAC,IAAIO,EAAEN,EAAG,EAAC,MAAM,CAACC,EAAEF,EAAEO,CAAC,CAAC,MAAS,CAAC,MAAM,EAAE,CAAC,CAAC,SAASK,EAAEZ,EAAEC,EAAE,CAAC,OAAOA,EAAC,CAAE,CAAC,IAAIY,EAAgB,OAAO,OAArB,KAA2C,OAAO,OAAO,SAA5B,KAAoD,OAAO,OAAO,SAAS,cAArC,IAAmDD,EAAEN,EAAE,OAAAQ,EAA4B,qBAAU,EAAE,uBAAX,OAAgC,EAAE,qBAAqBD;;;;;;;;sCCEtU,QAAQ,IAAI,WAAa,cAC1B,UAAW,CAMZ,OAAO,+BAAmC,KAC1C,OAAO,+BAA+B,6BACpC,YAEF,+BAA+B,4BAA4B,IAAI,KAAO,EAE9D,IAAIE,EAAQjB,EAElBkB,EAAuBD,EAAM,mDAEjC,SAASE,EAAMC,EAAQ,CAEnB,CACE,QAASC,EAAQ,UAAU,OAAQC,EAAO,IAAI,MAAMD,EAAQ,EAAIA,EAAQ,EAAI,CAAC,EAAGE,EAAQ,EAAGA,EAAQF,EAAOE,IACxGD,EAAKC,EAAQ,CAAC,EAAI,UAAUA,CAAK,EAGnCC,EAAa,QAASJ,EAAQE,CAAI,CACnC,CAEJ,CAED,SAASE,EAAaC,EAAOL,EAAQE,EAAM,CAGzC,CACE,IAAII,EAAyBR,EAAqB,uBAC9CS,EAAQD,EAAuB,mBAE/BC,IAAU,KACZP,GAAU,KACVE,EAAOA,EAAK,OAAO,CAACK,CAAK,CAAC,GAI5B,IAAIC,EAAiBN,EAAK,IAAI,SAAUO,EAAM,CAC5C,OAAO,OAAOA,CAAI,CACxB,CAAK,EAEDD,EAAe,QAAQ,YAAcR,CAAM,EAI3C,SAAS,UAAU,MAAM,KAAK,QAAQK,CAAK,EAAG,QAASG,CAAc,CACtE,CACF,CAMD,SAASE,EAAGC,EAAGC,EAAG,CAChB,OAAOD,IAAMC,IAAMD,IAAM,GAAK,EAAIA,IAAM,EAAIC,IAAMD,IAAMA,GAAKC,IAAMA,CAEpE,CAED,IAAIC,EAAW,OAAO,OAAO,IAAO,WAAa,OAAO,GAAKH,EAIzDI,EAAWjB,EAAM,SACjBkB,EAAYlB,EAAM,UAClBmB,EAAkBnB,EAAM,gBACxBoB,EAAgBpB,EAAM,cACtBqB,EAAoB,GACpBC,EAA6B,GAWjC,SAASC,EAAqBC,EAAWC,EAIzCC,EAAmB,CAEVL,GACCrB,EAAM,kBAAoB,SAC5BqB,EAAoB,GAEpBnB,EAAM,gMAA+M,GAS3N,IAAIyB,EAAQF,IAGV,GAAI,CAACH,EAA4B,CAC/B,IAAIM,EAAcH,IAEbT,EAASW,EAAOC,CAAW,IAC9B1B,EAAM,sEAAsE,EAE5EoB,EAA6B,GAEhC,CAiBH,IAAIO,EAAYZ,EAAS,CACvB,KAAM,CACJ,MAAOU,EACP,YAAaF,CACd,CACL,CAAG,EACGK,EAAOD,EAAU,CAAC,EAAE,KACpBE,EAAcF,EAAU,CAAC,EAK7B,OAAAV,EAAgB,UAAY,CAC1BW,EAAK,MAAQH,EACbG,EAAK,YAAcL,EAKfO,EAAuBF,CAAI,GAE7BC,EAAY,CACV,KAAMD,CACd,CAAO,CAEJ,EAAE,CAACN,EAAWG,EAAOF,CAAW,CAAC,EAClCP,EAAU,UAAY,CAGhBc,EAAuBF,CAAI,GAE7BC,EAAY,CACV,KAAMD,CACd,CAAO,EAGH,IAAIG,EAAoB,UAAY,CAO9BD,EAAuBF,CAAI,GAE7BC,EAAY,CACV,KAAMD,CAChB,CAAS,CAET,EAGI,OAAON,EAAUS,CAAiB,CACtC,EAAK,CAACT,CAAS,CAAC,EACdJ,EAAcO,CAAK,EACZA,CACR,CAED,SAASK,EAAuBF,EAAM,CACpC,IAAII,EAAoBJ,EAAK,YACzBK,EAAYL,EAAK,MAErB,GAAI,CACF,IAAIM,EAAYF,IAChB,MAAO,CAAClB,EAASmB,EAAWC,CAAS,CACtC,MAAe,CACd,MAAO,EACR,CACF,CAED,SAASC,EAAuBb,EAAWC,EAAaC,EAAmB,CAKzE,OAAOD,EAAW,CACnB,CAED,IAAIa,EAAe,OAAO,OAAW,KAAe,OAAO,OAAO,SAAa,KAAe,OAAO,OAAO,SAAS,cAAkB,IAEnIC,EAAsB,CAACD,EAEvBE,EAAOD,EAAsBF,EAAyBd,EACtDkB,EAAyBzC,EAAM,uBAAyB,OAAYA,EAAM,qBAAuBwC,EAEzEE,EAAA,qBAAGD,EAG7B,OAAO,+BAAmC,KAC1C,OAAO,+BAA+B,4BACpC,YAEF,+BAA+B,2BAA2B,IAAI,KAAO,CAGvE,yCC3OI,QAAQ,IAAI,WAAa,aAC3BE,EAAA,QAAiB5D,IAEjB4D,EAAA,QAAiBC;;;;;;;;yCCIN,IAAI5D,EAAED,EAAiBO,EAAEsD,EAAuC,EAAC,SAASC,EAAE5D,EAAEC,EAAE,CAAC,OAAOD,IAAIC,IAAQD,IAAJ,GAAO,EAAEA,IAAI,EAAEC,IAAID,IAAIA,GAAGC,IAAIA,CAAC,CAAC,IAAIK,EAAe,OAAO,OAAO,IAA3B,WAA8B,OAAO,GAAGsD,EAAEjD,EAAEN,EAAE,qBAAqBO,EAAEb,EAAE,OAAOc,EAAEd,EAAE,UAAU8D,EAAE9D,EAAE,QAAQ+D,EAAE/D,EAAE,cAC/P,OAAAgE,EAAA,iCAAyC,SAAS/D,EAAEC,EAAE+D,EAAE7D,EAAEO,EAAE,CAAC,IAAID,EAAEG,EAAE,IAAI,EAAE,GAAUH,EAAE,UAAT,KAAiB,CAAC,IAAID,EAAE,CAAC,SAAS,GAAG,MAAM,IAAI,EAAEC,EAAE,QAAQD,CAAC,MAAMA,EAAEC,EAAE,QAAQA,EAAEoD,EAAE,UAAU,CAAC,SAAS7D,EAAE,EAAE,CAAC,GAAG,CAACS,EAAE,CAAiB,GAAhBA,EAAE,GAAGF,EAAE,EAAE,EAAEJ,EAAE,CAAC,EAAcO,IAAT,QAAYF,EAAE,SAAS,CAAC,IAAIP,EAAEO,EAAE,MAAM,GAAGE,EAAET,EAAE,CAAC,EAAE,OAAOC,EAAED,CAAC,CAAC,OAAOC,EAAE,CAAC,CAAK,GAAJD,EAAEC,EAAKI,EAAEC,EAAE,CAAC,EAAE,OAAON,EAAE,IAAI+D,EAAE7D,EAAE,CAAC,EAAE,OAAYO,IAAT,QAAYA,EAAET,EAAE+D,CAAC,EAAS/D,GAAEM,EAAE,EAASL,EAAE8D,EAAC,CAAC,IAAIvD,EAAE,GAAGF,EAAEL,EAAEE,EAAW4D,IAAT,OAAW,KAAKA,EAAE,MAAM,CAAC,UAAU,CAAC,OAAOhE,EAAEC,EAAG,CAAA,CAAC,EAASG,IAAP,KAAS,OAAO,UAAU,CAAC,OAAOJ,EAAEI,EAAC,CAAE,CAAC,CAAC,CAAC,EAAE,CAACH,EAAE+D,EAAE7D,EAAEO,CAAC,CAAC,EAAE,IAAIH,EAAEI,EAAEX,EAAES,EAAE,CAAC,EAAEA,EAAE,CAAC,CAAC,EACrf,OAAAI,EAAE,UAAU,CAACL,EAAE,SAAS,GAAGA,EAAE,MAAMD,CAAC,EAAE,CAACA,CAAC,CAAC,EAAEuD,EAAEvD,CAAC,EAASA,CAAC;;;;;;;;sCCCpD,QAAQ,IAAI,WAAa,cAC1B,UAAW,CAMZ,OAAO,+BAAmC,KAC1C,OAAO,+BAA+B,6BACpC,YAEF,+BAA+B,4BAA4B,IAAI,KAAO,EAE9D,IAAIQ,EAAQjB,EAClByD,EAAOI,IAMX,SAAS/B,EAAGC,EAAGC,EAAG,CAChB,OAAOD,IAAMC,IAAMD,IAAM,GAAK,EAAIA,IAAM,EAAIC,IAAMD,IAAMA,GAAKC,IAAMA,CAEpE,CAED,IAAIC,EAAW,OAAO,OAAO,IAAO,WAAa,OAAO,GAAKH,EAEzDU,EAAuBiB,EAAK,qBAI5BU,EAASlD,EAAM,OACfkB,EAAYlB,EAAM,UAClBmD,EAAUnD,EAAM,QAChBoB,EAAgBpB,EAAM,cAE1B,SAASoD,EAAiC5B,EAAWC,EAAaC,EAAmB2B,EAAUC,EAAS,CAEtG,IAAIC,EAAUL,EAAO,IAAI,EACrBpB,EAEAyB,EAAQ,UAAY,MACtBzB,EAAO,CACL,SAAU,GACV,MAAO,IACb,EACIyB,EAAQ,QAAUzB,GAElBA,EAAOyB,EAAQ,QAGjB,IAAIC,EAAWL,EAAQ,UAAY,CAKjC,IAAIM,EAAU,GACVC,EACAC,EAEAC,EAAmB,SAAUC,EAAc,CAC7C,GAAI,CAACJ,EAAS,CAEZA,EAAU,GACVC,EAAmBG,EAEnB,IAAIC,EAAiBT,EAASQ,CAAY,EAE1C,GAAIP,IAAY,QAIVxB,EAAK,SAAU,CACjB,IAAIiC,EAAmBjC,EAAK,MAE5B,GAAIwB,EAAQS,EAAkBD,CAAc,EAC1C,OAAAH,EAAoBI,EACbA,CAEV,CAGH,OAAAJ,EAAoBG,EACbA,CACR,CAID,IAAIE,EAAeN,EACfO,EAAgBN,EAEpB,GAAI3C,EAASgD,EAAcH,CAAY,EAErC,OAAOI,EAKT,IAAIC,EAAgBb,EAASQ,CAAY,EASzC,OAAIP,IAAY,QAAaA,EAAQW,EAAeC,CAAa,EACxDD,GAGTP,EAAmBG,EACnBF,EAAoBO,EACbA,EACb,EAIQC,EAAyBzC,IAAsB,OAAY,KAAOA,EAElE0C,EAA0B,UAAY,CACxC,OAAOR,EAAiBnC,EAAW,CAAE,CAC3C,EAEQ4C,EAAgCF,IAA2B,KAAO,OAAY,UAAY,CAC5F,OAAOP,EAAiBO,EAAsB,CAAE,CACtD,EACI,MAAO,CAACC,EAAyBC,CAA6B,CAC/D,EAAE,CAAC5C,EAAaC,EAAmB2B,EAAUC,CAAO,CAAC,EAClDgB,EAAed,EAAS,CAAC,EACzBe,EAAqBf,EAAS,CAAC,EAE/B7B,EAAQJ,EAAqBC,EAAW8C,EAAcC,CAAkB,EAC5E,OAAArD,EAAU,UAAY,CACpBY,EAAK,SAAW,GAChBA,EAAK,MAAQH,CACjB,EAAK,CAACA,CAAK,CAAC,EACVP,EAAcO,CAAK,EACZA,CACR,CAEuC6C,EAAA,iCAAGpB,EAGzC,OAAO,+BAAmC,KAC1C,OAAO,+BAA+B,4BACpC,YAEF,+BAA+B,2BAA2B,IAAI,KAAO,CAGvE,OCjKI,QAAQ,IAAI,WAAa,aAC3BqB,EAAA,QAAiB1F,KAEjB0F,EAAA,QAAiB7B,sBCAZ,MAAM8B,EAA4B7E,GACvC,OAAO,QAAQA,CAAC,EAEL8E,EAAgBC,GAC3BA,aAAmB,QAsBRC,EAAe5F,GAA2C,CACrE,MAAM6F,EAAO,OAAO7F,EAElB,OAAA6F,IAAS,UACTA,IAAS,UACTA,IAAS,UACTA,IAAS,WACTA,IAAS,aACTA,IAAS,IAEb,EAEaC,GAAiB,CAACC,EAAWC,IAAwB,CAChE,GAAID,IAASC,GAAS,OAAO,GAAGD,EAAMC,CAAK,EAAU,MAAA,GACrD,GAAI,MAAM,QAAQD,CAAI,GAAK,MAAM,QAAQC,CAAK,GACxCD,EAAK,SAAWC,EAAM,OAAe,MAAA,GAE3C,GAAID,GAAQC,GAAS,OAAOD,GAAS,UAAY,OAAOC,GAAU,SAAU,CACtE,GAAAD,EAAK,cAAgBC,EAAM,YAAoB,MAAA,GAC/C,GAAAD,EAAK,UAAY,OAAO,UAAU,QACpC,OAAOA,EAAK,QAAA,IAAcC,EAAM,QAAQ,EACpCC,MAAAA,EAAO,OAAO,KAAKF,CAAI,EAE7B,GADA,OAASE,EAAK,OACV,SAAW,OAAO,KAAKD,CAAK,EAAE,OACzB,MAAA,GAET,IAAIE,EAAI,OACR,KAAOA,MAAQ,GACT,GAAA,CAAC,OAAO,UAAU,eAAe,KAAKF,EAAOC,EAAKC,CAAC,CAAC,EAC/C,MAAA,GAGPA,EAAA,OACKA,QAAAA,EAAI,OAAQA,MAAQ,GAAK,CAC1B,MAAAC,EAAMF,EAAKC,CAAC,EAClB,GACE,EACEN,EAAYG,EAAKI,CAAG,CAAC,GACrBP,EAAYI,EAAMG,CAAG,CAAC,GACtBH,EAAMG,CAAG,IAAMJ,EAAKI,CAAG,GAGlB,MAAA,EACX,CACO,MAAA,EACT,CACO,OAAAJ,IAASA,GAAQC,IAAUA,CACpC,EAGaI,GAAYC,GACvB,OAAO,OAAO,OAAO,OAAO,OAAO,eAAeA,CAAQ,CAAC,EAAGA,CAAQ,EC9D3DC,EAAkB,CAC3BC,EACAC,EACAC,IACgE,CAChE,KAAM,CAACC,EAAOC,CAAQ,EAAI3E,WAASuE,CAAY,EACzCK,EAAWC,EAAmBJ,GAAmB,CAAE,CAAA,EACnDK,EAAWC,EAAAA,YAAY,IAAMH,EAAS,QAAS,CAACA,CAAQ,CAAC,EAEzDI,EAAa9C,EAAA,QACf,IACIuB,EAAwCe,CAAQ,EAAE,OAC9C,CAACS,EAAK,CAACC,EAAMC,CAAQ,KAAO,CACxB,GAAGF,EACH,CAACC,CAAI,EAAG,SAAUE,IAAsB,CACpC,MAAMC,EAAa,MAAMF,EAAS,GAAGC,CAAM,EAC3C,OAAOT,EAAUW,GAAyBD,EAAWC,EAAeR,EAAU,CAAA,CAAC,CACnF,CAAA,GAEJN,CACJ,EACJ,CAACA,EAAUM,CAAQ,CAAA,EAEhB,MAAA,CAACJ,EAAOM,CAAU,CAC7B,EAEaH,EAA4BH,GAAkC,CACvE,MAAMa,EAAUtD,EAAAA,OAAOyC,GAAS,CAAE,CAAA,EAClCzE,OAAAA,EAAA,UAAU,IAAM,KAAMsF,EAAQ,QAAUb,GAAQ,CAACA,CAAK,CAAC,EAChDa,CACX,EAEaC,GAAmB,CAA6CC,EAAYC,IACrF,OAAOA,GAAW,WAAaA,EAAOD,CAAI,EAAIC,EAE5CC,EAAS,CACXjB,EACAe,EACAG,EACAzB,IACC,CACD,MAAM0B,EAAU,MAAM,QAAQnB,CAAK,EAC7BA,EACAA,EAAM,YAAY,OAAS,OAAO,KAClC,CAAE,GAAGe,EAAM,GAAGf,CACd,EAAAA,EACC,OAAAkB,EAAW,OAAc,CAACX,EAAKa,IAAOA,EAAGb,EAAKd,EAAKsB,CAAI,EAAGI,CAAO,CAC5E,EAEaE,GAAa,CAMtBxB,EACAyB,EACAvB,EACAwB,IAC4C,CAC5C,KAAM,CAACvB,EAAOC,CAAQ,EAAI3E,EAAAA,SAAgB,IAAMuE,CAAY,EACtD2B,EAAerB,EAAWH,CAAK,EAC/ByB,EAAetB,EAAWJ,GAAU,CAAY,CAAA,EAChD2B,EAAiBvB,EAAWmB,CAAO,EACnCJ,EAAaf,EAAwBoB,GAAgB,CAA6B,CAAA,EAClFI,EAAoBpE,SAAOsC,CAAY,EAEvC+B,EAAcpE,EAAAA,QAAuD,IAAM,CACvE,MAAAsC,EAAW4B,EAAe,QAAQ,CACpC,MAAO,IAAMF,EAAa,QAC1B,MAAO,IAAMC,EAAa,QAC1B,aAAcE,EAAkB,OAAA,CACnC,EAEM,OAAA5C,EAAqBe,CAAe,EAAE,OACzC,CAACS,EAAK,CAACC,EAAMC,CAAQ,KAAY,CAC7B,GAAGF,EACH,CAACC,CAAI,EAAG,IAAIE,IAAkB,CACpB,MAAAmB,EAASpB,EAAS,GAAGC,CAAM,EAC3BoB,EAAOC,GACT9B,EAAUc,GAASE,EAAOc,EAAUhB,EAAMG,EAAW,QAASV,CAAI,CAAC,EAChE,OAAAxB,EAAiB6C,CAAM,EAAI,KAAKA,EAAO,KAAKC,CAAG,EAAIA,EAAID,CAAM,CACxE,CAAA,GAEJ,CAAC,CAAA,CAEN,EAAA,CAACJ,EAAcC,EAAgBF,CAAY,CAAC,EACxC,MAAA,CAACxB,EAAO4B,CAAW,CAC9B,EAEaI,GACT,IAC2FV,GACvFA,EAEKW,GAAsB,CAM/BpC,EACAyB,EACAvB,EACAwB,IAMC,CACD,IAAIvB,EAAQH,EACZ,MAAM/D,EAAc,IAAMkE,EACpBkC,MAAgB,IAChBC,EAAeC,IACjBF,EAAU,IAAIE,CAAQ,EACf,IAAMF,EAAU,OAAOE,CAAQ,GAEpCnC,EAAYoC,GAAoC,CAC5C,MAAAzB,EAAgB,CAAE,GAAGZ,GACrB+B,EAAWM,EAASrC,CAAK,EACvBA,EAAA+B,EACRG,EAAU,QAASI,GAASA,EAAKP,EAAUnB,CAAa,CAAC,CAAA,EAIvDlG,EAAO,CAAE,MAAOoB,EAAa,MADlB,IAAOiE,GAAoB,GACQ,aAAAF,GAC9C0C,EAA8BhB,GAAgB,GAC9CK,EAA6D7C,EAAQuC,EAAQ5G,CAAI,CAAC,EAAE,OACtF,CAAC6F,EAAK,CAACC,EAAMY,CAAE,KAAY,CACvB,GAAGb,EACH,CAACC,CAAI,EAAG,IAAI9F,IAAgB,CAClB,MAAAmH,EAAST,EAAG,GAAG1G,CAAI,EACnBoH,EAAOC,GAAoB9B,EAAUc,GAASE,EAAOc,EAAUhB,EAAMwB,EAAgB/B,CAAI,CAAC,EACzF,OAAAxB,EAAiB6C,CAAM,EAAIA,EAAO,KAAKC,CAAG,EAAIA,EAAID,CAAM,CACnE,CAAA,GAEJ,CAAC,CAAA,EAGCW,EAAmBxC,GAAiBA,EAE1C,OAAO,OAAO,OACV,SAA0DtC,EAAqB+E,EAAarD,GAAgB,CAQjG,MAAA,CAPO3B,GAAA,iCACV0E,EACArG,EACAA,EACA4B,GAAY8E,EACZC,CAAA,EAEWb,CAAW,CAC9B,EACA,CAAE,YAAAA,CAAY,CAAA,CAEtB,EAEac,GAAqC/C,GAAgB,CACxD,KAAA,CAACgD,EAAOC,CAAQ,EAAItH,EAAA,SACtB,IAAI,MACAqE,EACA,OAAO,OAAO,CAAC,EAAG,QAAS,CACvB,IAAK,CAACkD,EAAUC,EAAW9G,KACtB6G,EAAYC,CAAI,EAAI9G,EACZ4G,EAAAlD,GAAMmD,CAAG,CAAC,EACZ,GACX,CACH,CACL,CAAA,EAEG,OAAAF,CACX","x_google_ignoreList":[0,1,2,3,4,5]}
|
|
1
|
+
{"version":3,"file":"index.cjs","sources":["../node_modules/use-sync-external-store/cjs/use-sync-external-store-shim.production.min.js","../node_modules/use-sync-external-store/cjs/use-sync-external-store-shim.development.js","../node_modules/use-sync-external-store/shim/index.js","../node_modules/use-sync-external-store/cjs/use-sync-external-store-shim/with-selector.production.min.js","../node_modules/use-sync-external-store/cjs/use-sync-external-store-shim/with-selector.development.js","../node_modules/use-sync-external-store/shim/with-selector.js","../src/lib.ts","../src/hooks.ts","../src/use-typed-reducer.ts"],"sourcesContent":["/**\n * @license React\n * use-sync-external-store-shim.production.min.js\n *\n * Copyright (c) Facebook, Inc. and its affiliates.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n'use strict';var e=require(\"react\");function h(a,b){return a===b&&(0!==a||1/a===1/b)||a!==a&&b!==b}var k=\"function\"===typeof Object.is?Object.is:h,l=e.useState,m=e.useEffect,n=e.useLayoutEffect,p=e.useDebugValue;function q(a,b){var d=b(),f=l({inst:{value:d,getSnapshot:b}}),c=f[0].inst,g=f[1];n(function(){c.value=d;c.getSnapshot=b;r(c)&&g({inst:c})},[a,d,b]);m(function(){r(c)&&g({inst:c});return a(function(){r(c)&&g({inst:c})})},[a]);p(d);return d}\nfunction r(a){var b=a.getSnapshot;a=a.value;try{var d=b();return!k(a,d)}catch(f){return!0}}function t(a,b){return b()}var u=\"undefined\"===typeof window||\"undefined\"===typeof window.document||\"undefined\"===typeof window.document.createElement?t:q;exports.useSyncExternalStore=void 0!==e.useSyncExternalStore?e.useSyncExternalStore:u;\n","/**\n * @license React\n * use-sync-external-store-shim.development.js\n *\n * Copyright (c) Facebook, Inc. and its affiliates.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n\n'use strict';\n\nif (process.env.NODE_ENV !== \"production\") {\n (function() {\n\n 'use strict';\n\n/* global __REACT_DEVTOOLS_GLOBAL_HOOK__ */\nif (\n typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ !== 'undefined' &&\n typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStart ===\n 'function'\n) {\n __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStart(new Error());\n}\n var React = require('react');\n\nvar ReactSharedInternals = React.__SECRET_INTERNALS_DO_NOT_USE_OR_YOU_WILL_BE_FIRED;\n\nfunction error(format) {\n {\n {\n for (var _len2 = arguments.length, args = new Array(_len2 > 1 ? _len2 - 1 : 0), _key2 = 1; _key2 < _len2; _key2++) {\n args[_key2 - 1] = arguments[_key2];\n }\n\n printWarning('error', format, args);\n }\n }\n}\n\nfunction printWarning(level, format, args) {\n // When changing this logic, you might want to also\n // update consoleWithStackDev.www.js as well.\n {\n var ReactDebugCurrentFrame = ReactSharedInternals.ReactDebugCurrentFrame;\n var stack = ReactDebugCurrentFrame.getStackAddendum();\n\n if (stack !== '') {\n format += '%s';\n args = args.concat([stack]);\n } // eslint-disable-next-line react-internal/safe-string-coercion\n\n\n var argsWithFormat = args.map(function (item) {\n return String(item);\n }); // Careful: RN currently depends on this prefix\n\n argsWithFormat.unshift('Warning: ' + format); // We intentionally don't use spread (or .apply) directly because it\n // breaks IE9: https://github.com/facebook/react/issues/13610\n // eslint-disable-next-line react-internal/no-production-logging\n\n Function.prototype.apply.call(console[level], console, argsWithFormat);\n }\n}\n\n/**\n * inlined Object.is polyfill to avoid requiring consumers ship their own\n * https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/is\n */\nfunction is(x, y) {\n return x === y && (x !== 0 || 1 / x === 1 / y) || x !== x && y !== y // eslint-disable-line no-self-compare\n ;\n}\n\nvar objectIs = typeof Object.is === 'function' ? Object.is : is;\n\n// dispatch for CommonJS interop named imports.\n\nvar useState = React.useState,\n useEffect = React.useEffect,\n useLayoutEffect = React.useLayoutEffect,\n useDebugValue = React.useDebugValue;\nvar didWarnOld18Alpha = false;\nvar didWarnUncachedGetSnapshot = false; // Disclaimer: This shim breaks many of the rules of React, and only works\n// because of a very particular set of implementation details and assumptions\n// -- change any one of them and it will break. The most important assumption\n// is that updates are always synchronous, because concurrent rendering is\n// only available in versions of React that also have a built-in\n// useSyncExternalStore API. And we only use this shim when the built-in API\n// does not exist.\n//\n// Do not assume that the clever hacks used by this hook also work in general.\n// The point of this shim is to replace the need for hacks by other libraries.\n\nfunction useSyncExternalStore(subscribe, getSnapshot, // Note: The shim does not use getServerSnapshot, because pre-18 versions of\n// React do not expose a way to check if we're hydrating. So users of the shim\n// will need to track that themselves and return the correct value\n// from `getSnapshot`.\ngetServerSnapshot) {\n {\n if (!didWarnOld18Alpha) {\n if (React.startTransition !== undefined) {\n didWarnOld18Alpha = true;\n\n error('You are using an outdated, pre-release alpha of React 18 that ' + 'does not support useSyncExternalStore. The ' + 'use-sync-external-store shim will not work correctly. Upgrade ' + 'to a newer pre-release.');\n }\n }\n } // Read the current snapshot from the store on every render. Again, this\n // breaks the rules of React, and only works here because of specific\n // implementation details, most importantly that updates are\n // always synchronous.\n\n\n var value = getSnapshot();\n\n {\n if (!didWarnUncachedGetSnapshot) {\n var cachedValue = getSnapshot();\n\n if (!objectIs(value, cachedValue)) {\n error('The result of getSnapshot should be cached to avoid an infinite loop');\n\n didWarnUncachedGetSnapshot = true;\n }\n }\n } // Because updates are synchronous, we don't queue them. Instead we force a\n // re-render whenever the subscribed state changes by updating an some\n // arbitrary useState hook. Then, during render, we call getSnapshot to read\n // the current value.\n //\n // Because we don't actually use the state returned by the useState hook, we\n // can save a bit of memory by storing other stuff in that slot.\n //\n // To implement the early bailout, we need to track some things on a mutable\n // object. Usually, we would put that in a useRef hook, but we can stash it in\n // our useState hook instead.\n //\n // To force a re-render, we call forceUpdate({inst}). That works because the\n // new object always fails an equality check.\n\n\n var _useState = useState({\n inst: {\n value: value,\n getSnapshot: getSnapshot\n }\n }),\n inst = _useState[0].inst,\n forceUpdate = _useState[1]; // Track the latest getSnapshot function with a ref. This needs to be updated\n // in the layout phase so we can access it during the tearing check that\n // happens on subscribe.\n\n\n useLayoutEffect(function () {\n inst.value = value;\n inst.getSnapshot = getSnapshot; // Whenever getSnapshot or subscribe changes, we need to check in the\n // commit phase if there was an interleaved mutation. In concurrent mode\n // this can happen all the time, but even in synchronous mode, an earlier\n // effect may have mutated the store.\n\n if (checkIfSnapshotChanged(inst)) {\n // Force a re-render.\n forceUpdate({\n inst: inst\n });\n }\n }, [subscribe, value, getSnapshot]);\n useEffect(function () {\n // Check for changes right before subscribing. Subsequent changes will be\n // detected in the subscription handler.\n if (checkIfSnapshotChanged(inst)) {\n // Force a re-render.\n forceUpdate({\n inst: inst\n });\n }\n\n var handleStoreChange = function () {\n // TODO: Because there is no cross-renderer API for batching updates, it's\n // up to the consumer of this library to wrap their subscription event\n // with unstable_batchedUpdates. Should we try to detect when this isn't\n // the case and print a warning in development?\n // The store changed. Check if the snapshot changed since the last time we\n // read from the store.\n if (checkIfSnapshotChanged(inst)) {\n // Force a re-render.\n forceUpdate({\n inst: inst\n });\n }\n }; // Subscribe to the store and return a clean-up function.\n\n\n return subscribe(handleStoreChange);\n }, [subscribe]);\n useDebugValue(value);\n return value;\n}\n\nfunction checkIfSnapshotChanged(inst) {\n var latestGetSnapshot = inst.getSnapshot;\n var prevValue = inst.value;\n\n try {\n var nextValue = latestGetSnapshot();\n return !objectIs(prevValue, nextValue);\n } catch (error) {\n return true;\n }\n}\n\nfunction useSyncExternalStore$1(subscribe, getSnapshot, getServerSnapshot) {\n // Note: The shim does not use getServerSnapshot, because pre-18 versions of\n // React do not expose a way to check if we're hydrating. So users of the shim\n // will need to track that themselves and return the correct value\n // from `getSnapshot`.\n return getSnapshot();\n}\n\nvar canUseDOM = !!(typeof window !== 'undefined' && typeof window.document !== 'undefined' && typeof window.document.createElement !== 'undefined');\n\nvar isServerEnvironment = !canUseDOM;\n\nvar shim = isServerEnvironment ? useSyncExternalStore$1 : useSyncExternalStore;\nvar useSyncExternalStore$2 = React.useSyncExternalStore !== undefined ? React.useSyncExternalStore : shim;\n\nexports.useSyncExternalStore = useSyncExternalStore$2;\n /* global __REACT_DEVTOOLS_GLOBAL_HOOK__ */\nif (\n typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ !== 'undefined' &&\n typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStop ===\n 'function'\n) {\n __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStop(new Error());\n}\n \n })();\n}\n","'use strict';\n\nif (process.env.NODE_ENV === 'production') {\n module.exports = require('../cjs/use-sync-external-store-shim.production.min.js');\n} else {\n module.exports = require('../cjs/use-sync-external-store-shim.development.js');\n}\n","/**\n * @license React\n * use-sync-external-store-shim/with-selector.production.min.js\n *\n * Copyright (c) Facebook, Inc. and its affiliates.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n'use strict';var h=require(\"react\"),n=require(\"use-sync-external-store/shim\");function p(a,b){return a===b&&(0!==a||1/a===1/b)||a!==a&&b!==b}var q=\"function\"===typeof Object.is?Object.is:p,r=n.useSyncExternalStore,t=h.useRef,u=h.useEffect,v=h.useMemo,w=h.useDebugValue;\nexports.useSyncExternalStoreWithSelector=function(a,b,e,l,g){var c=t(null);if(null===c.current){var f={hasValue:!1,value:null};c.current=f}else f=c.current;c=v(function(){function a(a){if(!c){c=!0;d=a;a=l(a);if(void 0!==g&&f.hasValue){var b=f.value;if(g(b,a))return k=b}return k=a}b=k;if(q(d,a))return b;var e=l(a);if(void 0!==g&&g(b,e))return b;d=a;return k=e}var c=!1,d,k,m=void 0===e?null:e;return[function(){return a(b())},null===m?void 0:function(){return a(m())}]},[b,e,l,g]);var d=r(a,c[0],c[1]);\nu(function(){f.hasValue=!0;f.value=d},[d]);w(d);return d};\n","/**\n * @license React\n * use-sync-external-store-shim/with-selector.development.js\n *\n * Copyright (c) Facebook, Inc. and its affiliates.\n *\n * This source code is licensed under the MIT license found in the\n * LICENSE file in the root directory of this source tree.\n */\n\n'use strict';\n\nif (process.env.NODE_ENV !== \"production\") {\n (function() {\n\n 'use strict';\n\n/* global __REACT_DEVTOOLS_GLOBAL_HOOK__ */\nif (\n typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ !== 'undefined' &&\n typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStart ===\n 'function'\n) {\n __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStart(new Error());\n}\n var React = require('react');\nvar shim = require('use-sync-external-store/shim');\n\n/**\n * inlined Object.is polyfill to avoid requiring consumers ship their own\n * https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Global_Objects/Object/is\n */\nfunction is(x, y) {\n return x === y && (x !== 0 || 1 / x === 1 / y) || x !== x && y !== y // eslint-disable-line no-self-compare\n ;\n}\n\nvar objectIs = typeof Object.is === 'function' ? Object.is : is;\n\nvar useSyncExternalStore = shim.useSyncExternalStore;\n\n// for CommonJS interop.\n\nvar useRef = React.useRef,\n useEffect = React.useEffect,\n useMemo = React.useMemo,\n useDebugValue = React.useDebugValue; // Same as useSyncExternalStore, but supports selector and isEqual arguments.\n\nfunction useSyncExternalStoreWithSelector(subscribe, getSnapshot, getServerSnapshot, selector, isEqual) {\n // Use this to track the rendered snapshot.\n var instRef = useRef(null);\n var inst;\n\n if (instRef.current === null) {\n inst = {\n hasValue: false,\n value: null\n };\n instRef.current = inst;\n } else {\n inst = instRef.current;\n }\n\n var _useMemo = useMemo(function () {\n // Track the memoized state using closure variables that are local to this\n // memoized instance of a getSnapshot function. Intentionally not using a\n // useRef hook, because that state would be shared across all concurrent\n // copies of the hook/component.\n var hasMemo = false;\n var memoizedSnapshot;\n var memoizedSelection;\n\n var memoizedSelector = function (nextSnapshot) {\n if (!hasMemo) {\n // The first time the hook is called, there is no memoized result.\n hasMemo = true;\n memoizedSnapshot = nextSnapshot;\n\n var _nextSelection = selector(nextSnapshot);\n\n if (isEqual !== undefined) {\n // Even if the selector has changed, the currently rendered selection\n // may be equal to the new selection. We should attempt to reuse the\n // current value if possible, to preserve downstream memoizations.\n if (inst.hasValue) {\n var currentSelection = inst.value;\n\n if (isEqual(currentSelection, _nextSelection)) {\n memoizedSelection = currentSelection;\n return currentSelection;\n }\n }\n }\n\n memoizedSelection = _nextSelection;\n return _nextSelection;\n } // We may be able to reuse the previous invocation's result.\n\n\n // We may be able to reuse the previous invocation's result.\n var prevSnapshot = memoizedSnapshot;\n var prevSelection = memoizedSelection;\n\n if (objectIs(prevSnapshot, nextSnapshot)) {\n // The snapshot is the same as last time. Reuse the previous selection.\n return prevSelection;\n } // The snapshot has changed, so we need to compute a new selection.\n\n\n // The snapshot has changed, so we need to compute a new selection.\n var nextSelection = selector(nextSnapshot); // If a custom isEqual function is provided, use that to check if the data\n // has changed. If it hasn't, return the previous selection. That signals\n // to React that the selections are conceptually equal, and we can bail\n // out of rendering.\n\n // If a custom isEqual function is provided, use that to check if the data\n // has changed. If it hasn't, return the previous selection. That signals\n // to React that the selections are conceptually equal, and we can bail\n // out of rendering.\n if (isEqual !== undefined && isEqual(prevSelection, nextSelection)) {\n return prevSelection;\n }\n\n memoizedSnapshot = nextSnapshot;\n memoizedSelection = nextSelection;\n return nextSelection;\n }; // Assigning this to a constant so that Flow knows it can't change.\n\n\n // Assigning this to a constant so that Flow knows it can't change.\n var maybeGetServerSnapshot = getServerSnapshot === undefined ? null : getServerSnapshot;\n\n var getSnapshotWithSelector = function () {\n return memoizedSelector(getSnapshot());\n };\n\n var getServerSnapshotWithSelector = maybeGetServerSnapshot === null ? undefined : function () {\n return memoizedSelector(maybeGetServerSnapshot());\n };\n return [getSnapshotWithSelector, getServerSnapshotWithSelector];\n }, [getSnapshot, getServerSnapshot, selector, isEqual]),\n getSelection = _useMemo[0],\n getServerSelection = _useMemo[1];\n\n var value = useSyncExternalStore(subscribe, getSelection, getServerSelection);\n useEffect(function () {\n inst.hasValue = true;\n inst.value = value;\n }, [value]);\n useDebugValue(value);\n return value;\n}\n\nexports.useSyncExternalStoreWithSelector = useSyncExternalStoreWithSelector;\n /* global __REACT_DEVTOOLS_GLOBAL_HOOK__ */\nif (\n typeof __REACT_DEVTOOLS_GLOBAL_HOOK__ !== 'undefined' &&\n typeof __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStop ===\n 'function'\n) {\n __REACT_DEVTOOLS_GLOBAL_HOOK__.registerInternalModuleStop(new Error());\n}\n \n })();\n}\n","'use strict';\n\nif (process.env.NODE_ENV === 'production') {\n module.exports = require('../cjs/use-sync-external-store-shim/with-selector.production.min.js');\n} else {\n module.exports = require('../cjs/use-sync-external-store-shim/with-selector.development.js');\n}\n","import { Callback } from \"./types\";\n\nexport const isObject = <T>(obj: T) => obj && typeof obj === \"object\";\n\nexport const keys = Object.keys as <T>(t: T) => Array<keyof T>;\n\ntype MapArray<T, F> = { [K in keyof T]: [K, F] };\nexport const entries = <T extends {}, F>(t: T): MapArray<T[], F> => Object.entries(t) as any;\n\nexport const isPromise = <T>(promise: any): promise is Promise<T> => promise instanceof Promise;\n\nexport const isPrimitive = (a: any): a is string | number | boolean => {\n const type = typeof a;\n return (\n type === \"string\" ||\n type === \"number\" ||\n type === \"bigint\" ||\n type === \"boolean\" ||\n type === \"undefined\" ||\n type === null\n );\n};\n\nexport const shallowCompare = (left: any, right: any): boolean => {\n if (left === right || Object.is(left, right)) return true;\n if (Array.isArray(left) && Array.isArray(right)) {\n if (left.length !== right.length) return false;\n }\n if (left && right && typeof left === \"object\" && typeof right === \"object\") {\n if (left.constructor !== right.constructor) return false;\n if (left.valueOf !== Object.prototype.valueOf) return left.valueOf() === right.valueOf();\n const keys = Object.keys(left);\n length = keys.length;\n if (length !== Object.keys(right).length) {\n return false;\n }\n let i = length;\n for (; i-- !== 0; ) {\n if (!Object.prototype.hasOwnProperty.call(right, keys[i])) {\n return false;\n }\n }\n i = length;\n for (let i = length; i-- !== 0; ) {\n const key = keys[i];\n if (!(isPrimitive(left[key]) && isPrimitive(right[key]) && right[key] === left[key])) return false;\n }\n return true;\n }\n return left !== left && right !== right;\n};\n\nexport const clone = <O>(instance: O) => Object.assign(Object.create(Object.getPrototypeOf(instance)), instance);\n\nexport const dispatchCallback = <Prev extends any, T extends Callback<Prev>>(prev: Prev, setter: T) =>\n typeof setter === \"function\" ? setter(prev) : setter;\n","import { MutableRefObject, useEffect, useRef } from \"react\";\n\nexport const useMutable = <T extends {}>(state: T): MutableRefObject<T> => {\n const mutable = useRef<T>(state ?? {});\n useEffect(() => void (mutable.current = state), [state]);\n return mutable;\n};\n\nexport const usePrevious = <V>(value: V): V => {\n const ref = useRef<V>();\n useEffect(() => {\n ref.current = value;\n }, [value]);\n return ref.current!;\n};\n","import React, { SetStateAction, useCallback, useEffect, useMemo, useRef, useState } from \"react\";\nimport { useSyncExternalStoreWithSelector } from \"use-sync-external-store/shim/with-selector\";\nimport { entries, isPromise, shallowCompare } from \"./lib\";\nimport {\n Dispatch,\n MapReducers,\n Action,\n Listener,\n UseReducer,\n ReducerActions,\n MapReducerReturn,\n ReducerMiddleware,\n Debug\n} from \"./types\";\nimport { useMutable, usePrevious } from \"./hooks\";\n\nexport const useLegacyReducer = <State extends {}, Reducers extends Dispatch<State, Props, Reducers>, Props extends {}>(\n initialState: State,\n reducers: Reducers,\n props?: Props\n): [state: State, dispatch: MapReducers<State, Props, Reducers>] => {\n const [state, setState] = useState(initialState);\n const refProps = useMutable<Props>((props as never) ?? {});\n const getProps = useCallback(() => refProps.current, [refProps]);\n\n const dispatches = useMemo<any>(\n () =>\n entries<Reducers, Action<State, Props>>(reducers).reduce(\n (acc, [name, dispatch]) => ({\n ...acc,\n [name]: async (...params: unknown[]) => {\n const dispatcher = await dispatch(...params);\n return setState((previousState: State) => dispatcher(previousState, getProps()));\n }\n }),\n reducers\n ),\n [reducers, getProps]\n );\n return [state, dispatches];\n};\n\n\nconst reduce = <State extends {}>(state: State, prev: State) => {\n if (prev === state) return state;\n return state.constructor.name === Object.name ? { ...prev, ...state } : state;\n};\n\nconst debugFunc =\n <State extends {}, Props extends object>(\n name: string,\n dispatch: (...args: any[]) => any,\n setState: React.Dispatch<SetStateAction<State>>,\n getProps: () => Props,\n debug: React.MutableRefObject<Debug<Props> | null>\n ) =>\n (...params: any[]) => {\n const now = performance.now();\n const result = dispatch(...params);\n const set = (newState: State) => setState((prev) => reduce(newState, prev));\n if (isPromise<State>(result)) {\n return result.then((resolved) => {\n set(resolved);\n debug.current = {\n method: name,\n props: getProps(),\n time: performance.now() - now\n };\n });\n }\n set(result);\n debug.current = {\n method: name,\n props: getProps(),\n time: performance.now() - now\n };\n return;\n };\n\nconst optimizedFunc =\n <State extends {}, Props extends object>(\n name: string,\n dispatch: (...args: any[]) => any,\n setState: React.Dispatch<SetStateAction<State>>,\n getProps: () => Props,\n debug: React.MutableRefObject<Debug<Props> | null>\n ) =>\n (...params: any[]) => {\n debug.current = { method: name, time: 0, props: getProps() };\n const result = dispatch(...params);\n const set = (newState: State) => setState((prev) => reduce(newState, prev));\n if (isPromise<State>(result)) {\n return result.then((resolved) => set(resolved));\n }\n return set(result);\n };\n\nexport const useReducer = <\n State extends {},\n Reducers extends ReducerActions<State, Props>,\n Props extends object,\n Middlewares extends ReducerMiddleware<State, Props>,\n UseDebug extends boolean\n>(\n initialState: State,\n reducer: Reducers,\n options?: Partial<{\n middlewares: Middlewares;\n props: Props;\n debug: UseDebug;\n }>\n): UseReducer<State, State, Props, Reducers> => {\n const [state, setState] = useState<State>(() => initialState);\n const mutableState = useMutable(state);\n const mutableProps = useMutable(options?.props ?? ({} as Props));\n const mutableReducer = useMutable(reducer);\n const middleware = useMutable<Middlewares>(options?.middlewares ?? ([] as unknown as Middlewares));\n const savedInitialState = useRef(initialState);\n const previous = usePrevious(state);\n const previousRef = useMutable(previous);\n const debug = useRef<Debug<Props> | null>(null);\n\n useEffect(() => {\n if (debug.current === null) return;\n const d = debug.current!;\n middleware.current.forEach((middle) => {\n middle(state, previous, d);\n });\n }, [state, middleware, previous]);\n\n const [dispatchers] = useState<MapReducerReturn<State, ReturnType<Reducers>>>(() => {\n const getProps = () => mutableProps.current;\n const reducers = mutableReducer.current({\n props: getProps,\n state: () => mutableState.current,\n initialState: savedInitialState.current,\n previousState: () => previousRef.current\n });\n return entries<string, any>(reducers as any).reduce(\n (acc, [name, dispatch]: any) => ({\n ...acc,\n [name]: options?.debug\n ? debugFunc(name, dispatch, setState, getProps, debug)\n : optimizedFunc(name, dispatch, setState, getProps, debug)\n }),\n {} as MapReducerReturn<State, ReturnType<Reducers>>\n );\n });\n return [state, dispatchers] as const;\n};\n\nexport const createGlobalReducer = <State extends {}, Reducers extends ReducerActions<State, {}>>(\n initialState: State,\n reducer: Reducers\n): (<Selector extends (state: State) => any, Middlewares extends ReducerMiddleware<State, {}>>(\n selector?: Selector,\n comparator?: (a: any, b: any) => boolean,\n middleware?: Middlewares\n) => UseReducer<Selector extends (state: State) => State ? State : ReturnType<Selector>, State, {}, Reducers>) & {\n dispatchers: MapReducerReturn<State, ReturnType<Reducers>>;\n} => {\n let state = initialState;\n const getSnapshot = () => state;\n const listeners = new Set<Listener<State>>();\n const addListener = (listener: Listener<State>) => {\n listeners.add(listener);\n return () => listeners.delete(listener);\n };\n const setState = (callback: (arg: State) => State) => {\n const previousState = { ...state };\n const newState = callback(state);\n state = newState;\n listeners.forEach((exec) => exec(newState, previousState));\n };\n\n const args = {\n initialState,\n props: {} as any,\n state: getSnapshot,\n previousState: getSnapshot\n };\n\n const dispatchers: MapReducerReturn<State, ReturnType<Reducers>> = entries(reducer(args)).reduce<any>(\n (acc, [name, fn]: any) => ({\n ...acc,\n [name]: (...args: any[]) => {\n const result = fn(...args);\n const set = (newState: State) => setState((prev) => reduce(newState, prev));\n return isPromise<State>(result) ? result.then(set) : set(result);\n }\n }),\n {}\n );\n\n const defaultSelector = (state: State) => state;\n\n return Object.assign(\n function useStore<Selector extends (state: State) => any, Middlewares extends ReducerMiddleware<State, {}>>(\n selector?: Selector,\n comparator = shallowCompare,\n middleware?: Middlewares\n ) {\n const state = useSyncExternalStoreWithSelector(\n addListener,\n getSnapshot,\n getSnapshot,\n selector || defaultSelector,\n comparator\n );\n const previous = usePrevious(state);\n useEffect(() => {\n if (!middleware) return;\n middleware.forEach((middle) => {\n middle(state, previous, { method: \"@globalState@\", time: -1, props: {} });\n });\n }, [state, previous]);\n return [state, dispatchers] as const;\n },\n { dispatchers }\n );\n};\n\n"],"names":["require$$0","h","a","b","k","l","m","n","p","q","d","f","c","g","r","t","u","useSyncExternalStoreShim_production_min","React","ReactSharedInternals","error","format","_len2","args","_key2","printWarning","level","ReactDebugCurrentFrame","stack","argsWithFormat","item","is","x","y","objectIs","useState","useEffect","useLayoutEffect","useDebugValue","didWarnOld18Alpha","didWarnUncachedGetSnapshot","useSyncExternalStore","subscribe","getSnapshot","getServerSnapshot","value","cachedValue","_useState","inst","forceUpdate","checkIfSnapshotChanged","handleStoreChange","latestGetSnapshot","prevValue","nextValue","useSyncExternalStore$1","canUseDOM","isServerEnvironment","shim","useSyncExternalStore$2","useSyncExternalStoreShim_development","shimModule","require$$1","v","w","withSelector_production_min","e","useRef","useMemo","useSyncExternalStoreWithSelector","selector","isEqual","instRef","_useMemo","hasMemo","memoizedSnapshot","memoizedSelection","memoizedSelector","nextSnapshot","_nextSelection","currentSelection","prevSnapshot","prevSelection","nextSelection","maybeGetServerSnapshot","getSnapshotWithSelector","getServerSnapshotWithSelector","getSelection","getServerSelection","withSelector_development","withSelectorModule","entries","isPromise","promise","isPrimitive","type","shallowCompare","left","right","keys","i","key","clone","instance","dispatchCallback","prev","setter","useMutable","state","mutable","usePrevious","ref","useLegacyReducer","initialState","reducers","props","setState","refProps","getProps","useCallback","dispatches","acc","name","dispatch","params","dispatcher","previousState","reduce","debugFunc","debug","now","result","set","newState","resolved","optimizedFunc","useReducer","reducer","options","mutableState","mutableProps","mutableReducer","middleware","savedInitialState","previous","previousRef","middle","dispatchers","createGlobalReducer","listeners","addListener","listener","callback","exec","fn","defaultSelector","comparator"],"mappings":";;;;;;;;yCASa,IAAI,EAAEA,EAAiB,SAASC,EAAEC,EAAEC,EAAE,CAAC,OAAOD,IAAIC,IAAQD,IAAJ,GAAO,EAAEA,IAAI,EAAEC,IAAID,IAAIA,GAAGC,IAAIA,CAAC,CAAC,IAAIC,EAAe,OAAO,OAAO,IAA3B,WAA8B,OAAO,GAAGH,EAAEI,EAAE,EAAE,SAASC,EAAE,EAAE,UAAUC,EAAE,EAAE,gBAAgBC,EAAE,EAAE,cAAc,SAASC,EAAEP,EAAEC,EAAE,CAAC,IAAIO,EAAEP,EAAC,EAAGQ,EAAEN,EAAE,CAAC,KAAK,CAAC,MAAMK,EAAE,YAAYP,CAAC,CAAC,CAAC,EAAES,EAAED,EAAE,CAAC,EAAE,KAAKE,EAAEF,EAAE,CAAC,EAAE,OAAAJ,EAAE,UAAU,CAACK,EAAE,MAAMF,EAAEE,EAAE,YAAYT,EAAEW,EAAEF,CAAC,GAAGC,EAAE,CAAC,KAAKD,CAAC,CAAC,CAAC,EAAE,CAACV,EAAEQ,EAAEP,CAAC,CAAC,EAAEG,EAAE,UAAU,CAAC,OAAAQ,EAAEF,CAAC,GAAGC,EAAE,CAAC,KAAKD,CAAC,CAAC,EAASV,EAAE,UAAU,CAACY,EAAEF,CAAC,GAAGC,EAAE,CAAC,KAAKD,CAAC,CAAC,CAAC,CAAC,CAAC,EAAE,CAACV,CAAC,CAAC,EAAEM,EAAEE,CAAC,EAASA,CAAC,CAClc,SAASI,EAAEZ,EAAE,CAAC,IAAIC,EAAED,EAAE,YAAYA,EAAEA,EAAE,MAAM,GAAG,CAAC,IAAIQ,EAAEP,EAAG,EAAC,MAAM,CAACC,EAAEF,EAAEQ,CAAC,CAAC,MAAS,CAAC,MAAM,EAAE,CAAC,CAAC,SAASK,EAAEb,EAAEC,EAAE,CAAC,OAAOA,EAAC,CAAE,CAAC,IAAIa,EAAgB,OAAO,OAArB,KAA2C,OAAO,OAAO,SAA5B,KAAoD,OAAO,OAAO,SAAS,cAArC,IAAmDD,EAAEN,EAAE,OAAAQ,EAA4B,qBAAU,EAAE,uBAAX,OAAgC,EAAE,qBAAqBD;;;;;;;;sCCEtU,QAAQ,IAAI,WAAa,cAC1B,UAAW,CAMZ,OAAO,+BAAmC,KAC1C,OAAO,+BAA+B,6BACpC,YAEF,+BAA+B,4BAA4B,IAAI,KAAO,EAE9D,IAAIE,EAAQlB,EAElBmB,EAAuBD,EAAM,mDAEjC,SAASE,EAAMC,EAAQ,CAEnB,CACE,QAASC,EAAQ,UAAU,OAAQC,EAAO,IAAI,MAAMD,EAAQ,EAAIA,EAAQ,EAAI,CAAC,EAAGE,EAAQ,EAAGA,EAAQF,EAAOE,IACxGD,EAAKC,EAAQ,CAAC,EAAI,UAAUA,CAAK,EAGnCC,EAAa,QAASJ,EAAQE,CAAI,CACnC,CAEJ,CAED,SAASE,EAAaC,EAAOL,EAAQE,EAAM,CAGzC,CACE,IAAII,EAAyBR,EAAqB,uBAC9CS,EAAQD,EAAuB,mBAE/BC,IAAU,KACZP,GAAU,KACVE,EAAOA,EAAK,OAAO,CAACK,CAAK,CAAC,GAI5B,IAAIC,EAAiBN,EAAK,IAAI,SAAUO,EAAM,CAC5C,OAAO,OAAOA,CAAI,CACxB,CAAK,EAEDD,EAAe,QAAQ,YAAcR,CAAM,EAI3C,SAAS,UAAU,MAAM,KAAK,QAAQK,CAAK,EAAG,QAASG,CAAc,CACtE,CACF,CAMD,SAASE,EAAGC,EAAGC,EAAG,CAChB,OAAOD,IAAMC,IAAMD,IAAM,GAAK,EAAIA,IAAM,EAAIC,IAAMD,IAAMA,GAAKC,IAAMA,CAEpE,CAED,IAAIC,EAAW,OAAO,OAAO,IAAO,WAAa,OAAO,GAAKH,EAIzDI,EAAWjB,EAAM,SACjBkB,EAAYlB,EAAM,UAClBmB,EAAkBnB,EAAM,gBACxBoB,EAAgBpB,EAAM,cACtBqB,EAAoB,GACpBC,EAA6B,GAWjC,SAASC,EAAqBC,EAAWC,EAIzCC,EAAmB,CAEVL,GACCrB,EAAM,kBAAoB,SAC5BqB,EAAoB,GAEpBnB,EAAM,gMAA+M,GAS3N,IAAIyB,EAAQF,IAGV,GAAI,CAACH,EAA4B,CAC/B,IAAIM,EAAcH,IAEbT,EAASW,EAAOC,CAAW,IAC9B1B,EAAM,sEAAsE,EAE5EoB,EAA6B,GAEhC,CAiBH,IAAIO,EAAYZ,EAAS,CACvB,KAAM,CACJ,MAAOU,EACP,YAAaF,CACd,CACL,CAAG,EACGK,EAAOD,EAAU,CAAC,EAAE,KACpBE,EAAcF,EAAU,CAAC,EAK7B,OAAAV,EAAgB,UAAY,CAC1BW,EAAK,MAAQH,EACbG,EAAK,YAAcL,EAKfO,EAAuBF,CAAI,GAE7BC,EAAY,CACV,KAAMD,CACd,CAAO,CAEJ,EAAE,CAACN,EAAWG,EAAOF,CAAW,CAAC,EAClCP,EAAU,UAAY,CAGhBc,EAAuBF,CAAI,GAE7BC,EAAY,CACV,KAAMD,CACd,CAAO,EAGH,IAAIG,EAAoB,UAAY,CAO9BD,EAAuBF,CAAI,GAE7BC,EAAY,CACV,KAAMD,CAChB,CAAS,CAET,EAGI,OAAON,EAAUS,CAAiB,CACtC,EAAK,CAACT,CAAS,CAAC,EACdJ,EAAcO,CAAK,EACZA,CACR,CAED,SAASK,EAAuBF,EAAM,CACpC,IAAII,EAAoBJ,EAAK,YACzBK,EAAYL,EAAK,MAErB,GAAI,CACF,IAAIM,EAAYF,IAChB,MAAO,CAAClB,EAASmB,EAAWC,CAAS,CACtC,MAAe,CACd,MAAO,EACR,CACF,CAED,SAASC,EAAuBb,EAAWC,EAAaC,EAAmB,CAKzE,OAAOD,EAAW,CACnB,CAED,IAAIa,EAAe,OAAO,OAAW,KAAe,OAAO,OAAO,SAAa,KAAe,OAAO,OAAO,SAAS,cAAkB,IAEnIC,EAAsB,CAACD,EAEvBE,EAAOD,EAAsBF,EAAyBd,EACtDkB,EAAyBzC,EAAM,uBAAyB,OAAYA,EAAM,qBAAuBwC,EAEzEE,EAAA,qBAAGD,EAG7B,OAAO,+BAAmC,KAC1C,OAAO,+BAA+B,4BACpC,YAEF,+BAA+B,2BAA2B,IAAI,KAAO,CAGvE,yCC3OI,QAAQ,IAAI,WAAa,aAC3BE,EAAA,QAAiB7D,KAEjB6D,EAAA,QAAiBC;;;;;;;;yCCIN,IAAI7D,EAAED,EAAiBO,EAAEuD,EAAuC,EAAC,SAAStD,EAAEN,EAAEC,EAAE,CAAC,OAAOD,IAAIC,IAAQD,IAAJ,GAAO,EAAEA,IAAI,EAAEC,IAAID,IAAIA,GAAGC,IAAIA,CAAC,CAAC,IAAIM,EAAe,OAAO,OAAO,IAA3B,WAA8B,OAAO,GAAGD,EAAEM,EAAEP,EAAE,qBAAqBQ,EAAEd,EAAE,OAAOe,EAAEf,EAAE,UAAU8D,EAAE9D,EAAE,QAAQ+D,EAAE/D,EAAE,cAC/P,OAAAgE,EAAA,iCAAyC,SAAS/D,EAAEC,EAAE+D,EAAE7D,EAAEQ,EAAE,CAAC,IAAI,EAAEE,EAAE,IAAI,EAAE,GAAU,EAAE,UAAT,KAAiB,CAAC,IAAIJ,EAAE,CAAC,SAAS,GAAG,MAAM,IAAI,EAAE,EAAE,QAAQA,CAAC,MAAMA,EAAE,EAAE,QAAQ,EAAEoD,EAAE,UAAU,CAAC,SAAS7D,EAAEA,EAAE,CAAC,GAAG,CAACU,EAAE,CAAiB,GAAhBA,EAAE,GAAGF,EAAER,EAAEA,EAAEG,EAAEH,CAAC,EAAcW,IAAT,QAAYF,EAAE,SAAS,CAAC,IAAIR,EAAEQ,EAAE,MAAM,GAAGE,EAAEV,EAAED,CAAC,EAAE,OAAOE,EAAED,CAAC,CAAC,OAAOC,EAAEF,CAAC,CAAK,GAAJC,EAAEC,EAAKK,EAAEC,EAAER,CAAC,EAAE,OAAOC,EAAE,IAAI+D,EAAE7D,EAAEH,CAAC,EAAE,OAAYW,IAAT,QAAYA,EAAEV,EAAE+D,CAAC,EAAS/D,GAAEO,EAAER,EAASE,EAAE8D,EAAC,CAAC,IAAItD,EAAE,GAAGF,EAAEN,EAAEE,EAAW4D,IAAT,OAAW,KAAKA,EAAE,MAAM,CAAC,UAAU,CAAC,OAAOhE,EAAEC,EAAG,CAAA,CAAC,EAASG,IAAP,KAAS,OAAO,UAAU,CAAC,OAAOJ,EAAEI,EAAC,CAAE,CAAC,CAAC,CAAC,EAAE,CAACH,EAAE+D,EAAE7D,EAAEQ,CAAC,CAAC,EAAE,IAAIH,EAAEI,EAAEZ,EAAE,EAAE,CAAC,EAAE,EAAE,CAAC,CAAC,EACrf,OAAAc,EAAE,UAAU,CAACL,EAAE,SAAS,GAAGA,EAAE,MAAMD,CAAC,EAAE,CAACA,CAAC,CAAC,EAAEsD,EAAEtD,CAAC,EAASA,CAAC;;;;;;;;sCCCpD,QAAQ,IAAI,WAAa,cAC1B,UAAW,CAMZ,OAAO,+BAAmC,KAC1C,OAAO,+BAA+B,6BACpC,YAEF,+BAA+B,4BAA4B,IAAI,KAAO,EAE9D,IAAIQ,EAAQlB,EAClB0D,EAAOI,IAMX,SAAS/B,EAAGC,EAAGC,EAAG,CAChB,OAAOD,IAAMC,IAAMD,IAAM,GAAK,EAAIA,IAAM,EAAIC,IAAMD,IAAMA,GAAKC,IAAMA,CAEpE,CAED,IAAIC,EAAW,OAAO,OAAO,IAAO,WAAa,OAAO,GAAKH,EAEzDU,EAAuBiB,EAAK,qBAI5BS,EAASjD,EAAM,OACfkB,EAAYlB,EAAM,UAClBkD,EAAUlD,EAAM,QAChBoB,EAAgBpB,EAAM,cAE1B,SAASmD,EAAiC3B,EAAWC,EAAaC,EAAmB0B,EAAUC,EAAS,CAEtG,IAAIC,EAAUL,EAAO,IAAI,EACrBnB,EAEAwB,EAAQ,UAAY,MACtBxB,EAAO,CACL,SAAU,GACV,MAAO,IACb,EACIwB,EAAQ,QAAUxB,GAElBA,EAAOwB,EAAQ,QAGjB,IAAIC,EAAWL,EAAQ,UAAY,CAKjC,IAAIM,EAAU,GACVC,EACAC,EAEAC,EAAmB,SAAUC,EAAc,CAC7C,GAAI,CAACJ,EAAS,CAEZA,EAAU,GACVC,EAAmBG,EAEnB,IAAIC,EAAiBT,EAASQ,CAAY,EAE1C,GAAIP,IAAY,QAIVvB,EAAK,SAAU,CACjB,IAAIgC,EAAmBhC,EAAK,MAE5B,GAAIuB,EAAQS,EAAkBD,CAAc,EAC1C,OAAAH,EAAoBI,EACbA,CAEV,CAGH,OAAAJ,EAAoBG,EACbA,CACR,CAID,IAAIE,EAAeN,EACfO,EAAgBN,EAEpB,GAAI1C,EAAS+C,EAAcH,CAAY,EAErC,OAAOI,EAKT,IAAIC,EAAgBb,EAASQ,CAAY,EASzC,OAAIP,IAAY,QAAaA,EAAQW,EAAeC,CAAa,EACxDD,GAGTP,EAAmBG,EACnBF,EAAoBO,EACbA,EACb,EAIQC,EAAyBxC,IAAsB,OAAY,KAAOA,EAElEyC,EAA0B,UAAY,CACxC,OAAOR,EAAiBlC,EAAW,CAAE,CAC3C,EAEQ2C,EAAgCF,IAA2B,KAAO,OAAY,UAAY,CAC5F,OAAOP,EAAiBO,EAAsB,CAAE,CACtD,EACI,MAAO,CAACC,EAAyBC,CAA6B,CAC/D,EAAE,CAAC3C,EAAaC,EAAmB0B,EAAUC,CAAO,CAAC,EAClDgB,EAAed,EAAS,CAAC,EACzBe,EAAqBf,EAAS,CAAC,EAE/B5B,EAAQJ,EAAqBC,EAAW6C,EAAcC,CAAkB,EAC5E,OAAApD,EAAU,UAAY,CACpBY,EAAK,SAAW,GAChBA,EAAK,MAAQH,CACjB,EAAK,CAACA,CAAK,CAAC,EACVP,EAAcO,CAAK,EACZA,CACR,CAEuC4C,EAAA,iCAAGpB,EAGzC,OAAO,+BAAmC,KAC1C,OAAO,+BAA+B,4BACpC,YAEF,+BAA+B,2BAA2B,IAAI,KAAO,CAGvE,OCjKI,QAAQ,IAAI,WAAa,aAC3BqB,EAAA,QAAiB1F,KAEjB0F,EAAA,QAAiB5B,sBCEZ,MAAM6B,EAA4B5E,GAA2B,OAAO,QAAQA,CAAC,EAEvE6E,EAAgBC,GAAwCA,aAAmB,QAE3EC,EAAe5F,GAA2C,CACnE,MAAM6F,EAAO,OAAO7F,EAEhB,OAAA6F,IAAS,UACTA,IAAS,UACTA,IAAS,UACTA,IAAS,WACTA,IAAS,aACTA,IAAS,IAEjB,EAEaC,EAAiB,CAACC,EAAWC,IAAwB,CAC9D,GAAID,IAASC,GAAS,OAAO,GAAGD,EAAMC,CAAK,EAAU,MAAA,GACrD,GAAI,MAAM,QAAQD,CAAI,GAAK,MAAM,QAAQC,CAAK,GACtCD,EAAK,SAAWC,EAAM,OAAe,MAAA,GAE7C,GAAID,GAAQC,GAAS,OAAOD,GAAS,UAAY,OAAOC,GAAU,SAAU,CACpE,GAAAD,EAAK,cAAgBC,EAAM,YAAoB,MAAA,GAC/C,GAAAD,EAAK,UAAY,OAAO,UAAU,QAAS,OAAOA,EAAK,QAAA,IAAcC,EAAM,QAAQ,EACjFC,MAAAA,EAAO,OAAO,KAAKF,CAAI,EAE7B,GADA,OAASE,EAAK,OACV,SAAW,OAAO,KAAKD,CAAK,EAAE,OACvB,MAAA,GAEX,IAAIE,EAAI,OACR,KAAOA,MAAQ,GACP,GAAA,CAAC,OAAO,UAAU,eAAe,KAAKF,EAAOC,EAAKC,CAAC,CAAC,EAC7C,MAAA,GAGXA,EAAA,OACKA,QAAAA,EAAI,OAAQA,MAAQ,GAAK,CACxB,MAAAC,EAAMF,EAAKC,CAAC,EAClB,GAAI,EAAEN,EAAYG,EAAKI,CAAG,CAAC,GAAKP,EAAYI,EAAMG,CAAG,CAAC,GAAKH,EAAMG,CAAG,IAAMJ,EAAKI,CAAG,GAAW,MAAA,EACjG,CACO,MAAA,EACX,CACO,OAAAJ,IAASA,GAAQC,IAAUA,CACtC,EAEaI,GAAYC,GAAgB,OAAO,OAAO,OAAO,OAAO,OAAO,eAAeA,CAAQ,CAAC,EAAGA,CAAQ,EAElGC,GAAmB,CAA6CC,EAAYC,IACrF,OAAOA,GAAW,WAAaA,EAAOD,CAAI,EAAIC,ECrDrCC,EAA4BC,GAAkC,CACvE,MAAMC,EAAU1C,EAAAA,OAAUyC,GAAS,CAAE,CAAA,EACrCxE,OAAAA,EAAA,UAAU,IAAM,KAAMyE,EAAQ,QAAUD,GAAQ,CAACA,CAAK,CAAC,EAChDC,CACX,EAEaC,EAAkBjE,GAAgB,CAC3C,MAAMkE,EAAM5C,EAAAA,SACZ/B,OAAAA,EAAAA,UAAU,IAAM,CACZ2E,EAAI,QAAUlE,CAAA,EACf,CAACA,CAAK,CAAC,EACHkE,EAAI,OACf,ECEaC,GAAmB,CAC5BC,EACAC,EACAC,IACgE,CAChE,KAAM,CAACP,EAAOQ,CAAQ,EAAIjF,WAAS8E,CAAY,EACzCI,EAAWV,EAAmBQ,GAAmB,CAAE,CAAA,EACnDG,EAAWC,EAAAA,YAAY,IAAMF,EAAS,QAAS,CAACA,CAAQ,CAAC,EAEzDG,EAAapD,EAAA,QACf,IACIuB,EAAwCuB,CAAQ,EAAE,OAC9C,CAACO,EAAK,CAACC,EAAMC,CAAQ,KAAO,CACxB,GAAGF,EACH,CAACC,CAAI,EAAG,SAAUE,IAAsB,CACpC,MAAMC,EAAa,MAAMF,EAAS,GAAGC,CAAM,EAC3C,OAAOR,EAAUU,GAAyBD,EAAWC,EAAeR,EAAU,CAAA,CAAC,CACnF,CAAA,GAEJJ,CACJ,EACJ,CAACA,EAAUI,CAAQ,CAAA,EAEhB,MAAA,CAACV,EAAOY,CAAU,CAC7B,EAGMO,EAAS,CAAmBnB,EAAcH,IACxCA,IAASG,EAAcA,EACpBA,EAAM,YAAY,OAAS,OAAO,KAAO,CAAE,GAAGH,EAAM,GAAGG,CAAU,EAAAA,EAGtEoB,GACF,CACIN,EACAC,EACAP,EACAE,EACAW,IAEJ,IAAIL,IAAkB,CACZ,MAAAM,EAAM,YAAY,MAClBC,EAASR,EAAS,GAAGC,CAAM,EAC3BQ,EAAOC,GAAoBjB,EAAUX,GAASsB,EAAOM,EAAU5B,CAAI,CAAC,EACtE,GAAAb,EAAiBuC,CAAM,EAChB,OAAAA,EAAO,KAAMG,GAAa,CAC7BF,EAAIE,CAAQ,EACZL,EAAM,QAAU,CACZ,OAAQP,EACR,MAAOJ,EAAS,EAChB,KAAM,YAAY,IAAA,EAAQY,CAAA,CAC9B,CACH,EAELE,EAAID,CAAM,EACVF,EAAM,QAAU,CACZ,OAAQP,EACR,MAAOJ,EAAS,EAChB,KAAM,YAAY,IAAA,EAAQY,CAAA,CAGlC,EAEEK,GACF,CACIb,EACAC,EACAP,EACAE,EACAW,IAEJ,IAAIL,IAAkB,CACZK,EAAA,QAAU,CAAE,OAAQP,EAAM,KAAM,EAAG,MAAOJ,KAC1C,MAAAa,EAASR,EAAS,GAAGC,CAAM,EAC3BQ,EAAOC,GAAoBjB,EAAUX,GAASsB,EAAOM,EAAU5B,CAAI,CAAC,EACtE,OAAAb,EAAiBuC,CAAM,EAChBA,EAAO,KAAMG,GAAaF,EAAIE,CAAQ,CAAC,EAE3CF,EAAID,CAAM,CACrB,EAESK,GAAa,CAOtBvB,EACAwB,EACAC,IAK4C,CAC5C,KAAM,CAAC9B,EAAOQ,CAAQ,EAAIjF,EAAAA,SAAgB,IAAM8E,CAAY,EACtD0B,EAAehC,EAAWC,CAAK,EAC/BgC,EAAejC,GAAW+B,GAAA,YAAAA,EAAS,QAAU,CAAY,CAAA,EACzDG,EAAiBlC,EAAW8B,CAAO,EACnCK,EAAanC,GAAwB+B,GAAA,YAAAA,EAAS,cAAgB,CAA6B,CAAA,EAC3FK,EAAoB5E,SAAO8C,CAAY,EACvC+B,EAAWlC,EAAYF,CAAK,EAC5BqC,EAActC,EAAWqC,CAAQ,EACjCf,EAAQ9D,SAA4B,IAAI,EAE9C/B,EAAAA,UAAU,IAAM,CACZ,GAAI6F,EAAM,UAAY,KAAM,OAC5B,MAAMvH,EAAIuH,EAAM,QACLa,EAAA,QAAQ,QAASI,GAAW,CAC5BA,EAAAtC,EAAOoC,EAAUtI,CAAC,CAAA,CAC5B,CACF,EAAA,CAACkG,EAAOkC,EAAYE,CAAQ,CAAC,EAEhC,KAAM,CAACG,CAAW,EAAIhH,EAAAA,SAAwD,IAAM,CAC1E,MAAAmF,EAAW,IAAMsB,EAAa,QAC9B1B,EAAW2B,EAAe,QAAQ,CACpC,MAAOvB,EACP,MAAO,IAAMqB,EAAa,QAC1B,aAAcI,EAAkB,QAChC,cAAe,IAAME,EAAY,OAAA,CACpC,EACM,OAAAtD,EAAqBuB,CAAe,EAAE,OACzC,CAACO,EAAK,CAACC,EAAMC,CAAQ,KAAY,CAC7B,GAAGF,EACH,CAACC,CAAI,EAAGgB,GAAA,MAAAA,EAAS,MACXV,GAAUN,EAAMC,EAAUP,EAAUE,EAAUW,CAAK,EACnDM,GAAcb,EAAMC,EAAUP,EAAUE,EAAUW,CAAK,CAAA,GAEjE,CAAC,CAAA,CACL,CACH,EACM,MAAA,CAACrB,EAAOuC,CAAW,CAC9B,EAEaC,GAAsB,CAC/BnC,EACAwB,IAOC,CACD,IAAI7B,EAAQK,EACZ,MAAMtE,EAAc,IAAMiE,EACpByC,MAAgB,IAChBC,EAAeC,IACjBF,EAAU,IAAIE,CAAQ,EACf,IAAMF,EAAU,OAAOE,CAAQ,GAEpCnC,EAAYoC,GAAoC,CAC5C,MAAA1B,EAAgB,CAAE,GAAGlB,GACrByB,EAAWmB,EAAS5C,CAAK,EACvBA,EAAAyB,EACRgB,EAAU,QAASI,GAASA,EAAKpB,EAAUP,CAAa,CAAC,CAAA,EAUvDqB,EAA6DxD,EAAQ8C,EAP9D,CACT,aAAAxB,EACA,MAAO,CAAC,EACR,MAAOtE,EACP,cAAeA,CAAA,CAGoE,CAAC,EAAE,OACtF,CAAC8E,EAAK,CAACC,EAAMgC,CAAE,KAAY,CACvB,GAAGjC,EACH,CAACC,CAAI,EAAG,IAAInG,IAAgB,CAClB,MAAA4G,EAASuB,EAAG,GAAGnI,CAAI,EACnB6G,EAAOC,GAAoBjB,EAAUX,GAASsB,EAAOM,EAAU5B,CAAI,CAAC,EACnE,OAAAb,EAAiBuC,CAAM,EAAIA,EAAO,KAAKC,CAAG,EAAIA,EAAID,CAAM,CACnE,CAAA,GAEJ,CAAC,CAAA,EAGCwB,EAAmB/C,GAAiBA,EAE1C,OAAO,OAAO,OACV,SACItC,EACAsF,EAAa5D,EACb8C,EACF,CACE,MAAMlC,EAAQvC,GAAA,iCACViF,EACA3G,EACAA,EACA2B,GAAYqF,EACZC,CAAA,EAEEZ,EAAWlC,EAAYF,CAAK,EAClCxE,OAAAA,EAAAA,UAAU,IAAM,CACP0G,GACMA,EAAA,QAASI,GAAW,CACpBtC,EAAAA,EAAOoC,EAAU,CAAE,OAAQ,gBAAiB,KAAM,GAAI,MAAO,CAAA,CAAI,CAAA,CAAA,CAC3E,CAAA,EACF,CAACpC,EAAOoC,CAAQ,CAAC,EACb,CAACpC,EAAOuC,CAAW,CAC9B,EACA,CAAE,YAAAA,CAAY,CAAA,CAEtB","x_google_ignoreList":[0,1,2,3,4,5]}
|