├── .eslintrc.yml
├── .gitignore
├── README.md
├── package.json
├── src
├── hooks
│ ├── useClient.ts
│ ├── useLogin.ts
│ ├── useNostr.ts
│ ├── useProfile.ts
│ ├── useRoom.ts
│ ├── useStore.ts
│ └── useWallet.ts
├── index.tsx
├── lib
│ ├── auth.ts
│ ├── cipher.ts
│ ├── event.ts
│ ├── profile.ts
│ ├── publish.ts
│ ├── room.ts
│ ├── signer.ts
│ ├── util.ts
│ └── wallet.ts
└── schema
│ ├── config.ts
│ └── types.ts
├── test
├── index.html
├── src
│ ├── App.tsx
│ ├── components
│ │ ├── Error
│ │ │ └── index.tsx
│ │ ├── Events
│ │ │ └── index.tsx
│ │ ├── Login
│ │ │ └── index.tsx
│ │ ├── Profile
│ │ │ └── index.tsx
│ │ ├── RelayList
│ │ │ └── index.tsx
│ │ └── Room
│ │ │ └── index.tsx
│ ├── main.tsx
│ ├── styles
│ │ ├── dark.css
│ │ └── global.css
│ └── vite-env.d.ts
├── tsconfig.json
├── tsconfig.node.json
└── vite.config.ts
├── tsconfig.json
└── yarn.lock
/.eslintrc.yml:
--------------------------------------------------------------------------------
1 | env:
2 | node : true
3 | browser : true
4 | es2021 : true
5 |
6 | extends:
7 | - eslint:recommended
8 | - plugin:react/recommended
9 | - plugin:react/jsx-runtime
10 | - standard-with-typescript
11 |
12 | overrides : []
13 |
14 | parserOptions:
15 | ecmaVersion : latest
16 | ecmaFeatures:
17 | jsx: true
18 | sourceType : module
19 | project:
20 | - tsconfig.json
21 |
22 | rules:
23 | semi : [ 2, never ]
24 | one-var : off
25 | return-await : off
26 | indent : off
27 | no-multi-spaces : off
28 | operator-linebreak : off
29 | array-bracket-spacing:
30 | - error
31 | - always
32 | key-spacing:
33 | - error
34 | - multiLine:
35 | beforeColon : false
36 | afterColon : true
37 | align:
38 | beforeColon : true
39 | afterColon : true
40 | "@typescript-eslint/indent": off
41 | "@typescript-eslint/return-await": [ 1, "in-try-catch" ]
42 | "@typescript-eslint/no-base-to-string": off
43 | "@typescript-eslint/naming-convention": off
44 | "@typescript-eslint/explicit-function-return-type": off
45 | "@typescript-eslint/no-unused-vars":
46 | - error
47 | - varsIgnorePattern: ^_
48 | "@typescript-eslint/no-invalid-void-type":
49 | - "error"
50 | - allowInGenericTypeArguments: true
51 | "@typescript-eslint/type-annotation-spacing":
52 | - "error"
53 | - before : true
54 | after : true
55 | overrides:
56 | arrow:
57 | before : true
58 | after : true
59 |
60 | settings:
61 | react:
62 | version: detect
63 |
64 | ignorePatterns:
65 | - dist
66 | - test
67 |
--------------------------------------------------------------------------------
/.gitignore:
--------------------------------------------------------------------------------
1 | # Logs
2 | logs
3 | *.log
4 | npm-debug.log*
5 | yarn-debug.log*
6 | yarn-error.log*
7 | pnpm-debug.log*
8 | lerna-debug.log*
9 |
10 | node_modules
11 | dist
12 | dist-ssr
13 | *.local
14 |
15 | # Editor directories and files
16 | .vscode/*
17 | !.vscode/extensions.json
18 | .idea
19 | .DS_Store
20 | *.suo
21 | *.ntvs*
22 | *.njsproj
23 | *.sln
24 | *.sw?
25 |
--------------------------------------------------------------------------------
/README.md:
--------------------------------------------------------------------------------
1 | # useNostr
2 |
3 | This project is designed to be a turn-key library for using Nostr with React.
4 |
5 | - Login with pubkey, npub, seckey, nsec, extension, or generate a new key.
6 | - Nostr client API with `get`, `list`, `sub`, and `publish`.
7 | - Configure a list of relays for your client to use.
8 | - Uses a simple reducer `store` with `update` method.
9 | - Helper boolean, status and error messages for reactive components.
10 |
11 | **NEW**: Nostr rooms now available! Easily create group messaging using a shared secret!
12 |
13 | Coming soon:
14 | - Sign / verify custom messages and challenges using the Signer API.
15 | - Receive a Taproot HD wallet derived from your nostr signing device.
16 | - Better integration of user profile and relay list.
17 | - Remote signing support.
18 |
19 | This project is fully typed and designed to work with intellisense.
20 |
21 | More documentation coming soon!
22 |
23 | ## Import
24 |
25 | To make `useNostr` available across your entire react app, wrap your root component with the included `NostrProvider` component:
26 |
27 | ```tsx
28 | // Example entrypoint for react / nextjs.
29 | // Your project may look slightly different.
30 | import { NostrProvider } from '@cmdcode/use-nostr'
31 |
32 | export default function App ({ Component, pageProps }) {
33 | return (
34 |
35 |
36 |
37 | )
38 | }
39 | ```
40 |
41 | ## Basic Usage
42 |
43 | With the `NostrProvider` configured, importing the library and store is relatively simple.
44 |
45 | Here is a basic example of reading and updating your relay list:
46 |
47 | ```tsx
48 | import { useState } from 'react'
49 | import { useNostr } from '@cmdcode/use-nostr'
50 |
51 | export default function Relays () {
52 | const { store, update } = useNostr()
53 | const [ input, setInput ] = useState('')
54 |
55 | function handleSubmit() {
56 | update({ relays: [ ...store.relays, input ] })
57 | }
58 |
59 | return (
60 |
61 |
Relays
62 | { store.relays &&
{JSON.stringify(store.relays, null, 2)}
}
63 |
{ setInput(e.target.value) }} value={input} />
64 |
65 |
66 | )
67 | }
68 | ```
69 |
70 | Here is an example login flow that covers all methods of signing in:
71 |
72 | ```tsx
73 | import { useState } from 'react'
74 | import { useNostr } from '@cmdcode/use-nostr'
75 |
76 | export default function Login () {
77 | const [ pubkey, setPubKey ] = useState('')
78 | const [ seckey, setSecKey ] = useState('')
79 |
80 | const { hasExtension, login, store } = useNostr()
81 |
82 | return (
83 |
84 |
85 |
86 |
87 |
88 |
89 |
90 | setPubKey(e.target.value)}>
91 |
92 |
93 |
94 |
95 |
setSecKey(e.target.value)}>
96 |
97 |
98 |
99 |
100 |
101 |
102 | )
103 | }
104 | ```
105 |
106 | ## Library API
107 |
108 | The library is split into several modules that plug into the main store.
109 |
110 | ### Store API
111 |
112 | ```ts
113 | const { store, update, reset, setError } = useNostr()
114 |
115 | // The main data store.
116 | store : NostrStore
117 | // Update the data store using a JSON object.
118 | update = (store : Partial) => void
119 | // Resets the data store. Provide an
120 | // optional JSON object for defaults.
121 | reset = (store : Partial) => void
122 | // Sets an error message in the store,
123 | // plus print to console.
124 | setError = (err : Error) => void
125 |
126 | interface NostrStore {
127 | // Schema for the data store.
128 | client ?: Client
129 | connection : 'none' | 'conn' | 'ok' | 'error'
130 | hasExtension : boolean
131 | isConnected : boolean
132 | isLoading : boolean
133 | error ?: string
134 | pubkey ?: string
135 | profile ?: Profile
136 | relays : string[]
137 | signer ?: Signer
138 | }
139 | ```
140 |
141 | ### Login API
142 |
143 | ```ts
144 | const { login, logout } = useNostr()
145 |
146 | login = {
147 | // Login with NIP-07 extension (if available).
148 | withExt : () => void,
149 | // Login with npub or pubkey hex (read only).
150 | withPubKey : (string) => void,
151 | // Login with nsec or seckey hex.
152 | withSecKey : (string) => void,
153 | // Generate a new (ephemeral) keypair.
154 | generateKey : () => void
155 | }
156 |
157 | // Removes all user data from the store.
158 | logout = () => void
159 | ```
160 |
161 | ### Client API
162 |
163 | ```ts
164 | const { client } = useNostr()
165 |
166 | client = {
167 | // Checks pool connection and returns a boolean result.
168 | connected : () => Promise,
169 | // Publish an event from a partial JSON template.
170 | publish : (event : Partial) => Promise,
171 | // Fetch the top event using the provided filter.
172 | get : (filter : Filter) => Promise,
173 | // Fetch a list of events using the provided filters.
174 | list : (filters : Filter[]) => Promise,
175 | // Publish a signed event and receive a Pub emitter.
176 | pub : (event : Event) => Promise,
177 | // Subscribe to a list of filters and receive a Sub emitter.
178 | sub : (filters : Filter[]) => Promise
179 | }
180 | ```
181 |
182 | ### Profile API
183 |
184 | ```ts
185 | const { getProfile, setProfile } = useNostr()
186 |
187 | // Fetch your profile from the relays.
188 | getProfile = () => Promise
189 | // Update your profile using a partial JSON template.
190 | setprofile = (updates : Partial) => Promise
191 | ```
192 |
193 | ### Room API
194 |
195 | Rooms are a way to pass messages in real-time between a group of users. You can create or join a room using a secret string that is shared by all parties. All messages within the room are encrypted and covertly tagged using the shared secret.
196 |
197 | A room object works like a typical event emitter. You can broadcast a custom event to the room using `pub`, and listen for custom events using `on`, `once` or `within`. You can also emit events only to yourself using `emit`. Any callback methods registered to an event will receive a payload of data from the publisher, plus the event envelope it was wrapped in.
198 |
199 | ```ts
200 | const { joinRoom } = useNostr()
201 |
202 | // Multiple parties can join a single room using a secret string.
203 | const room = joinRoom('secretstring')
204 |
205 | // You can publish any type of payload to any custom named event.
206 | room.pub('customevent', { hello: 'world!' })
207 |
208 | // You can attach a callback method to any custom event.
209 | room.on('customevent', (payload, envelope) => {
210 | console.log(payload) // { hello: 'world!' }
211 | // The envelope is the event object itself.
212 | console.log(envelope)
213 | /* {
214 | * "kind": 21111,
215 | * "tags": [
216 | * [ "h", "11ed64797736fdb7577bc10987e8b0a82210a93e90d39a217306e714504e97a4" ],
217 | * [ "expiration", "1772782615" ]
218 | * ],
219 | * "content": "6JArpHDMApqEY7dDuf_mo-KZHfMbZrZ6o6qJnXqxRuc8QzAWRz4zJ4kjzwCzM3Utf-_WeRJ-E59TCr3esj65gw?iv=MJjiOgQ7cGjAT5k6wWpHfg",
220 | * "created_at": 1686382615
221 | * }
222 | */
223 |
224 | class NostrRoom {
225 | cache : Array // A rolling cache of past events.
226 | config : RoomConfig // Configuration for the room.
227 | events : Callbacks // List of callbacks registered for each event label.
228 | connected : boolean // Returns true once the room has an active subscription.
229 | members : string[] // A list of pubkeys that represent active participants.
230 | roomId : Buff // The identifer used to tag each event (for filtering).
231 | sharedKey : Buff // The shared key used for encryption (computed from secret).
232 |
233 | // Emit an event only to yourself. Useful for internal logic.
234 | emit (eventName: string, ...args: any[]) => void
235 | // Broadcast an event to everyone in the room.
236 | pub (
237 | eventName : string,
238 | payload : Json,
239 | template ?: Partial
240 | ) => Promise
241 | // Register a callback method for a particular event.
242 | on (eventName : string, fn : Function) => void
243 | // Register a callback that only executes once.
244 | once (eventName : string, fn : Function) => void
245 | // Register a callback that only exists for a limited time.
246 | within (eventName : string, fn : Function, timeout: number) => void
247 | // Remove a specific callback from the event list.
248 | remove (eventName : string, fn : Function) => void
249 | // Remove all callbacks registered to a specific event label.
250 | prune(eventName: string) => void
251 | // Unsubscribe the room from the relay pool.
252 | leave() => void
253 | }
254 |
255 | type EventRecord = [ eventName: string, payload: any, envelope: Event ]
256 | type Callbacks = Record>
257 |
258 | interface RoomConfig {
259 | cacheSize : number // Sets the number of past events to store in cache.
260 | allowEcho : boolean // Toggles receipt of events that you published yourself.
261 | encryption : boolean // Toggles encryption for event content.
262 | expiration : number // Events are set to expire after the time period.
263 | filter : Filter // Customize the filter used to subscribe to room events.
264 | inactiveLimit ?: number // Users in the room are marked inactive after the time period.
265 | kind : number // Set which kind number to use for each event envelope.
266 | tags : string[][] // Set custom tags to be added to each event envelope.
267 | }
268 | ```
269 |
270 | ### Signer API
271 |
272 | Coming soon!
273 |
274 | ## Development / Testing
275 |
276 | This library uses `yarn` for package management and `vite` for a development / demo server.
277 |
278 | ```bash
279 | ## Start the vite development server:
280 | yarn dev
281 | ## Build a new release of the package:
282 | yarn release
283 | ```
284 |
285 | ## Bugs / Issues
286 |
287 | If you run into any bugs or have any questions, please submit an issue ticket.
288 |
289 | ## Contribution
290 |
291 | Feel free to fork and make contributions. Suggestions are welcome!
292 |
293 | ## Dependencies
294 |
295 | This library contains minimal dependencies.
296 |
297 | **React**
298 | React library for hooks and JSX.
299 | https://github.com/facebook/react
300 |
301 | **nostr-tools**
302 | Nostr utility library for all nostr stuff.
303 | https://github.com/nbd-wtf/nostr-tools
304 |
305 | ## Resources
306 |
307 | **Nostr Implementation Possibilities**
308 | This site is an index of current and draft NIPs.
309 | https://nips.be
310 |
311 | ## License
312 |
313 | Use this library however you want!
314 |
315 | ## Contact
316 |
317 | You can find me on nostr at: `npub1gg5uy8cpqx4u8wj9yvlpwm5ht757vudmrzn8y27lwunt5f2ytlusklulq3`
318 |
--------------------------------------------------------------------------------
/package.json:
--------------------------------------------------------------------------------
1 | {
2 | "name": "@cmdcode/use-nostr",
3 | "author": "Christopher Scott",
4 | "description": "Turn-key library for using Nostr with React.",
5 | "license": "CC-BY-1.0",
6 | "version": "0.0.8",
7 | "type": "module",
8 | "main": "./dist/index.js",
9 | "types": "./dist/types/index.d.ts",
10 | "exports": {
11 | "import": "./dist/index.js"
12 | },
13 | "keywords": [
14 | "nostr",
15 | "client",
16 | "login",
17 | "profile",
18 | "react"
19 | ],
20 | "repository": {
21 | "type": "git",
22 | "url": "https://github.com/cmdruid/useNostr.git"
23 | },
24 | "publishConfig": {
25 | "registry": "https://registry.npmjs.org",
26 | "access": "public"
27 | },
28 | "files": [
29 | "README.md",
30 | "LICENSE",
31 | "dist"
32 | ],
33 | "scripts": {
34 | "build": "tsc",
35 | "clean": "rm -rf dist/*",
36 | "dev": "vite test",
37 | "fix": "eslint --fix . --ext .ts",
38 | "lint": "eslint . --ext .ts",
39 | "preview": "vite preview test",
40 | "release": "yarn clean && yarn lint && yarn build",
41 | "test": "tsc && vite build test"
42 | },
43 | "dependencies": {
44 | "@cmdcode/buff-utils": "^1.7.4",
45 | "@cmdcode/keylink": "^1.4.2",
46 | "nostr-tools": "^1.10.1"
47 | },
48 | "peerDependencies": {
49 | "react": "^18.2.0"
50 | },
51 | "devDependencies": {
52 | "@types/node": "^20.1.4",
53 | "@types/react": "^18.0.26",
54 | "@types/react-dom": "^18.0.9",
55 | "@typescript-eslint/eslint-plugin": "^5.48.0",
56 | "@typescript-eslint/parser": "^5.59.5",
57 | "@vitejs/plugin-react": "^3.0.0",
58 | "eslint": "8.40.0",
59 | "eslint-config-standard-with-typescript": "^26.0.0",
60 | "eslint-plugin-import": "^2.26.0",
61 | "eslint-plugin-jsx-a11y": "^6.5.1",
62 | "eslint-plugin-n": "^15.6.0",
63 | "eslint-plugin-promise": "^6.1.1",
64 | "eslint-plugin-react": "^7.28.0",
65 | "eslint-plugin-react-hooks": "^4.3.0",
66 | "react": "^18.2.0",
67 | "react-dom": "^18.2.0",
68 | "typescript": "^5.0.4",
69 | "vite": "^4.0.0",
70 | "vite-tsconfig-paths": "^4.0.5"
71 | }
72 | }
73 |
--------------------------------------------------------------------------------
/src/hooks/useClient.ts:
--------------------------------------------------------------------------------
1 | import { useEffect } from 'react'
2 | import { NostrAPI } from '../schema/types.js'
3 | import { publishEvent } from '../lib/publish.js'
4 |
5 | import { Event, EventTemplate, Filter, SimplePool } from 'nostr-tools'
6 |
7 | export function useClient ({ store, setError, update } : NostrAPI) {
8 | const { isConnected, pubkey, relays, signer } = store
9 | const pool = new SimplePool()
10 |
11 | useEffect(() => {
12 | if (relays.length > 0) {
13 | update({ connection: 'conn' })
14 | void connected().then(connected => {
15 | if (connected) {
16 | update({ connection: 'ok' })
17 | } else {
18 | update({
19 | connection : 'error',
20 | error : 'client failed to connect'
21 | })
22 | }
23 | })
24 | } else {
25 | update({ client: undefined, connection: 'none' })
26 | }
27 | }, [ relays ])
28 |
29 | useEffect(() => {
30 | update({ client })
31 | }, [ isConnected, pubkey, signer ])
32 |
33 | async function connected () : Promise {
34 | if (relays.length === 0) {
35 | setError('Your relay list is empty!')
36 | return false
37 | }
38 | return new Promise(resolve => {
39 | void pool.get(relays, { kinds: [ 1 ], limit: 1 })
40 | .then(e => { resolve(e !== null) })
41 | })
42 | }
43 |
44 | const client = {
45 | connected,
46 | publish,
47 | pubkey,
48 | ok : isConnected,
49 | get : async (filter : Filter) => pool.get(relays, filter),
50 | list : async (filters : Filter[]) => pool.list(relays, filters),
51 | pub : async (event : Event) => pool.publish(relays, event),
52 | sub : async (filters : Filter[]) => pool.sub(relays, filters)
53 | }
54 |
55 | async function publish (
56 | event : Partial
57 | ) : Promise {
58 | if (signer === undefined) {
59 | setError('Signer is undefined!')
60 | return
61 | }
62 | return publishEvent(client, event, signer)
63 | .catch(err => { setError(err); return undefined })
64 | }
65 |
66 | return { client }
67 | }
68 |
--------------------------------------------------------------------------------
/src/hooks/useLogin.ts:
--------------------------------------------------------------------------------
1 | import { useEffect } from 'react'
2 | import { NostrAPI } from '../schema/types.js'
3 | import { sleep } from '../lib/util.js'
4 | import { DEFAULT } from '../schema/config.js'
5 |
6 | import { getSecSigner, getExtSigner } from '../lib/signer.js'
7 |
8 | import {
9 | getPublicKey,
10 | nip19,
11 | generatePrivateKey
12 | } from 'nostr-tools'
13 |
14 | const LOGOUT = {
15 | profile : undefined,
16 | pubkey : undefined,
17 | signer : undefined
18 | }
19 |
20 | export function useLogin ({ store, setError, update } : NostrAPI) {
21 | useEffect(() => {
22 | // Update the 'hasExtension' value if an extension
23 | // is detected in the window object.
24 | void (async () => {
25 | await sleep(100)
26 | if (window?.nostr?.getPublicKey !== undefined) {
27 | update({ hasExtension: true })
28 | }
29 | })()
30 | }, [ store.hasExtension ])
31 |
32 | async function withExt () {
33 | try {
34 | const pubkey = await window.nostr.getPublicKey()
35 | const signer = getExtSigner()
36 | update({ pubkey, signer })
37 | } catch (err) { setError(err as Error) }
38 | }
39 |
40 | function withSecKey (seckey : string) {
41 | try {
42 | const sec = (seckey.startsWith('nsec'))
43 | ? nip19.decode(seckey).data.toString()
44 | : seckey
45 | update({
46 | pubkey : getPublicKey(sec),
47 | signer : getSecSigner(sec)
48 | })
49 | } catch (err) { setError(err as Error) }
50 | }
51 |
52 | function withPubKey (pubkey : string) {
53 | try {
54 | const pub = (pubkey.startsWith('npub'))
55 | ? nip19.decode(pubkey).data.toString()
56 | : pubkey
57 | update({ pubkey: pub })
58 | } catch (err) { setError(err as Error) }
59 | }
60 |
61 | function generateKey () {
62 | const sec = generatePrivateKey()
63 | update({
64 | profile : DEFAULT.profile,
65 | pubkey : getPublicKey(sec),
66 | signer : getSecSigner(sec)
67 | })
68 | }
69 |
70 | return {
71 | login : { withExt, withPubKey, withSecKey, generateKey },
72 | logout : () => { update(LOGOUT) }
73 | }
74 | }
75 |
--------------------------------------------------------------------------------
/src/hooks/useNostr.ts:
--------------------------------------------------------------------------------
1 | import { useEffect } from 'react'
2 | import { useLogin } from './useLogin.js'
3 | import { useProfile } from './useProfile.js'
4 | import { useClient } from './useClient.js'
5 | import { useRoom } from './useRoom.js'
6 | import { useStore } from './useStore.js'
7 | import { NostrStore } from '../schema/types.js'
8 |
9 | export function useNostrStore (
10 | defaults : NostrStore
11 | ) {
12 | const defaultStore = useStore(defaults)
13 | const { store, update } = defaultStore
14 | const { client, connection } = store
15 |
16 | useEffect(() => {
17 | if (client !== undefined && connection === 'ok') {
18 | update({ isConnected: true })
19 | } else {
20 | update({ isConnected: false })
21 | }
22 | }, [ client, connection ])
23 |
24 | useEffect(() => {
25 | if (process.env.NODE_ENV === 'development') {
26 | console.log('NostrStore:', store)
27 | }
28 | }, [ store ])
29 |
30 | function setError (err : Error | string) {
31 | if (err instanceof Error) {
32 | const { message } = err
33 | console.error(err)
34 | update({ error: message })
35 | } else {
36 | console.error('Error:', err)
37 | update({ error: err })
38 | }
39 | }
40 |
41 | const nostrStore = { ...defaultStore, setError }
42 |
43 | return {
44 | ...nostrStore,
45 | ...useClient(nostrStore),
46 | ...useLogin(nostrStore),
47 | ...useProfile(nostrStore),
48 | ...useRoom(nostrStore)
49 | // signer : useSigner(nostrStore)
50 | }
51 | }
52 |
--------------------------------------------------------------------------------
/src/hooks/useProfile.ts:
--------------------------------------------------------------------------------
1 | import { useEffect } from 'react'
2 | import { DEFAULT } from '../schema/config.js'
3 | import { NostrAPI, Profile } from '../schema/types.js'
4 |
5 | import {
6 | getProfileEvent,
7 | setProfileEvent
8 | } from '../lib/profile.js'
9 |
10 | export function useProfile (
11 | { store, setError, update } : NostrAPI
12 | ) {
13 | const { client, isConnected, pubkey, profile, signer } = store
14 |
15 | useEffect(() => {
16 | // Fetch profile automatically.
17 | if (profile === undefined && pubkey !== undefined && isConnected) {
18 | update({ isLoading: true })
19 | void getProfile()
20 | }
21 | }, [ pubkey, profile, isConnected ])
22 |
23 | async function getProfile () : Promise {
24 | let profile : Profile | undefined
25 | if (typeof pubkey !== 'string') {
26 | setError('Pubkey is not defined!')
27 | return
28 | }
29 | if (!isConnected || client === undefined) {
30 | setError('Client is not connected!')
31 | return
32 | }
33 | try {
34 | const profile = await getProfileEvent(client, pubkey)
35 | if (profile !== undefined) {
36 | update({ profile })
37 | } else {
38 | update({ profile: DEFAULT.profile })
39 | }
40 | } catch (err) {
41 | setError(err as Error)
42 | } finally {
43 | update({ isLoading: false })
44 | }
45 | return profile
46 | }
47 |
48 | async function setProfile (updates : Partial) : Promise {
49 | const updated = { ...profile, ...updates }
50 | if (typeof pubkey !== 'string') {
51 | setError('Pubkey not defined!')
52 | } else if (typeof signer !== 'function') {
53 | setError('Signer not defined!')
54 | } else if (!isConnected || client === undefined) {
55 | setError('Client is not connected!')
56 | } else {
57 | setProfileEvent(client, updated, signer)
58 | .then(profile => { update({ profile }) })
59 | .catch(err => { setError(err) })
60 | }
61 | }
62 |
63 | return { getProfile, setProfile }
64 | }
65 |
--------------------------------------------------------------------------------
/src/hooks/useRoom.ts:
--------------------------------------------------------------------------------
1 | import { NostrAPI } from '../schema/types.js'
2 | import { NostrRoom, RoomConfig } from '../lib/room.js'
3 |
4 | export function useRoom (
5 | { store, update } : NostrAPI
6 | ) {
7 | const { client, isConnected, rooms } = store
8 |
9 | function join (
10 | secret : string,
11 | config ?: Partial
12 | ) {
13 | if (!isConnected || client === undefined) {
14 | throw new Error('Unable to connect to room!')
15 | }
16 | // Create a new room instance.
17 | const rm = new NostrRoom(client, secret, config)
18 | // Setup a callback to delist the room on leave.
19 | rm.on('_leave', () => {
20 | // On leave, delist the room from the store.
21 | update({ rooms: rooms.filter(e => e.id.hex !== rm.id.hex) })
22 | })
23 | // Add the room to the store.
24 | update({ rooms: [ ...rooms, rm ] })
25 | // Return the room.
26 | return rm
27 | }
28 |
29 | function leave (roomId : string) {
30 | const rm = rooms.find(e => e.id.hex === roomId)
31 | if (rm instanceof NostrRoom) rm.leave()
32 | }
33 |
34 | return { rooms: { list: rooms, join, leave } }
35 | }
36 |
--------------------------------------------------------------------------------
/src/hooks/useStore.ts:
--------------------------------------------------------------------------------
1 | import { useReducer } from 'react'
2 |
3 | // We can strictly type our dispatch actions here.
4 | export type Action =
5 | | { type : 'reset', payload : T }
6 | | { type : 'update', payload : Partial }
7 |
8 | // These types are useful for outside integrations.
9 | export type StoreAPI = ReturnType>
10 |
11 | function reducer (
12 | store : T,
13 | action : Action
14 | ) : T {
15 | try {
16 | const { type, payload } = action
17 | switch (type) {
18 | case 'reset':
19 | return payload
20 | case 'update':
21 | return { ...store, ...payload }
22 | default:
23 | throw new Error(`Invalid action: ${String(type)}`)
24 | }
25 | } catch (err) {
26 | console.error(err)
27 | const { message } = err as Error
28 | return { ...store, error: message }
29 | }
30 | }
31 |
32 | export function useStore (defaults : T) {
33 | /**
34 | * Create a reducer store with custom hooks, then
35 | * return it along with our Store API.
36 | */
37 |
38 | // const reducer = createReducer(hooks)
39 | const [ store, dispatch ] = useReducer(reducer, defaults)
40 |
41 | function reset (store : Partial) {
42 | const payload = { ...defaults, ...store }
43 | dispatch({ type: 'reset', payload })
44 | }
45 |
46 | function update (store : Partial) {
47 | dispatch({ type: 'update', payload: store })
48 | }
49 |
50 | return {
51 | reset,
52 | store,
53 | update
54 | }
55 | }
56 |
--------------------------------------------------------------------------------
/src/hooks/useWallet.ts:
--------------------------------------------------------------------------------
1 | import { NostrAPI } from '../schema/types.js'
2 |
3 | export function useWallet ({ store, setError, update } : NostrAPI) {
4 | console.log(store, setError, update)
5 |
6 | // const { pubkey, signer } = store
7 |
8 | // We need to scan addresses in order to determine our balance and utxo set.
9 | // We also need to know what derivation path to use for signing.
10 | // Other wallets accomplish this via brute-force lookup of addresses.
11 | // There is a "gap limit" where past a certain amount of unused addresses.
12 | // the wallet assumes you are at the tip.
13 | // If we include a 'topic' hash in our derivation path, we can reduce the
14 | // lookup space or eliminate it completely.
15 | // In order to sign a transaction, you need to know the commitment hash (which is not the txid)
16 | // You can use this commitment hash as a derivation path before signing the key!
17 | // That way, if you know the txid of your utxo, you can derive the path for that utxo from the blockchain.
18 |
19 | /**
20 | * Nostr Wallet
21 | * - Sign event with top-domain in content (and maybe other commitments).
22 | * - Hash signed event, use as deterministic seed.
23 | */
24 |
25 | // return {
26 | // scan, // Scan the block-chain for UTXOs
27 | // balance, // Return our on-chain balance.
28 | // send,
29 | // recv,
30 | // sign,
31 | // verify,
32 | // import: {
33 | // fromWords : null,
34 | // fromSeed : null
35 | // },
36 | // export: {
37 | // toWords : null,
38 | // toSeed : null
39 | // }
40 | // }
41 | }
42 |
--------------------------------------------------------------------------------
/src/index.tsx:
--------------------------------------------------------------------------------
1 | import {
2 | createContext,
3 | ReactElement,
4 | useContext
5 | } from 'react'
6 |
7 | import { useNostrStore } from './hooks/useNostr.js'
8 | import { DEFAULT } from './schema/config.js'
9 | import { ProviderProps } from './schema/types.js'
10 |
11 | export * from './schema/types.js'
12 |
13 | export type NostrContext = ReturnType
14 |
15 | // Create our provider context.
16 | const context = createContext(null)
17 |
18 | export function NostrProvider (
19 | { children, defaults = {} } : ProviderProps
20 | ) : ReactElement {
21 | // Returns the Provider that wraps our app and
22 | // passes down the context object.
23 | const ctx = useNostrStore({ ...DEFAULT.store, ...defaults })
24 |
25 | return (
26 |
27 | {children}
28 |
29 | )
30 | }
31 |
32 | export function useNostr () {
33 | const ctx = useContext(context)
34 | if (ctx === null) {
35 | throw new Error('Context is null!')
36 | }
37 | return ctx
38 | }
39 |
--------------------------------------------------------------------------------
/src/lib/auth.ts:
--------------------------------------------------------------------------------
1 | /**
2 | * Authentication Library
3 | */
4 |
5 | /** TODO
6 | * Need the following methods:
7 | * - getPubkey() from server
8 | * - authenticate() with server
9 | */
10 |
11 | export {}
12 |
--------------------------------------------------------------------------------
/src/lib/cipher.ts:
--------------------------------------------------------------------------------
1 | import { Buff, Bytes } from '@cmdcode/buff-utils'
2 |
3 | function checkLib () {
4 | if (crypto.subtle === undefined) {
5 | throw new Error('WebCrypto library is undefined!')
6 | }
7 | }
8 |
9 | async function getKey (secret : Bytes) {
10 | /** Derive a CryptoKey object (for Webcrypto library). */
11 | checkLib()
12 | const seed = Buff.bytes(secret)
13 | const options = { name: 'AES-CBC' }
14 | const usage = [ 'encrypt', 'decrypt' ] as KeyUsage[]
15 | return crypto.subtle.importKey('raw', seed, options, true, usage)
16 | }
17 |
18 | async function encrypt (
19 | message : string,
20 | secret : Bytes,
21 | vector ?: Bytes
22 | ) {
23 | /** Encrypt a message using a CryptoKey object. */
24 | const key = await getKey(secret)
25 | const msg = Buff.str(message)
26 | const iv = (vector !== undefined)
27 | ? Buff.bytes(vector)
28 | : Buff.random(16)
29 | const opt = { name: 'AES-CBC', iv }
30 | return crypto.subtle.encrypt(opt, key, msg)
31 | .then((bytes) => new Buff(bytes).b64url + '?iv=' + iv.b64url)
32 | }
33 |
34 | async function decrypt (
35 | encoded : string,
36 | secret : Bytes
37 | ) {
38 | /** Decrypt an encrypted message using a CryptoKey object. */
39 | if (!encoded.includes('?iv=')) {
40 | throw new Error('Missing vector on encrypted message!')
41 | }
42 | const [ message, vector ] = encoded.split('?iv=')
43 | const key = await getKey(secret)
44 | const msg = Buff.b64url(message)
45 | const iv = Buff.b64url(vector)
46 | const opt = { name: 'AES-CBC', iv }
47 | return crypto.subtle.decrypt(opt, key, msg)
48 | .then(decoded => Buff.raw(decoded).str)
49 | }
50 |
51 | export const Cipher = {
52 | checkLib,
53 | getKey,
54 | encrypt,
55 | decrypt
56 | }
57 |
--------------------------------------------------------------------------------
/src/lib/event.ts:
--------------------------------------------------------------------------------
1 | import { Event, verifySignature, getEventHash } from 'nostr-tools'
2 | import { now } from './util.js'
3 |
4 | export class SignedEvent {
5 | readonly _event : Event
6 |
7 | constructor (event : Event) {
8 | this._event = event
9 | }
10 |
11 | get data () : Event {
12 | return this._event
13 | }
14 |
15 | get isValid () : boolean {
16 | const hash = getEventHash(this.data)
17 | return hash === this.data.id && verifySignature(this.data)
18 | }
19 |
20 | get isExpired () : boolean {
21 | const { tags } = this.data
22 | const tag = tags.find(e => e[0] === 'expiration')
23 |
24 | if (!Array.isArray(tag)) return false
25 |
26 | try {
27 | return parseInt(tag[1]) < now()
28 | } catch (err) {
29 | return true
30 | }
31 | }
32 |
33 | isAuthor (pubkey : string) : boolean {
34 | return this.data.pubkey === pubkey
35 | }
36 | }
37 |
--------------------------------------------------------------------------------
/src/lib/profile.ts:
--------------------------------------------------------------------------------
1 | import { publishEvent } from './publish.js'
2 | import { Client, Profile, Signer } from '../schema/types.js'
3 |
4 | export async function getProfileEvent (
5 | client : Client,
6 | pubkey : string
7 | ) : Promise {
8 | const filter = {
9 | authors : [ pubkey ],
10 | kinds : [ 0 ]
11 | }
12 |
13 | let timer : NodeJS.Timeout
14 |
15 | return new Promise((resolve, reject) => {
16 | // Set a timeout that rejects with an error.
17 | timer = setTimeout(() => {
18 | reject(new Error('Profile request timed out!'))
19 | }, 5000)
20 | // Fetch the profile using client and filter.
21 | void client.get(filter).then(event => {
22 | clearTimeout(timer)
23 | resolve(
24 | (event?.content !== undefined)
25 | ? JSON.parse(event.content)
26 | : undefined
27 | )
28 | })
29 | })
30 | }
31 |
32 | export async function setProfileEvent (
33 | client : Client,
34 | profile : Profile,
35 | signer : Signer
36 | ) : Promise {
37 | const template = {
38 | tags : [],
39 | content : JSON.stringify(profile),
40 | kind : 0,
41 | created_at : Math.floor(Date.now() / 1000)
42 | }
43 |
44 | return publishEvent(client, template, signer)
45 | .then(res => JSON.parse(res.content) as Profile)
46 | }
47 |
--------------------------------------------------------------------------------
/src/lib/publish.ts:
--------------------------------------------------------------------------------
1 | import { Event, EventTemplate, Kind } from 'nostr-tools'
2 | import { Client, Signer } from '../schema/types.js'
3 | import { now } from './util.js'
4 |
5 | export async function publishEvent (
6 | client : Client,
7 | event : Partial,
8 | signer : Signer
9 | ) : Promise {
10 | const signed = await signer({
11 | kind : 20000 as Kind,
12 | tags : [],
13 | content : '',
14 | ...event,
15 | created_at : now()
16 | })
17 |
18 | const pub = await client.pub(signed)
19 |
20 | let timer : NodeJS.Timeout
21 |
22 | function resolver () {
23 | clearTimeout(timer)
24 | return signed
25 | }
26 |
27 | return new Promise((resolve, reject) => {
28 | pub.on('ok', () => { resolve(resolver()) })
29 | pub.on('failed', () => { reject(new Error('Failed to publish event.')) })
30 | timer = setTimeout(() => { reject(new Error('Event publishing timed out!')) }, 5000)
31 | })
32 | }
33 |
--------------------------------------------------------------------------------
/src/lib/room.ts:
--------------------------------------------------------------------------------
1 | import { Buff, Json } from '@cmdcode/buff-utils'
2 | import { Event, EventTemplate, Filter, Sub } from 'nostr-tools'
3 |
4 | import { SignedEvent } from './event.js'
5 | import { Cipher } from './cipher.js'
6 | import { isExpired, now } from './util.js'
7 | import { Client } from '../schema/types.js'
8 |
9 | export interface RoomConfig {
10 | cacheSize : number
11 | allowEcho : boolean
12 | encryption : boolean
13 | expiration : number
14 | filter : Filter
15 | inactiveLimit ?: number
16 | kind : number
17 | tags : string[][]
18 | }
19 |
20 | const DEFAULTS = {
21 | cacheSize : 100,
22 | allowEcho : false,
23 | encryption : true,
24 | expiration : 1000 * 60 * 60 * 24,
25 | filter : { since: now() },
26 | inactiveLimit : 1000 * 60 * 60,
27 | kind : 21111,
28 | tags : []
29 | }
30 |
31 | export class NostrRoom {
32 | readonly cache : Array<[ eventName: string, payload: any, envelope : Event ]>
33 | readonly cipher : Buff
34 | readonly client : Client
35 | readonly config : RoomConfig
36 | readonly events : Record>
37 |
38 | connected : boolean
39 | _sub ?: Sub
40 |
41 | constructor (
42 | client : Client,
43 | secret : string,
44 | config : Partial = {}
45 | ) {
46 | this.cache = []
47 | this.cipher = Buff.str(secret).digest
48 | this.client = client
49 | this.config = { ...DEFAULTS, ...config }
50 | this.connected = false
51 | this.events = {}
52 |
53 | void this._subscribe()
54 | }
55 |
56 | get members () : string[] {
57 | const limit = this.config.inactiveLimit
58 | const cache = (limit !== undefined)
59 | ? this.cache.filter(e => isExpired(e[2].created_at, limit))
60 | : this.cache
61 | return cache.map(e => e[2].pubkey)
62 | }
63 |
64 | get id () : Buff {
65 | return this.cipher.digest
66 | }
67 |
68 | async _subscribe () {
69 | const { filter, kind } = this.config
70 | const { kinds = [] } = filter
71 |
72 | const subFilter = {
73 | ...filter,
74 | kinds : [ ...kinds, kind ],
75 | '#h' : [ this.id.hex ]
76 | }
77 |
78 | this._sub = await this.client.sub([ subFilter ])
79 |
80 | this._sub.on('event', (event : Event) => {
81 | void this._eventHandler(event)
82 | })
83 |
84 | this._sub.on('eose', () => {
85 | this.connected = true
86 | this.emit('_connected', this)
87 | })
88 | }
89 |
90 | async _eventHandler (event : Event) {
91 | const { allowEcho } = this.config
92 | const pubkey = this.client.pubkey
93 | const signed = new SignedEvent(event)
94 | const echoed = !allowEcho && signed.isAuthor(pubkey ?? '')
95 |
96 | if (echoed || signed.isExpired || !signed.isValid) {
97 | console.log(echoed, signed.isExpired, !signed.isValid)
98 | return
99 | }
100 |
101 | let content = event.content
102 |
103 | try {
104 | if (typeof content === 'string' && content.includes('?iv=')) {
105 | content = await Cipher.decrypt(content, this.cipher)
106 | }
107 |
108 | // Zod validation should go here.
109 |
110 | const { eventName, payload } = JSON.parse(content)
111 |
112 | // Emit the event to our subscribed functions.
113 | this.cache.push([ eventName, payload, event ])
114 |
115 | if (this.cache.length > this.config.cacheSize) {
116 | this.cache.shift()
117 | }
118 |
119 | this.emit(eventName, payload, event)
120 | } catch (err) {
121 | this.emit('_error', err)
122 | }
123 | }
124 |
125 | _getFn (eventName : string) {
126 | /** If key undefined, create a new set for the event,
127 | * else return the stored subscriber list.
128 | * */
129 | if (typeof this.events[eventName] === 'undefined') {
130 | this.events[eventName] = new Set()
131 | }
132 | return this.events[eventName]
133 | }
134 |
135 | emit (eventName : string, ...args : any[]) {
136 | const fns = [ ...this._getFn(eventName) ]
137 | for (const fn of fns) {
138 | fn.apply(this, args)
139 | }
140 | const all = [ ...this._getFn('*') ]
141 | for (const fn of all) {
142 | args = [ eventName, ...args ]
143 | fn.apply(this, args)
144 | }
145 | }
146 |
147 | async pub (
148 | eventName : string,
149 | payload : Json,
150 | template : Partial = {}
151 | ) : Promise {
152 | /** Emit a series of arguments for the event, and
153 | * present them to each subscriber in the list.
154 | * */
155 |
156 | if (!this.connected) {
157 | throw new Error('Not connected to room!')
158 | }
159 | const { encryption, expiration, kind } = this.config
160 | const { tags: conf_tags } = this.config
161 | const { tags: temp_tags = [], ...rest } = template
162 |
163 | try {
164 | let content = JSON.stringify({ eventName, payload })
165 |
166 | if (encryption) {
167 | content = await Cipher.encrypt(content, this.cipher)
168 | }
169 |
170 | const tags = [
171 | ...conf_tags,
172 | ...temp_tags,
173 | [ 'h', this.id.hex ],
174 | [ 'expiration', String(now() + expiration) ]
175 | ]
176 |
177 | const envelope = { kind, ...rest, tags }
178 | const draft = { ...envelope, content }
179 |
180 | return await this.client.publish(draft)
181 | } catch (err) {
182 | console.error(err)
183 | this.emit('_error', err)
184 | return undefined
185 | }
186 | }
187 |
188 | on (eventName : string, fn : Function) : void {
189 | /** Subscribe function to run on a given event. */
190 | this._getFn(eventName).add(fn)
191 | }
192 |
193 | once (eventName : string, fn : Function) {
194 | /** Subscribe function to run once, using
195 | * a callback to cancel the subscription.
196 | * */
197 |
198 | const onceFn = (...args : any[]) => {
199 | this.remove(eventName, onceFn)
200 | fn.apply(this, args)
201 | }
202 | this.on(eventName, onceFn)
203 | }
204 |
205 | within (eventName : string, fn : Function, timeout : number) {
206 | /** Subscribe function to run within a given,
207 | * amount of time, then cancel the subscription.
208 | * */
209 | const withinFn = (...args : any[]) => fn.apply(this, args)
210 | setTimeout(() => { this.remove(eventName, withinFn) }, timeout)
211 |
212 | this.on(eventName, withinFn)
213 | }
214 |
215 | remove (eventName : string, fn : Function) {
216 | /** Remove function from an event's subscribtion list. */
217 | this._getFn(eventName).delete(fn)
218 | }
219 |
220 | prune (eventName : string) {
221 | this.events[eventName] = new Set()
222 | }
223 |
224 | leave () {
225 | this._sub?.unsub()
226 | this.connected = false
227 | this.emit('_leave', this.id)
228 | }
229 | }
230 |
--------------------------------------------------------------------------------
/src/lib/signer.ts:
--------------------------------------------------------------------------------
1 | import {
2 | Event,
3 | EventTemplate,
4 | getEventHash,
5 | getPublicKey,
6 | signEvent,
7 | validateEvent,
8 | verifySignature
9 | } from 'nostr-tools'
10 |
11 | export function verifyEvent (event : Event) {
12 | return validateEvent(event) && verifySignature(event)
13 | }
14 |
15 | export function getSecSigner (seckey : string) {
16 | return async (event : EventTemplate) => {
17 | const unsigned = { ...event, pubkey: getPublicKey(seckey) }
18 | return {
19 | ...unsigned,
20 | id : getEventHash(unsigned),
21 | sig : signEvent(unsigned, seckey)
22 | }
23 | }
24 | }
25 |
26 | export function getExtSigner () {
27 | if (typeof window.nostr.signEvent !== 'function') {
28 | throw new Error('Extension does not have sign method!')
29 | }
30 | return async (event : EventTemplate) => window.nostr.signEvent(event)
31 | }
32 |
--------------------------------------------------------------------------------
/src/lib/util.ts:
--------------------------------------------------------------------------------
1 | export function now () {
2 | return Math.floor(Date.now() / 1000)
3 | }
4 |
5 | export function isExpired (
6 | timestamp : number,
7 | timeout : number
8 | ) : boolean {
9 | return now() > (timestamp + timeout)
10 | }
11 |
12 | export async function sleep (ms = 1000) {
13 | return new Promise(resolve => setTimeout(resolve, ms))
14 | }
15 |
16 | export async function withTimeout <
17 | T extends (...args : any) => Promise | undefined>
18 | > (fn : T, timeout = 5000) {
19 | let timer : NodeJS.Timeout
20 | return new Promise((resolve, reject) => {
21 | timer = setTimeout(() => { resolve(undefined) }, timeout)
22 | fn()
23 | .then((res) => { clearTimeout(timer); resolve(res) })
24 | .catch(err => { reject(err) })
25 | })
26 | }
27 |
28 | export function objFilter > (
29 | obj ?: T,
30 | filter ?: string[]
31 | ) {
32 | if (
33 | typeof obj === 'object' &&
34 | Array.isArray(filter)
35 | ) {
36 | const entries = Object.entries(obj)
37 | const filtered = entries.filter(e => filter.includes(e[0]))
38 | return Object.fromEntries(filtered)
39 | }
40 | return obj
41 | }
42 |
--------------------------------------------------------------------------------
/src/lib/wallet.ts:
--------------------------------------------------------------------------------
1 | /**
2 | * Wallet Library
3 | */
4 |
5 | /** TODO
6 | * Need configurable API endpoints for:
7 | * - Fee estimation (get fee)
8 | * - Current block height / header (getblockchaininfo)
9 | * - Check a transaction (gettransaction)
10 | * - Broadcast a transaction (sendrawtransaction)
11 | * - Get UTXOs related to an address.
12 | *
13 | * Need to store the following:
14 | * - Secret key (HD node for address)
15 | * - UTXOs (data needed to spend them)
16 | * - Current index (and gap limits)
17 | *
18 | * > It would be nice to have hash-based path derivation converted to Uint31 (to support older wallets).
19 | *
20 | * Need the following methods:
21 | * - getBalance()
22 | * - getNewAddress()
23 | * - sendPayment(address)
24 | * - recvPayment(amount, memo)
25 | */
26 | export {}
27 |
--------------------------------------------------------------------------------
/src/schema/config.ts:
--------------------------------------------------------------------------------
1 | export const DEFAULT = {
2 | profile : { name: 'Anonymous' },
3 | store : {
4 | connection : 'none' as 'none',
5 | hasExtension : false,
6 | isConnected : false,
7 | isLoading : false,
8 | relays : [ 'wss://relay.damus.io' ],
9 | rooms : []
10 | }
11 | }
12 |
--------------------------------------------------------------------------------
/src/schema/types.ts:
--------------------------------------------------------------------------------
1 | import { Event, EventTemplate, Filter, Pub, Sub } from 'nostr-tools'
2 | import { StoreAPI } from '../hooks/useStore'
3 | import { ReactElement } from 'react'
4 | import { NostrRoom } from '../lib/room'
5 |
6 | export type Signer = (event : EventTemplate) => Promise
7 |
8 | declare global {
9 | interface Window {
10 | nostr : {
11 | getPublicKey : () => Promise
12 | signEvent : Signer
13 | }
14 | }
15 | }
16 |
17 | export interface NostrAPI extends StoreAPI {
18 | setError : (err : Error | string) => void
19 | }
20 |
21 | export interface Client {
22 | connected : () => Promise
23 | publish : (tempalte : Partial) => Promise
24 | pubkey : string | undefined
25 | ok : boolean
26 | get : (filter : Filter) => Promise
27 | list : (filters : Filter[]) => Promise
28 | pub : (event : Event) => Promise
29 | sub : (filters : Filter[]) => Promise
30 | }
31 |
32 | export interface NostrStore {
33 | client ?: Client
34 | connection : 'none' | 'conn' | 'ok' | 'error'
35 | hasExtension : boolean
36 | isConnected : boolean
37 | isLoading : boolean
38 | error ?: string
39 | pubkey ?: string
40 | profile ?: Profile
41 | relays : string[]
42 | rooms : NostrRoom[]
43 | signer ?: Signer
44 | }
45 |
46 | export interface Profile {
47 | name ?: string | undefined
48 | username ?: string | undefined
49 | display_name ?: string | undefined
50 | picture ?: string | undefined
51 | banner ?: string | undefined
52 | about ?: string | undefined
53 | website ?: string | undefined
54 | lud06 ?: string | undefined
55 | lud16 ?: string | undefined
56 | nip05 ?: string | undefined
57 | }
58 |
59 | export interface ProviderProps {
60 | children : ReactElement | ReactElement[]
61 | defaults ?: Partial
62 | }
63 |
--------------------------------------------------------------------------------
/test/index.html:
--------------------------------------------------------------------------------
1 |
2 |
3 |
4 |
5 |
6 |
7 | Nostr Profile
8 |
9 |
10 |
11 |
12 |
13 |
14 |
--------------------------------------------------------------------------------
/test/src/App.tsx:
--------------------------------------------------------------------------------
1 | import { ReactElement } from 'react'
2 | import { useNostr } from '../../src/index.js'
3 |
4 | import Error from './components/Error/index.js'
5 | import Events from './components/Events/index.js'
6 | import Login from './components/Login/index.js'
7 | import UserProfile from './components/Profile/index.js'
8 | import RelayList from './components/RelayList/index.js'
9 | import DemoRoom from './components/Room/index.js'
10 |
11 | export default function App () : ReactElement {
12 | const { store } = useNostr()
13 |
14 | return (
15 |
16 |
17 |
18 | {store.isConnected &&
19 | <>
20 | {!store.profile && || }
21 |
22 |
23 | >
24 | }
25 |
26 | )
27 | }
28 |
--------------------------------------------------------------------------------
/test/src/components/Error/index.tsx:
--------------------------------------------------------------------------------
1 | import { useEffect } from 'react'
2 | import { useNostr } from '../../../../src/index.js'
3 |
4 | export default function Toast () {
5 | const { store, update } = useNostr()
6 |
7 | useEffect(() => {
8 | if (typeof store.error === 'string') {
9 | setTimeout(() => update({ error : undefined }), 5000)
10 | }
11 | }, [ store.error ])
12 |
13 | return (
14 |
15 | { store.error &&
{store.error}
}
16 |
17 | )
18 | }
19 |
--------------------------------------------------------------------------------
/test/src/components/Events/index.tsx:
--------------------------------------------------------------------------------
1 | import { Event, Sub } from 'nostr-tools'
2 | import { useEffect, useState } from 'react'
3 | import { useNostr } from '../../../../src/index.js'
4 |
5 | const DEFAULT_FILTER = '{\n "kinds": [ 1 ],\n "limit": 10\n}'
6 |
7 | export default function Events () {
8 | const { store, setError } = useNostr()
9 | const [ sub, setSub ] = useState()
10 | const [ events, setEvents ] = useState([])
11 | const [ subFilter, setFilter ] = useState(DEFAULT_FILTER)
12 | const [ isValid, setValid ] = useState(false)
13 |
14 | const valid = '#00800040'
15 | const invalid = '#ff000040'
16 |
17 | useEffect(() => {
18 | setValid(isValidFilter(subFilter))
19 | }, [ subFilter])
20 |
21 | async function submit () {
22 | const { client } = store
23 |
24 | if (client?.ok) {
25 | const filter = JSON.parse(subFilter)
26 | const newsub = await client.sub([ filter ])
27 |
28 | if (newsub === undefined) {
29 | setError('Failed to subscribe!')
30 | return
31 | }
32 |
33 | newsub.on('event', (event) => {
34 | setEvents((prev) => [ ...prev, event ])
35 | })
36 |
37 | setSub(newsub)
38 | }
39 | }
40 |
41 | function cancel () {
42 | if (sub !== undefined) {
43 | sub.unsub()
44 | setSub(undefined)
45 | setEvents([])
46 | }
47 | }
48 |
49 | return (
50 |
51 |
Apply a filter to see Events:
52 |
57 | {(sub !== undefined)
58 | ?
59 | :
60 | }
61 |
62 | {events.map(e => {
63 | return
{e.content}
64 | })}
65 |
66 |
67 | )
68 | }
69 |
70 | function isValidFilter(filter : string) : boolean {
71 | try {
72 | return typeof JSON.parse(filter) === 'object'
73 | } catch {
74 | return false
75 | }
76 | }
77 |
--------------------------------------------------------------------------------
/test/src/components/Login/index.tsx:
--------------------------------------------------------------------------------
1 | import { ReactElement, useState } from 'react'
2 | import { useNostr } from '../../../../src/index.js'
3 |
4 | export default function Login () : ReactElement {
5 | const [ pubkey, setPubKey ] = useState('')
6 | const [ seckey, setSecKey ] = useState('')
7 |
8 | const { login, store } = useNostr()
9 |
10 | return (
11 |
12 |
13 |
14 |
15 |
16 |
17 |
18 | setPubKey(e.target.value)}>
19 |
20 |
21 |
22 |
23 |
setSecKey(e.target.value)}>
24 |
25 |
26 |
27 |
28 |
29 |
30 | )
31 | }
--------------------------------------------------------------------------------
/test/src/components/Profile/index.tsx:
--------------------------------------------------------------------------------
1 | import { FormEvent, useState } from 'react'
2 | import { useNostr } from '../../../../src/index.js'
3 | import { Profile } from '../../../../src/schema/types.js'
4 |
5 | const ALLOWED_FIELDS = [ 'display_name', 'name', 'about', 'website', 'picture', 'banner' ]
6 |
7 | export default function UserProfile () {
8 | const { setProfile, store, logout } = useNostr()
9 |
10 | function handleSubmit (e : FormEvent) {
11 | e.preventDefault()
12 | const allowed = (entry : [ string, any ]) => ALLOWED_FIELDS.includes(entry[0])
13 | const formData = new FormData(e.target as HTMLFormElement)
14 | const entries = [ ...formData.entries() ].filter(allowed)
15 | const newdata = Object.fromEntries(entries)
16 | console.log(newdata)
17 | setProfile(newdata)
18 | }
19 |
20 | return (
21 |
22 | { store.profile &&
23 |
32 | }
33 |
34 | )
35 | }
36 |
37 | function ProfileField (
38 | { label, value } : { label : keyof T, value : T[keyof T] }
39 | ) {
40 | const [ input, setInput ] = useState(String(value))
41 | const name = String(label)
42 | return (
43 |
44 |
45 | setInput(e.target.value)} />
46 |
47 | )
48 | }
49 |
--------------------------------------------------------------------------------
/test/src/components/RelayList/index.tsx:
--------------------------------------------------------------------------------
1 | import { ReactElement, useState } from 'react'
2 | import { useNostr } from '../../../../src/index.js'
3 |
4 | export default function RelayList () : ReactElement {
5 | const [ relay, setRelay ] = useState('')
6 | const { store, update } = useNostr()
7 |
8 | function addRelay () {
9 | if (
10 | relay.startsWith('wss://') &&
11 | !store.relays.includes(relay)
12 | ) {
13 | const relays = [ ...store.relays, relay ]
14 | update({ relays })
15 | }
16 | setRelay('')
17 | }
18 |
19 | function remRelay (url : string) {
20 | const relays = store.relays.filter(e => e !== url)
21 | update({ relays })
22 | }
23 |
24 | return (
25 |
26 |
27 |
Current Relays:
28 | {store.relays.length !== 0
29 | && store.relays.map((url) => (
30 |
31 | {url}
32 |
36 |
37 | ))
38 | ||
No relays configured
39 | }
40 |
41 |
42 | { setRelay(e.target.value) } }
47 | />
48 |
49 |
50 |
51 | )
52 | }
--------------------------------------------------------------------------------
/test/src/components/Room/index.tsx:
--------------------------------------------------------------------------------
1 | import { ReactElement, useState } from 'react'
2 | import { useNostr } from '../../../../src/index.js'
3 | import { NostrRoom } from '../../../../src/lib/room.js'
4 |
5 | export default function DemoRoom () : ReactElement {
6 | const [ secret, setSecret ] = useState('usenostr-demo')
7 | const [ message, setMessage ] = useState('')
8 | const [ room, setRoom ] = useState()
9 | const [ chat, setChat ] = useState([])
10 |
11 | const { rooms } = useNostr()
12 |
13 | function join () {
14 | const rm = rooms.join(secret, { allowEcho: true })
15 | rm.on('msg', (message : string) => {
16 | setChat((prev) => [ ...prev, message ])
17 | })
18 | setRoom(rm)
19 | }
20 |
21 | function leave () {
22 | if (room !== undefined) {
23 | room.leave()
24 | setRoom(undefined)
25 | setChat([])
26 | }
27 | }
28 |
29 | function send () {
30 | if (room !== undefined) {
31 | room.pub('msg', message)
32 | }
33 | setMessage('')
34 | }
35 |
36 | return (
37 |
38 |
39 |
Current Room:
40 |
41 | { setSecret(e.target.value) } }
46 | />
47 | {room !== undefined
48 | &&
49 | ||
50 | }
51 |
52 |
53 |
54 | {chat.map(e =>
{e}
)}
55 |
56 |
{ setMessage(e.target.value) } }
61 | />
62 |
63 |
64 |
65 |
66 | )
67 | }
68 |
--------------------------------------------------------------------------------
/test/src/main.tsx:
--------------------------------------------------------------------------------
1 | import React from 'react'
2 | import ReactDOM from 'react-dom/client'
3 | import App from './App.js'
4 |
5 | import { NostrProvider } from '../../src/index.js'
6 |
7 | import './styles/dark.css'
8 | import './styles/global.css'
9 |
10 | ReactDOM.createRoot(document.getElementById('root') as HTMLElement).render(
11 |
12 |
13 |
14 |
15 |
16 | )
17 |
--------------------------------------------------------------------------------
/test/src/styles/dark.css:
--------------------------------------------------------------------------------
1 | /**
2 | * Forced dark theme version
3 | */
4 |
5 | :root {
6 | --background-body: #202b38;
7 | --background: #161f27;
8 | --background-alt: #1a242f;
9 | --selection: #1c76c5;
10 | --text-main: #dbdbdb;
11 | --text-bright: #fff;
12 | --text-muted: #a9b1ba;
13 | --links: #41adff;
14 | --focus: #0096bfab;
15 | --border: #526980;
16 | --code: #ffbe85;
17 | --animation-duration: 0.1s;
18 | --button-base: #0c151c;
19 | --button-hover: #040a0f;
20 | --scrollbar-thumb: var(--button-hover);
21 | --scrollbar-thumb-hover: rgb(0, 0, 0);
22 | --form-placeholder: #a9a9a9;
23 | --form-text: #fff;
24 | --variable: #d941e2;
25 | --highlight: #efdb43;
26 | --select-arrow: url("data:image/svg+xml;charset=utf-8,%3C?xml version='1.0' encoding='utf-8'?%3E %3Csvg version='1.1' xmlns='http://www.w3.org/2000/svg' xmlns:xlink='http://www.w3.org/1999/xlink' height='62.5' width='116.9' fill='%23efefef'%3E %3Cpath d='M115.3,1.6 C113.7,0 111.1,0 109.5,1.6 L58.5,52.7 L7.4,1.6 C5.8,0 3.2,0 1.6,1.6 C0,3.2 0,5.8 1.6,7.4 L55.5,61.3 C56.3,62.1 57.3,62.5 58.4,62.5 C59.4,62.5 60.5,62.1 61.3,61.3 L115.2,7.4 C116.9,5.8 116.9,3.2 115.3,1.6Z'/%3E %3C/svg%3E");
27 | }
28 |
29 | html {
30 | scrollbar-color: #040a0f #202b38;
31 | scrollbar-color: var(--scrollbar-thumb) var(--background-body);
32 | scrollbar-width: thin;
33 | }
34 |
35 | body {
36 | font-family: system-ui, -apple-system, BlinkMacSystemFont, 'Segoe UI', 'Roboto', 'Oxygen', 'Ubuntu', 'Cantarell', 'Fira Sans', 'Droid Sans', 'Helvetica Neue', 'Segoe UI Emoji', 'Apple Color Emoji', 'Noto Color Emoji', sans-serif;
37 | line-height: 1.4;
38 | max-width: 800px;
39 | margin: 20px auto;
40 | padding: 0 10px;
41 | word-wrap: break-word;
42 | color: #dbdbdb;
43 | color: var(--text-main);
44 | background: #202b38;
45 | background: var(--background-body);
46 | text-rendering: optimizeLegibility;
47 | }
48 |
49 | button {
50 | transition:
51 | background-color 0.1s linear,
52 | border-color 0.1s linear,
53 | color 0.1s linear,
54 | box-shadow 0.1s linear,
55 | transform 0.1s ease;
56 | transition:
57 | background-color var(--animation-duration) linear,
58 | border-color var(--animation-duration) linear,
59 | color var(--animation-duration) linear,
60 | box-shadow var(--animation-duration) linear,
61 | transform var(--animation-duration) ease;
62 | }
63 |
64 | input {
65 | transition:
66 | background-color 0.1s linear,
67 | border-color 0.1s linear,
68 | color 0.1s linear,
69 | box-shadow 0.1s linear,
70 | transform 0.1s ease;
71 | transition:
72 | background-color var(--animation-duration) linear,
73 | border-color var(--animation-duration) linear,
74 | color var(--animation-duration) linear,
75 | box-shadow var(--animation-duration) linear,
76 | transform var(--animation-duration) ease;
77 | }
78 |
79 | textarea {
80 | transition:
81 | background-color 0.1s linear,
82 | border-color 0.1s linear,
83 | color 0.1s linear,
84 | box-shadow 0.1s linear,
85 | transform 0.1s ease;
86 | transition:
87 | background-color var(--animation-duration) linear,
88 | border-color var(--animation-duration) linear,
89 | color var(--animation-duration) linear,
90 | box-shadow var(--animation-duration) linear,
91 | transform var(--animation-duration) ease;
92 | }
93 |
94 | h1 {
95 | font-size: 2.2em;
96 | margin-top: 0;
97 | }
98 |
99 | h1,
100 | h2,
101 | h3,
102 | h4,
103 | h5,
104 | h6 {
105 | margin-bottom: 12px;
106 | margin-top: 24px;
107 | }
108 |
109 | h1 {
110 | color: #fff;
111 | color: var(--text-bright);
112 | }
113 |
114 | h2 {
115 | color: #fff;
116 | color: var(--text-bright);
117 | }
118 |
119 | h3 {
120 | color: #fff;
121 | color: var(--text-bright);
122 | }
123 |
124 | h4 {
125 | color: #fff;
126 | color: var(--text-bright);
127 | }
128 |
129 | h5 {
130 | color: #fff;
131 | color: var(--text-bright);
132 | }
133 |
134 | h6 {
135 | color: #fff;
136 | color: var(--text-bright);
137 | }
138 |
139 | strong {
140 | color: #fff;
141 | color: var(--text-bright);
142 | }
143 |
144 | h1,
145 | h2,
146 | h3,
147 | h4,
148 | h5,
149 | h6,
150 | b,
151 | strong,
152 | th {
153 | font-weight: 600;
154 | }
155 |
156 | q::before {
157 | content: none;
158 | }
159 |
160 | q::after {
161 | content: none;
162 | }
163 |
164 | blockquote {
165 | border-left: 4px solid #0096bfab;
166 | border-left: 4px solid var(--focus);
167 | margin: 1.5em 0;
168 | padding: 0.5em 1em;
169 | font-style: italic;
170 | }
171 |
172 | q {
173 | border-left: 4px solid #0096bfab;
174 | border-left: 4px solid var(--focus);
175 | margin: 1.5em 0;
176 | padding: 0.5em 1em;
177 | font-style: italic;
178 | }
179 |
180 | blockquote > footer {
181 | font-style: normal;
182 | border: 0;
183 | }
184 |
185 | blockquote cite {
186 | font-style: normal;
187 | }
188 |
189 | address {
190 | font-style: normal;
191 | }
192 |
193 | a[href^='mailto\:']::before {
194 | content: '📧 ';
195 | }
196 |
197 | a[href^='tel\:']::before {
198 | content: '📞 ';
199 | }
200 |
201 | a[href^='sms\:']::before {
202 | content: '💬 ';
203 | }
204 |
205 | mark {
206 | background-color: #efdb43;
207 | background-color: var(--highlight);
208 | border-radius: 2px;
209 | padding: 0 2px 0 2px;
210 | color: #000;
211 | }
212 |
213 | a > code,
214 | a > strong {
215 | color: inherit;
216 | }
217 |
218 | button,
219 | select,
220 | input[type='submit'],
221 | input[type='reset'],
222 | input[type='button'],
223 | input[type='checkbox'],
224 | input[type='range'],
225 | input[type='radio'] {
226 | cursor: pointer;
227 | }
228 |
229 | input,
230 | select {
231 | display: block;
232 | }
233 |
234 | [type='checkbox'],
235 | [type='radio'] {
236 | display: initial;
237 | }
238 |
239 | input {
240 | color: #fff;
241 | color: var(--form-text);
242 | background-color: #161f27;
243 | background-color: var(--background);
244 | font-family: inherit;
245 | font-size: inherit;
246 | margin-right: 6px;
247 | margin-bottom: 6px;
248 | padding: 10px;
249 | border: none;
250 | border-radius: 6px;
251 | outline: none;
252 | }
253 |
254 | button {
255 | color: #fff;
256 | color: var(--form-text);
257 | background-color: #161f27;
258 | background-color: var(--background);
259 | font-family: inherit;
260 | font-size: inherit;
261 | margin-right: 6px;
262 | margin-bottom: 6px;
263 | padding: 10px;
264 | border: none;
265 | border-radius: 6px;
266 | outline: none;
267 | }
268 |
269 | textarea {
270 | color: #fff;
271 | color: var(--form-text);
272 | background-color: #161f27;
273 | background-color: var(--background);
274 | font-family: inherit;
275 | font-size: inherit;
276 | margin-right: 6px;
277 | margin-bottom: 6px;
278 | padding: 10px;
279 | border: none;
280 | border-radius: 6px;
281 | outline: none;
282 | }
283 |
284 | select {
285 | color: #fff;
286 | color: var(--form-text);
287 | background-color: #161f27;
288 | background-color: var(--background);
289 | font-family: inherit;
290 | font-size: inherit;
291 | margin-right: 6px;
292 | margin-bottom: 6px;
293 | padding: 10px;
294 | border: none;
295 | border-radius: 6px;
296 | outline: none;
297 | }
298 |
299 | button {
300 | background-color: #0c151c;
301 | background-color: var(--button-base);
302 | padding-right: 30px;
303 | padding-left: 30px;
304 | }
305 |
306 | input[type='submit'] {
307 | background-color: #0c151c;
308 | background-color: var(--button-base);
309 | padding-right: 30px;
310 | padding-left: 30px;
311 | }
312 |
313 | input[type='reset'] {
314 | background-color: #0c151c;
315 | background-color: var(--button-base);
316 | padding-right: 30px;
317 | padding-left: 30px;
318 | }
319 |
320 | input[type='button'] {
321 | background-color: #0c151c;
322 | background-color: var(--button-base);
323 | padding-right: 30px;
324 | padding-left: 30px;
325 | }
326 |
327 | button:hover {
328 | background: #040a0f;
329 | background: var(--button-hover);
330 | }
331 |
332 | input[type='submit']:hover {
333 | background: #040a0f;
334 | background: var(--button-hover);
335 | }
336 |
337 | input[type='reset']:hover {
338 | background: #040a0f;
339 | background: var(--button-hover);
340 | }
341 |
342 | input[type='button']:hover {
343 | background: #040a0f;
344 | background: var(--button-hover);
345 | }
346 |
347 | input[type='color'] {
348 | min-height: 2rem;
349 | padding: 8px;
350 | cursor: pointer;
351 | }
352 |
353 | input[type='checkbox'],
354 | input[type='radio'] {
355 | height: 1em;
356 | width: 1em;
357 | }
358 |
359 | input[type='radio'] {
360 | border-radius: 100%;
361 | }
362 |
363 | input {
364 | vertical-align: top;
365 | }
366 |
367 | label {
368 | vertical-align: middle;
369 | margin-bottom: 4px;
370 | display: inline-block;
371 | }
372 |
373 | input:not([type='checkbox']):not([type='radio']),
374 | input[type='range'],
375 | select,
376 | button,
377 | textarea {
378 | appearance: none;
379 | }
380 |
381 | textarea {
382 | display: block;
383 | margin-right: 0;
384 | box-sizing: border-box;
385 | resize: vertical;
386 | }
387 |
388 | textarea:not([cols]) {
389 | width: 100%;
390 | }
391 |
392 | textarea:not([rows]) {
393 | min-height: 40px;
394 | height: 140px;
395 | }
396 |
397 | select {
398 | background: #161f27 url("data:image/svg+xml;charset=utf-8,%3C?xml version='1.0' encoding='utf-8'?%3E %3Csvg version='1.1' xmlns='http://www.w3.org/2000/svg' xmlns:xlink='http://www.w3.org/1999/xlink' height='62.5' width='116.9' fill='%23efefef'%3E %3Cpath d='M115.3,1.6 C113.7,0 111.1,0 109.5,1.6 L58.5,52.7 L7.4,1.6 C5.8,0 3.2,0 1.6,1.6 C0,3.2 0,5.8 1.6,7.4 L55.5,61.3 C56.3,62.1 57.3,62.5 58.4,62.5 C59.4,62.5 60.5,62.1 61.3,61.3 L115.2,7.4 C116.9,5.8 116.9,3.2 115.3,1.6Z'/%3E %3C/svg%3E") calc(100% - 12px) 50% / 12px no-repeat;
399 | background: var(--background) var(--select-arrow) calc(100% - 12px) 50% / 12px no-repeat;
400 | padding-right: 35px;
401 | }
402 |
403 | select::-ms-expand {
404 | display: none;
405 | }
406 |
407 | select[multiple] {
408 | padding-right: 10px;
409 | background-image: none;
410 | overflow-y: auto;
411 | }
412 |
413 | input:focus {
414 | box-shadow: 0 0 0 2px #0096bfab;
415 | box-shadow: 0 0 0 2px var(--focus);
416 | }
417 |
418 | select:focus {
419 | box-shadow: 0 0 0 2px #0096bfab;
420 | box-shadow: 0 0 0 2px var(--focus);
421 | }
422 |
423 | button:focus {
424 | box-shadow: 0 0 0 2px #0096bfab;
425 | box-shadow: 0 0 0 2px var(--focus);
426 | }
427 |
428 | textarea:focus {
429 | box-shadow: 0 0 0 2px #0096bfab;
430 | box-shadow: 0 0 0 2px var(--focus);
431 | }
432 |
433 | input[type='checkbox']:active,
434 | input[type='radio']:active,
435 | input[type='submit']:active,
436 | input[type='reset']:active,
437 | input[type='button']:active,
438 | input[type='range']:active,
439 | button:active {
440 | transform: translateY(2px);
441 | }
442 |
443 | input:disabled,
444 | select:disabled,
445 | button:disabled,
446 | textarea:disabled {
447 | cursor: not-allowed;
448 | opacity: 0.5;
449 | }
450 |
451 | ::-moz-placeholder {
452 | color: #a9a9a9;
453 | color: var(--form-placeholder);
454 | }
455 |
456 | :-ms-input-placeholder {
457 | color: #a9a9a9;
458 | color: var(--form-placeholder);
459 | }
460 |
461 | ::-ms-input-placeholder {
462 | color: #a9a9a9;
463 | color: var(--form-placeholder);
464 | }
465 |
466 | ::placeholder {
467 | color: #a9a9a9;
468 | color: var(--form-placeholder);
469 | }
470 |
471 | fieldset {
472 | border: 1px #0096bfab solid;
473 | border: 1px var(--focus) solid;
474 | border-radius: 6px;
475 | margin: 0;
476 | margin-bottom: 12px;
477 | padding: 10px;
478 | }
479 |
480 | legend {
481 | font-size: 0.9em;
482 | font-weight: 600;
483 | }
484 |
485 | input[type='range'] {
486 | margin: 10px 0;
487 | padding: 10px 0;
488 | background: transparent;
489 | }
490 |
491 | input[type='range']:focus {
492 | outline: none;
493 | }
494 |
495 | input[type='range']::-webkit-slider-runnable-track {
496 | width: 100%;
497 | height: 9.5px;
498 | -webkit-transition: 0.2s;
499 | transition: 0.2s;
500 | background: #161f27;
501 | background: var(--background);
502 | border-radius: 3px;
503 | }
504 |
505 | input[type='range']::-webkit-slider-thumb {
506 | box-shadow: 0 1px 1px #000, 0 0 1px #0d0d0d;
507 | height: 20px;
508 | width: 20px;
509 | border-radius: 50%;
510 | background: #526980;
511 | background: var(--border);
512 | -webkit-appearance: none;
513 | margin-top: -7px;
514 | }
515 |
516 | input[type='range']:focus::-webkit-slider-runnable-track {
517 | background: #161f27;
518 | background: var(--background);
519 | }
520 |
521 | input[type='range']::-moz-range-track {
522 | width: 100%;
523 | height: 9.5px;
524 | -moz-transition: 0.2s;
525 | transition: 0.2s;
526 | background: #161f27;
527 | background: var(--background);
528 | border-radius: 3px;
529 | }
530 |
531 | input[type='range']::-moz-range-thumb {
532 | box-shadow: 1px 1px 1px #000, 0 0 1px #0d0d0d;
533 | height: 20px;
534 | width: 20px;
535 | border-radius: 50%;
536 | background: #526980;
537 | background: var(--border);
538 | }
539 |
540 | input[type='range']::-ms-track {
541 | width: 100%;
542 | height: 9.5px;
543 | background: transparent;
544 | border-color: transparent;
545 | border-width: 16px 0;
546 | color: transparent;
547 | }
548 |
549 | input[type='range']::-ms-fill-lower {
550 | background: #161f27;
551 | background: var(--background);
552 | border: 0.2px solid #010101;
553 | border-radius: 3px;
554 | box-shadow: 1px 1px 1px #000, 0 0 1px #0d0d0d;
555 | }
556 |
557 | input[type='range']::-ms-fill-upper {
558 | background: #161f27;
559 | background: var(--background);
560 | border: 0.2px solid #010101;
561 | border-radius: 3px;
562 | box-shadow: 1px 1px 1px #000, 0 0 1px #0d0d0d;
563 | }
564 |
565 | input[type='range']::-ms-thumb {
566 | box-shadow: 1px 1px 1px #000, 0 0 1px #0d0d0d;
567 | border: 1px solid #000;
568 | height: 20px;
569 | width: 20px;
570 | border-radius: 50%;
571 | background: #526980;
572 | background: var(--border);
573 | }
574 |
575 | input[type='range']:focus::-ms-fill-lower {
576 | background: #161f27;
577 | background: var(--background);
578 | }
579 |
580 | input[type='range']:focus::-ms-fill-upper {
581 | background: #161f27;
582 | background: var(--background);
583 | }
584 |
585 | a {
586 | text-decoration: none;
587 | color: #41adff;
588 | color: var(--links);
589 | }
590 |
591 | a:hover {
592 | text-decoration: underline;
593 | }
594 |
595 | code {
596 | background: #161f27;
597 | background: var(--background);
598 | color: #ffbe85;
599 | color: var(--code);
600 | padding: 2.5px 5px;
601 | border-radius: 6px;
602 | font-size: 1em;
603 | }
604 |
605 | samp {
606 | background: #161f27;
607 | background: var(--background);
608 | color: #ffbe85;
609 | color: var(--code);
610 | padding: 2.5px 5px;
611 | border-radius: 6px;
612 | font-size: 1em;
613 | }
614 |
615 | time {
616 | background: #161f27;
617 | background: var(--background);
618 | color: #ffbe85;
619 | color: var(--code);
620 | padding: 2.5px 5px;
621 | border-radius: 6px;
622 | font-size: 1em;
623 | }
624 |
625 | pre > code {
626 | padding: 10px;
627 | display: block;
628 | overflow-x: auto;
629 | }
630 |
631 | var {
632 | color: #d941e2;
633 | color: var(--variable);
634 | font-style: normal;
635 | font-family: monospace;
636 | }
637 |
638 | kbd {
639 | background: #161f27;
640 | background: var(--background);
641 | border: 1px solid #526980;
642 | border: 1px solid var(--border);
643 | border-radius: 2px;
644 | color: #dbdbdb;
645 | color: var(--text-main);
646 | padding: 2px 4px 2px 4px;
647 | }
648 |
649 | img,
650 | video {
651 | max-width: 100%;
652 | height: auto;
653 | }
654 |
655 | hr {
656 | border: none;
657 | border-top: 1px solid #526980;
658 | border-top: 1px solid var(--border);
659 | }
660 |
661 | table {
662 | border-collapse: collapse;
663 | margin-bottom: 10px;
664 | width: 100%;
665 | table-layout: fixed;
666 | }
667 |
668 | table caption {
669 | text-align: left;
670 | }
671 |
672 | td,
673 | th {
674 | padding: 6px;
675 | text-align: left;
676 | vertical-align: top;
677 | word-wrap: break-word;
678 | }
679 |
680 | thead {
681 | border-bottom: 1px solid #526980;
682 | border-bottom: 1px solid var(--border);
683 | }
684 |
685 | tfoot {
686 | border-top: 1px solid #526980;
687 | border-top: 1px solid var(--border);
688 | }
689 |
690 | tbody tr:nth-child(even) {
691 | background-color: #161f27;
692 | background-color: var(--background);
693 | }
694 |
695 | tbody tr:nth-child(even) button {
696 | background-color: #1a242f;
697 | background-color: var(--background-alt);
698 | }
699 |
700 | tbody tr:nth-child(even) button:hover {
701 | background-color: #202b38;
702 | background-color: var(--background-body);
703 | }
704 |
705 | ::-webkit-scrollbar {
706 | height: 10px;
707 | width: 10px;
708 | }
709 |
710 | ::-webkit-scrollbar-track {
711 | background: #161f27;
712 | background: var(--background);
713 | border-radius: 6px;
714 | }
715 |
716 | ::-webkit-scrollbar-thumb {
717 | background: #040a0f;
718 | background: var(--scrollbar-thumb);
719 | border-radius: 6px;
720 | }
721 |
722 | ::-webkit-scrollbar-thumb:hover {
723 | background: rgb(0, 0, 0);
724 | background: var(--scrollbar-thumb-hover);
725 | }
726 |
727 | ::-moz-selection {
728 | background-color: #1c76c5;
729 | background-color: var(--selection);
730 | color: #fff;
731 | color: var(--text-bright);
732 | }
733 |
734 | ::selection {
735 | background-color: #1c76c5;
736 | background-color: var(--selection);
737 | color: #fff;
738 | color: var(--text-bright);
739 | }
740 |
741 | details {
742 | display: flex;
743 | flex-direction: column;
744 | align-items: flex-start;
745 | background-color: #1a242f;
746 | background-color: var(--background-alt);
747 | padding: 10px 10px 0;
748 | margin: 1em 0;
749 | border-radius: 6px;
750 | overflow: hidden;
751 | }
752 |
753 | details[open] {
754 | padding: 10px;
755 | }
756 |
757 | details > :last-child {
758 | margin-bottom: 0;
759 | }
760 |
761 | details[open] summary {
762 | margin-bottom: 10px;
763 | }
764 |
765 | summary {
766 | display: list-item;
767 | background-color: #161f27;
768 | background-color: var(--background);
769 | padding: 10px;
770 | margin: -10px -10px 0;
771 | cursor: pointer;
772 | outline: none;
773 | }
774 |
775 | summary:hover,
776 | summary:focus {
777 | text-decoration: underline;
778 | }
779 |
780 | details > :not(summary) {
781 | margin-top: 0;
782 | }
783 |
784 | summary::-webkit-details-marker {
785 | color: #dbdbdb;
786 | color: var(--text-main);
787 | }
788 |
789 | dialog {
790 | background-color: #1a242f;
791 | background-color: var(--background-alt);
792 | color: #dbdbdb;
793 | color: var(--text-main);
794 | border: none;
795 | border-radius: 6px;
796 | border-color: #526980;
797 | border-color: var(--border);
798 | padding: 10px 30px;
799 | }
800 |
801 | dialog > header:first-child {
802 | background-color: #161f27;
803 | background-color: var(--background);
804 | border-radius: 6px 6px 0 0;
805 | margin: -10px -30px 10px;
806 | padding: 10px;
807 | text-align: center;
808 | }
809 |
810 | dialog::-webkit-backdrop {
811 | background: #0000009c;
812 | -webkit-backdrop-filter: blur(4px);
813 | backdrop-filter: blur(4px);
814 | }
815 |
816 | dialog::backdrop {
817 | background: #0000009c;
818 | -webkit-backdrop-filter: blur(4px);
819 | backdrop-filter: blur(4px);
820 | }
821 |
822 | footer {
823 | border-top: 1px solid #526980;
824 | border-top: 1px solid var(--border);
825 | padding-top: 10px;
826 | color: #a9b1ba;
827 | color: var(--text-muted);
828 | }
829 |
830 | body > footer {
831 | margin-top: 40px;
832 | }
833 |
834 | @media print {
835 | body,
836 | pre,
837 | code,
838 | summary,
839 | details,
840 | button,
841 | input,
842 | textarea {
843 | background-color: #fff;
844 | }
845 |
846 | button,
847 | input,
848 | textarea {
849 | border: 1px solid #000;
850 | }
851 |
852 | body,
853 | h1,
854 | h2,
855 | h3,
856 | h4,
857 | h5,
858 | h6,
859 | pre,
860 | code,
861 | button,
862 | input,
863 | textarea,
864 | footer,
865 | summary,
866 | strong {
867 | color: #000;
868 | }
869 |
870 | summary::marker {
871 | color: #000;
872 | }
873 |
874 | summary::-webkit-details-marker {
875 | color: #000;
876 | }
877 |
878 | tbody tr:nth-child(even) {
879 | background-color: #f2f2f2;
880 | }
881 |
882 | a {
883 | color: #00f;
884 | text-decoration: underline;
885 | }
886 | }
887 |
--------------------------------------------------------------------------------
/test/src/styles/global.css:
--------------------------------------------------------------------------------
1 | html, body, #app, #app>div, #__next {
2 | height: 100%;
3 | font-size: small;
4 | }
5 |
6 | textarea:focus, input:focus {
7 | outline: none
8 | }
9 |
10 | .App {
11 | text-align: center;
12 | display: flex;
13 | flex-direction: column;
14 | align-items: center;
15 | }
16 |
17 | .container {
18 | border: 1px solid white;
19 | border-radius: 3px;
20 | background-color: rgba(81, 121, 131, 0.5);
21 | padding: 1rem;
22 | margin: 1rem;
23 | min-width: 200px;
24 | }
25 |
26 | .profile {
27 | text-align: left;
28 | }
29 |
30 | .card {
31 | display: flex;
32 | flex-direction: column;
33 | /* max-width: 20rem; */
34 | /* width: 100%; */
35 | }
36 |
37 | .toast {
38 | margin: 0;
39 | padding: 0 1rem;
40 | background-color: rgba(255, 0, 0, 0.25);
41 | border-radius: 3px;
42 | }
43 |
44 | .row {
45 | font-family: monospace;
46 | }
47 |
48 | .row button {
49 | font-family: monospace;
50 | height: 2rem;
51 | width: 2rem;
52 | padding: 0;
53 | }
54 |
55 | .events textarea {
56 | border: 1px solid white;
57 | font-family: monospace;
58 | }
59 |
60 |
61 |
--------------------------------------------------------------------------------
/test/src/vite-env.d.ts:
--------------------------------------------------------------------------------
1 | // eslint-disable-next-line @typescript-eslint/triple-slash-reference
2 | ///
3 |
--------------------------------------------------------------------------------
/test/tsconfig.json:
--------------------------------------------------------------------------------
1 | {
2 | "compilerOptions": {
3 | "baseUrl": ".",
4 | "paths": {
5 | "@/*" : [ "src/*" ],
6 | "public/*" : [ "public/*" ],
7 | "test/*" : [ "test/*" ],
8 | },
9 | "target": "ESNext",
10 | "useDefineForClassFields": true,
11 | "lib": ["DOM", "DOM.Iterable", "ESNext"],
12 | "allowJs": false,
13 | "skipLibCheck": true,
14 | "esModuleInterop": false,
15 | "allowSyntheticDefaultImports": true,
16 | "strict": true,
17 | "forceConsistentCasingInFileNames": true,
18 | "module": "ESNext",
19 | "moduleResolution": "Node",
20 | "resolveJsonModule": true,
21 | "isolatedModules": true,
22 | "noEmit": true,
23 | "jsx": "react-jsx"
24 | },
25 | "include": ["src"],
26 | "references": [{ "path": "./tsconfig.node.json" }]
27 | }
28 |
--------------------------------------------------------------------------------
/test/tsconfig.node.json:
--------------------------------------------------------------------------------
1 | {
2 | "compilerOptions": {
3 | "composite": true,
4 | "module": "ESNext",
5 | "moduleResolution": "Node",
6 | "strictNullChecks": true,
7 | "allowSyntheticDefaultImports": true
8 | },
9 | "include": ["vite.config.ts"]
10 | }
11 |
--------------------------------------------------------------------------------
/test/vite.config.ts:
--------------------------------------------------------------------------------
1 | import { defineConfig } from 'vite'
2 | import react from '@vitejs/plugin-react'
3 | import tsconfigPaths from 'vite-tsconfig-paths'
4 |
5 | // https://vitejs.dev/config/
6 | export default defineConfig({
7 | plugins: [ react(), tsconfigPaths() ]
8 | })
9 |
--------------------------------------------------------------------------------
/tsconfig.json:
--------------------------------------------------------------------------------
1 | {
2 | "compilerOptions": {
3 | "target": "ESNext",
4 | "lib": ["DOM", "DOM.Iterable", "ESNext"],
5 | "allowJs": false,
6 | "module": "ESNext",
7 | "moduleResolution": "node",
8 | "jsx": "react-jsx",
9 | "rootDir": "./src",
10 | "outDir": "./dist",
11 | "sourceMap": true,
12 | "declaration": true,
13 | "declarationDir": "./dist/types",
14 | "declarationMap": true,
15 | // "emitDeclarationOnly": true,
16 | "importHelpers": true,
17 | "resolveJsonModule": true,
18 | "isolatedModules": true,
19 | "allowSyntheticDefaultImports": true,
20 | "esModuleInterop": true,
21 | "forceConsistentCasingInFileNames": true,
22 | "useDefineForClassFields": true,
23 | "skipLibCheck": true,
24 | "strict": true,
25 | "pretty": true,
26 | "removeComments": true,
27 | "strictNullChecks": true,
28 | "noImplicitAny": true,
29 | "noImplicitThis": true,
30 | "noImplicitReturns": true,
31 | "noUncheckedIndexedAccess": false,
32 | "noUnusedLocals": true,
33 | "noUnusedParameters": true
34 | },
35 | "include": ["src"],
36 | "exclude": ["test"]
37 | }
38 |
--------------------------------------------------------------------------------
/yarn.lock:
--------------------------------------------------------------------------------
1 | # THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY.
2 | # yarn lockfile v1
3 |
4 |
5 | "@ampproject/remapping@^2.2.0":
6 | version "2.2.1"
7 | resolved "https://registry.yarnpkg.com/@ampproject/remapping/-/remapping-2.2.1.tgz#99e8e11851128b8702cd57c33684f1d0f260b630"
8 | integrity sha512-lFMjJTrFL3j7L9yBxwYfCq2k6qqwHyzuUl/XBnif78PWTJYyL/dfowQHWE3sp6U6ZzqWiiIZnpTMO96zhkjwtg==
9 | dependencies:
10 | "@jridgewell/gen-mapping" "^0.3.0"
11 | "@jridgewell/trace-mapping" "^0.3.9"
12 |
13 | "@babel/code-frame@^7.22.5":
14 | version "7.22.5"
15 | resolved "https://registry.yarnpkg.com/@babel/code-frame/-/code-frame-7.22.5.tgz#234d98e1551960604f1246e6475891a570ad5658"
16 | integrity sha512-Xmwn266vad+6DAqEB2A6V/CcZVp62BbwVmcOJc2RPuwih1kw02TjQvWVWlcKGbBPd+8/0V5DEkOcizRGYsspYQ==
17 | dependencies:
18 | "@babel/highlight" "^7.22.5"
19 |
20 | "@babel/compat-data@^7.22.5":
21 | version "7.22.5"
22 | resolved "https://registry.yarnpkg.com/@babel/compat-data/-/compat-data-7.22.5.tgz#b1f6c86a02d85d2dd3368a2b67c09add8cd0c255"
23 | integrity sha512-4Jc/YuIaYqKnDDz892kPIledykKg12Aw1PYX5i/TY28anJtacvM1Rrr8wbieB9GfEJwlzqT0hUEao0CxEebiDA==
24 |
25 | "@babel/core@^7.20.12":
26 | version "7.22.5"
27 | resolved "https://registry.yarnpkg.com/@babel/core/-/core-7.22.5.tgz#d67d9747ecf26ee7ecd3ebae1ee22225fe902a89"
28 | integrity sha512-SBuTAjg91A3eKOvD+bPEz3LlhHZRNu1nFOVts9lzDJTXshHTjII0BAtDS3Y2DAkdZdDKWVZGVwkDfc4Clxn1dg==
29 | dependencies:
30 | "@ampproject/remapping" "^2.2.0"
31 | "@babel/code-frame" "^7.22.5"
32 | "@babel/generator" "^7.22.5"
33 | "@babel/helper-compilation-targets" "^7.22.5"
34 | "@babel/helper-module-transforms" "^7.22.5"
35 | "@babel/helpers" "^7.22.5"
36 | "@babel/parser" "^7.22.5"
37 | "@babel/template" "^7.22.5"
38 | "@babel/traverse" "^7.22.5"
39 | "@babel/types" "^7.22.5"
40 | convert-source-map "^1.7.0"
41 | debug "^4.1.0"
42 | gensync "^1.0.0-beta.2"
43 | json5 "^2.2.2"
44 | semver "^6.3.0"
45 |
46 | "@babel/generator@^7.22.5":
47 | version "7.22.5"
48 | resolved "https://registry.yarnpkg.com/@babel/generator/-/generator-7.22.5.tgz#1e7bf768688acfb05cf30b2369ef855e82d984f7"
49 | integrity sha512-+lcUbnTRhd0jOewtFSedLyiPsD5tswKkbgcezOqqWFUVNEwoUTlpPOBmvhG7OXWLR4jMdv0czPGH5XbflnD1EA==
50 | dependencies:
51 | "@babel/types" "^7.22.5"
52 | "@jridgewell/gen-mapping" "^0.3.2"
53 | "@jridgewell/trace-mapping" "^0.3.17"
54 | jsesc "^2.5.1"
55 |
56 | "@babel/helper-compilation-targets@^7.22.5":
57 | version "7.22.5"
58 | resolved "https://registry.yarnpkg.com/@babel/helper-compilation-targets/-/helper-compilation-targets-7.22.5.tgz#fc7319fc54c5e2fa14b2909cf3c5fd3046813e02"
59 | integrity sha512-Ji+ywpHeuqxB8WDxraCiqR0xfhYjiDE/e6k7FuIaANnoOFxAHskHChz4vA1mJC9Lbm01s1PVAGhQY4FUKSkGZw==
60 | dependencies:
61 | "@babel/compat-data" "^7.22.5"
62 | "@babel/helper-validator-option" "^7.22.5"
63 | browserslist "^4.21.3"
64 | lru-cache "^5.1.1"
65 | semver "^6.3.0"
66 |
67 | "@babel/helper-environment-visitor@^7.22.5":
68 | version "7.22.5"
69 | resolved "https://registry.yarnpkg.com/@babel/helper-environment-visitor/-/helper-environment-visitor-7.22.5.tgz#f06dd41b7c1f44e1f8da6c4055b41ab3a09a7e98"
70 | integrity sha512-XGmhECfVA/5sAt+H+xpSg0mfrHq6FzNr9Oxh7PSEBBRUb/mL7Kz3NICXb194rCqAEdxkhPT1a88teizAFyvk8Q==
71 |
72 | "@babel/helper-function-name@^7.22.5":
73 | version "7.22.5"
74 | resolved "https://registry.yarnpkg.com/@babel/helper-function-name/-/helper-function-name-7.22.5.tgz#ede300828905bb15e582c037162f99d5183af1be"
75 | integrity sha512-wtHSq6jMRE3uF2otvfuD3DIvVhOsSNshQl0Qrd7qC9oQJzHvOL4qQXlQn2916+CXGywIjpGuIkoyZRRxHPiNQQ==
76 | dependencies:
77 | "@babel/template" "^7.22.5"
78 | "@babel/types" "^7.22.5"
79 |
80 | "@babel/helper-hoist-variables@^7.22.5":
81 | version "7.22.5"
82 | resolved "https://registry.yarnpkg.com/@babel/helper-hoist-variables/-/helper-hoist-variables-7.22.5.tgz#c01a007dac05c085914e8fb652b339db50d823bb"
83 | integrity sha512-wGjk9QZVzvknA6yKIUURb8zY3grXCcOZt+/7Wcy8O2uctxhplmUPkOdlgoNhmdVee2c92JXbf1xpMtVNbfoxRw==
84 | dependencies:
85 | "@babel/types" "^7.22.5"
86 |
87 | "@babel/helper-module-imports@^7.22.5":
88 | version "7.22.5"
89 | resolved "https://registry.yarnpkg.com/@babel/helper-module-imports/-/helper-module-imports-7.22.5.tgz#1a8f4c9f4027d23f520bd76b364d44434a72660c"
90 | integrity sha512-8Dl6+HD/cKifutF5qGd/8ZJi84QeAKh+CEe1sBzz8UayBBGg1dAIJrdHOcOM5b2MpzWL2yuotJTtGjETq0qjXg==
91 | dependencies:
92 | "@babel/types" "^7.22.5"
93 |
94 | "@babel/helper-module-transforms@^7.22.5":
95 | version "7.22.5"
96 | resolved "https://registry.yarnpkg.com/@babel/helper-module-transforms/-/helper-module-transforms-7.22.5.tgz#0f65daa0716961b6e96b164034e737f60a80d2ef"
97 | integrity sha512-+hGKDt/Ze8GFExiVHno/2dvG5IdstpzCq0y4Qc9OJ25D4q3pKfiIP/4Vp3/JvhDkLKsDK2api3q3fpIgiIF5bw==
98 | dependencies:
99 | "@babel/helper-environment-visitor" "^7.22.5"
100 | "@babel/helper-module-imports" "^7.22.5"
101 | "@babel/helper-simple-access" "^7.22.5"
102 | "@babel/helper-split-export-declaration" "^7.22.5"
103 | "@babel/helper-validator-identifier" "^7.22.5"
104 | "@babel/template" "^7.22.5"
105 | "@babel/traverse" "^7.22.5"
106 | "@babel/types" "^7.22.5"
107 |
108 | "@babel/helper-plugin-utils@^7.22.5":
109 | version "7.22.5"
110 | resolved "https://registry.yarnpkg.com/@babel/helper-plugin-utils/-/helper-plugin-utils-7.22.5.tgz#dd7ee3735e8a313b9f7b05a773d892e88e6d7295"
111 | integrity sha512-uLls06UVKgFG9QD4OeFYLEGteMIAa5kpTPcFL28yuCIIzsf6ZyKZMllKVOCZFhiZ5ptnwX4mtKdWCBE/uT4amg==
112 |
113 | "@babel/helper-simple-access@^7.22.5":
114 | version "7.22.5"
115 | resolved "https://registry.yarnpkg.com/@babel/helper-simple-access/-/helper-simple-access-7.22.5.tgz#4938357dc7d782b80ed6dbb03a0fba3d22b1d5de"
116 | integrity sha512-n0H99E/K+Bika3++WNL17POvo4rKWZ7lZEp1Q+fStVbUi8nxPQEBOlTmCOxW/0JsS56SKKQ+ojAe2pHKJHN35w==
117 | dependencies:
118 | "@babel/types" "^7.22.5"
119 |
120 | "@babel/helper-split-export-declaration@^7.22.5":
121 | version "7.22.5"
122 | resolved "https://registry.yarnpkg.com/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.22.5.tgz#88cf11050edb95ed08d596f7a044462189127a08"
123 | integrity sha512-thqK5QFghPKWLhAV321lxF95yCg2K3Ob5yw+M3VHWfdia0IkPXUtoLH8x/6Fh486QUvzhb8YOWHChTVen2/PoQ==
124 | dependencies:
125 | "@babel/types" "^7.22.5"
126 |
127 | "@babel/helper-string-parser@^7.22.5":
128 | version "7.22.5"
129 | resolved "https://registry.yarnpkg.com/@babel/helper-string-parser/-/helper-string-parser-7.22.5.tgz#533f36457a25814cf1df6488523ad547d784a99f"
130 | integrity sha512-mM4COjgZox8U+JcXQwPijIZLElkgEpO5rsERVDJTc2qfCDfERyob6k5WegS14SX18IIjv+XD+GrqNumY5JRCDw==
131 |
132 | "@babel/helper-validator-identifier@^7.22.5":
133 | version "7.22.5"
134 | resolved "https://registry.yarnpkg.com/@babel/helper-validator-identifier/-/helper-validator-identifier-7.22.5.tgz#9544ef6a33999343c8740fa51350f30eeaaaf193"
135 | integrity sha512-aJXu+6lErq8ltp+JhkJUfk1MTGyuA4v7f3pA+BJ5HLfNC6nAQ0Cpi9uOquUj8Hehg0aUiHzWQbOVJGao6ztBAQ==
136 |
137 | "@babel/helper-validator-option@^7.22.5":
138 | version "7.22.5"
139 | resolved "https://registry.yarnpkg.com/@babel/helper-validator-option/-/helper-validator-option-7.22.5.tgz#de52000a15a177413c8234fa3a8af4ee8102d0ac"
140 | integrity sha512-R3oB6xlIVKUnxNUxbmgq7pKjxpru24zlimpE8WK47fACIlM0II/Hm1RS8IaOI7NgCr6LNS+jl5l75m20npAziw==
141 |
142 | "@babel/helpers@^7.22.5":
143 | version "7.22.5"
144 | resolved "https://registry.yarnpkg.com/@babel/helpers/-/helpers-7.22.5.tgz#74bb4373eb390d1ceed74a15ef97767e63120820"
145 | integrity sha512-pSXRmfE1vzcUIDFQcSGA5Mr+GxBV9oiRKDuDxXvWQQBCh8HoIjs/2DlDB7H8smac1IVrB9/xdXj2N3Wol9Cr+Q==
146 | dependencies:
147 | "@babel/template" "^7.22.5"
148 | "@babel/traverse" "^7.22.5"
149 | "@babel/types" "^7.22.5"
150 |
151 | "@babel/highlight@^7.22.5":
152 | version "7.22.5"
153 | resolved "https://registry.yarnpkg.com/@babel/highlight/-/highlight-7.22.5.tgz#aa6c05c5407a67ebce408162b7ede789b4d22031"
154 | integrity sha512-BSKlD1hgnedS5XRnGOljZawtag7H1yPfQp0tdNJCHoH6AZ+Pcm9VvkrK59/Yy593Ypg0zMxH2BxD1VPYUQ7UIw==
155 | dependencies:
156 | "@babel/helper-validator-identifier" "^7.22.5"
157 | chalk "^2.0.0"
158 | js-tokens "^4.0.0"
159 |
160 | "@babel/parser@^7.22.5":
161 | version "7.22.5"
162 | resolved "https://registry.yarnpkg.com/@babel/parser/-/parser-7.22.5.tgz#721fd042f3ce1896238cf1b341c77eb7dee7dbea"
163 | integrity sha512-DFZMC9LJUG9PLOclRC32G63UXwzqS2koQC8dkx+PLdmt1xSePYpbT/NbsrJy8Q/muXz7o/h/d4A7Fuyixm559Q==
164 |
165 | "@babel/plugin-transform-react-jsx-self@^7.18.6":
166 | version "7.22.5"
167 | resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-jsx-self/-/plugin-transform-react-jsx-self-7.22.5.tgz#ca2fdc11bc20d4d46de01137318b13d04e481d8e"
168 | integrity sha512-nTh2ogNUtxbiSbxaT4Ds6aXnXEipHweN9YRgOX/oNXdf0cCrGn/+2LozFa3lnPV5D90MkjhgckCPBrsoSc1a7g==
169 | dependencies:
170 | "@babel/helper-plugin-utils" "^7.22.5"
171 |
172 | "@babel/plugin-transform-react-jsx-source@^7.19.6":
173 | version "7.22.5"
174 | resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-jsx-source/-/plugin-transform-react-jsx-source-7.22.5.tgz#49af1615bfdf6ed9d3e9e43e425e0b2b65d15b6c"
175 | integrity sha512-yIiRO6yobeEIaI0RTbIr8iAK9FcBHLtZq0S89ZPjDLQXBA4xvghaKqI0etp/tF3htTM0sazJKKLz9oEiGRtu7w==
176 | dependencies:
177 | "@babel/helper-plugin-utils" "^7.22.5"
178 |
179 | "@babel/runtime@^7.20.7":
180 | version "7.22.5"
181 | resolved "https://registry.yarnpkg.com/@babel/runtime/-/runtime-7.22.5.tgz#8564dd588182ce0047d55d7a75e93921107b57ec"
182 | integrity sha512-ecjvYlnAaZ/KVneE/OdKYBYfgXV3Ptu6zQWmgEF7vwKhQnvVS6bjMD2XYgj+SNvQ1GfK/pjgokfPkC/2CO8CuA==
183 | dependencies:
184 | regenerator-runtime "^0.13.11"
185 |
186 | "@babel/template@^7.22.5":
187 | version "7.22.5"
188 | resolved "https://registry.yarnpkg.com/@babel/template/-/template-7.22.5.tgz#0c8c4d944509875849bd0344ff0050756eefc6ec"
189 | integrity sha512-X7yV7eiwAxdj9k94NEylvbVHLiVG1nvzCV2EAowhxLTwODV1jl9UzZ48leOC0sH7OnuHrIkllaBgneUykIcZaw==
190 | dependencies:
191 | "@babel/code-frame" "^7.22.5"
192 | "@babel/parser" "^7.22.5"
193 | "@babel/types" "^7.22.5"
194 |
195 | "@babel/traverse@^7.22.5":
196 | version "7.22.5"
197 | resolved "https://registry.yarnpkg.com/@babel/traverse/-/traverse-7.22.5.tgz#44bd276690db6f4940fdb84e1cb4abd2f729ccd1"
198 | integrity sha512-7DuIjPgERaNo6r+PZwItpjCZEa5vyw4eJGufeLxrPdBXBoLcCJCIasvK6pK/9DVNrLZTLFhUGqaC6X/PA007TQ==
199 | dependencies:
200 | "@babel/code-frame" "^7.22.5"
201 | "@babel/generator" "^7.22.5"
202 | "@babel/helper-environment-visitor" "^7.22.5"
203 | "@babel/helper-function-name" "^7.22.5"
204 | "@babel/helper-hoist-variables" "^7.22.5"
205 | "@babel/helper-split-export-declaration" "^7.22.5"
206 | "@babel/parser" "^7.22.5"
207 | "@babel/types" "^7.22.5"
208 | debug "^4.1.0"
209 | globals "^11.1.0"
210 |
211 | "@babel/types@^7.22.5":
212 | version "7.22.5"
213 | resolved "https://registry.yarnpkg.com/@babel/types/-/types-7.22.5.tgz#cd93eeaab025880a3a47ec881f4b096a5b786fbe"
214 | integrity sha512-zo3MIHGOkPOfoRXitsgHLjEXmlDaD/5KU1Uzuc9GNiZPhSqVxVRtxuPaSBZDsYZ9qV88AjtMtWW7ww98loJ9KA==
215 | dependencies:
216 | "@babel/helper-string-parser" "^7.22.5"
217 | "@babel/helper-validator-identifier" "^7.22.5"
218 | to-fast-properties "^2.0.0"
219 |
220 | "@cmdcode/buff-utils@^1.7.4":
221 | version "1.7.4"
222 | resolved "https://registry.yarnpkg.com/@cmdcode/buff-utils/-/buff-utils-1.7.4.tgz#f7c0f188f194dae8970ce4e96d05ba9d09c86744"
223 | integrity sha512-K/1Bo+VLZcJYghMZOXTxe2oD+lzzx2j5kk6kaoOUkPS2NLj3qylgVJZWtuS8NF6c96rtamgf3WBPUSit57Fh0w==
224 |
225 | "@cmdcode/keylink@^1.4.2":
226 | version "1.4.2"
227 | resolved "https://registry.yarnpkg.com/@cmdcode/keylink/-/keylink-1.4.2.tgz#f0c4c5417076294f248e4483cdcbf0eddaea366c"
228 | integrity sha512-XQ1dcHQLk75IWheWkCXGrBvz81fUWtWOcVomaBwBtfMoOiG8E0hWN02C9gGtXT06MICZs1C8VCjsAheH1gH0RQ==
229 |
230 | "@esbuild/android-arm64@0.17.19":
231 | version "0.17.19"
232 | resolved "https://registry.yarnpkg.com/@esbuild/android-arm64/-/android-arm64-0.17.19.tgz#bafb75234a5d3d1b690e7c2956a599345e84a2fd"
233 | integrity sha512-KBMWvEZooR7+kzY0BtbTQn0OAYY7CsiydT63pVEaPtVYF0hXbUaOyZog37DKxK7NF3XacBJOpYT4adIJh+avxA==
234 |
235 | "@esbuild/android-arm@0.17.19":
236 | version "0.17.19"
237 | resolved "https://registry.yarnpkg.com/@esbuild/android-arm/-/android-arm-0.17.19.tgz#5898f7832c2298bc7d0ab53701c57beb74d78b4d"
238 | integrity sha512-rIKddzqhmav7MSmoFCmDIb6e2W57geRsM94gV2l38fzhXMwq7hZoClug9USI2pFRGL06f4IOPHHpFNOkWieR8A==
239 |
240 | "@esbuild/android-x64@0.17.19":
241 | version "0.17.19"
242 | resolved "https://registry.yarnpkg.com/@esbuild/android-x64/-/android-x64-0.17.19.tgz#658368ef92067866d95fb268719f98f363d13ae1"
243 | integrity sha512-uUTTc4xGNDT7YSArp/zbtmbhO0uEEK9/ETW29Wk1thYUJBz3IVnvgEiEwEa9IeLyvnpKrWK64Utw2bgUmDveww==
244 |
245 | "@esbuild/darwin-arm64@0.17.19":
246 | version "0.17.19"
247 | resolved "https://registry.yarnpkg.com/@esbuild/darwin-arm64/-/darwin-arm64-0.17.19.tgz#584c34c5991b95d4d48d333300b1a4e2ff7be276"
248 | integrity sha512-80wEoCfF/hFKM6WE1FyBHc9SfUblloAWx6FJkFWTWiCoht9Mc0ARGEM47e67W9rI09YoUxJL68WHfDRYEAvOhg==
249 |
250 | "@esbuild/darwin-x64@0.17.19":
251 | version "0.17.19"
252 | resolved "https://registry.yarnpkg.com/@esbuild/darwin-x64/-/darwin-x64-0.17.19.tgz#7751d236dfe6ce136cce343dce69f52d76b7f6cb"
253 | integrity sha512-IJM4JJsLhRYr9xdtLytPLSH9k/oxR3boaUIYiHkAawtwNOXKE8KoU8tMvryogdcT8AU+Bflmh81Xn6Q0vTZbQw==
254 |
255 | "@esbuild/freebsd-arm64@0.17.19":
256 | version "0.17.19"
257 | resolved "https://registry.yarnpkg.com/@esbuild/freebsd-arm64/-/freebsd-arm64-0.17.19.tgz#cacd171665dd1d500f45c167d50c6b7e539d5fd2"
258 | integrity sha512-pBwbc7DufluUeGdjSU5Si+P3SoMF5DQ/F/UmTSb8HXO80ZEAJmrykPyzo1IfNbAoaqw48YRpv8shwd1NoI0jcQ==
259 |
260 | "@esbuild/freebsd-x64@0.17.19":
261 | version "0.17.19"
262 | resolved "https://registry.yarnpkg.com/@esbuild/freebsd-x64/-/freebsd-x64-0.17.19.tgz#0769456eee2a08b8d925d7c00b79e861cb3162e4"
263 | integrity sha512-4lu+n8Wk0XlajEhbEffdy2xy53dpR06SlzvhGByyg36qJw6Kpfk7cp45DR/62aPH9mtJRmIyrXAS5UWBrJT6TQ==
264 |
265 | "@esbuild/linux-arm64@0.17.19":
266 | version "0.17.19"
267 | resolved "https://registry.yarnpkg.com/@esbuild/linux-arm64/-/linux-arm64-0.17.19.tgz#38e162ecb723862c6be1c27d6389f48960b68edb"
268 | integrity sha512-ct1Tg3WGwd3P+oZYqic+YZF4snNl2bsnMKRkb3ozHmnM0dGWuxcPTTntAF6bOP0Sp4x0PjSF+4uHQ1xvxfRKqg==
269 |
270 | "@esbuild/linux-arm@0.17.19":
271 | version "0.17.19"
272 | resolved "https://registry.yarnpkg.com/@esbuild/linux-arm/-/linux-arm-0.17.19.tgz#1a2cd399c50040184a805174a6d89097d9d1559a"
273 | integrity sha512-cdmT3KxjlOQ/gZ2cjfrQOtmhG4HJs6hhvm3mWSRDPtZ/lP5oe8FWceS10JaSJC13GBd4eH/haHnqf7hhGNLerA==
274 |
275 | "@esbuild/linux-ia32@0.17.19":
276 | version "0.17.19"
277 | resolved "https://registry.yarnpkg.com/@esbuild/linux-ia32/-/linux-ia32-0.17.19.tgz#e28c25266b036ce1cabca3c30155222841dc035a"
278 | integrity sha512-w4IRhSy1VbsNxHRQpeGCHEmibqdTUx61Vc38APcsRbuVgK0OPEnQ0YD39Brymn96mOx48Y2laBQGqgZ0j9w6SQ==
279 |
280 | "@esbuild/linux-loong64@0.17.19":
281 | version "0.17.19"
282 | resolved "https://registry.yarnpkg.com/@esbuild/linux-loong64/-/linux-loong64-0.17.19.tgz#0f887b8bb3f90658d1a0117283e55dbd4c9dcf72"
283 | integrity sha512-2iAngUbBPMq439a+z//gE+9WBldoMp1s5GWsUSgqHLzLJ9WoZLZhpwWuym0u0u/4XmZ3gpHmzV84PonE+9IIdQ==
284 |
285 | "@esbuild/linux-mips64el@0.17.19":
286 | version "0.17.19"
287 | resolved "https://registry.yarnpkg.com/@esbuild/linux-mips64el/-/linux-mips64el-0.17.19.tgz#f5d2a0b8047ea9a5d9f592a178ea054053a70289"
288 | integrity sha512-LKJltc4LVdMKHsrFe4MGNPp0hqDFA1Wpt3jE1gEyM3nKUvOiO//9PheZZHfYRfYl6AwdTH4aTcXSqBerX0ml4A==
289 |
290 | "@esbuild/linux-ppc64@0.17.19":
291 | version "0.17.19"
292 | resolved "https://registry.yarnpkg.com/@esbuild/linux-ppc64/-/linux-ppc64-0.17.19.tgz#876590e3acbd9fa7f57a2c7d86f83717dbbac8c7"
293 | integrity sha512-/c/DGybs95WXNS8y3Ti/ytqETiW7EU44MEKuCAcpPto3YjQbyK3IQVKfF6nbghD7EcLUGl0NbiL5Rt5DMhn5tg==
294 |
295 | "@esbuild/linux-riscv64@0.17.19":
296 | version "0.17.19"
297 | resolved "https://registry.yarnpkg.com/@esbuild/linux-riscv64/-/linux-riscv64-0.17.19.tgz#7f49373df463cd9f41dc34f9b2262d771688bf09"
298 | integrity sha512-FC3nUAWhvFoutlhAkgHf8f5HwFWUL6bYdvLc/TTuxKlvLi3+pPzdZiFKSWz/PF30TB1K19SuCxDTI5KcqASJqA==
299 |
300 | "@esbuild/linux-s390x@0.17.19":
301 | version "0.17.19"
302 | resolved "https://registry.yarnpkg.com/@esbuild/linux-s390x/-/linux-s390x-0.17.19.tgz#e2afd1afcaf63afe2c7d9ceacd28ec57c77f8829"
303 | integrity sha512-IbFsFbxMWLuKEbH+7sTkKzL6NJmG2vRyy6K7JJo55w+8xDk7RElYn6xvXtDW8HCfoKBFK69f3pgBJSUSQPr+4Q==
304 |
305 | "@esbuild/linux-x64@0.17.19":
306 | version "0.17.19"
307 | resolved "https://registry.yarnpkg.com/@esbuild/linux-x64/-/linux-x64-0.17.19.tgz#8a0e9738b1635f0c53389e515ae83826dec22aa4"
308 | integrity sha512-68ngA9lg2H6zkZcyp22tsVt38mlhWde8l3eJLWkyLrp4HwMUr3c1s/M2t7+kHIhvMjglIBrFpncX1SzMckomGw==
309 |
310 | "@esbuild/netbsd-x64@0.17.19":
311 | version "0.17.19"
312 | resolved "https://registry.yarnpkg.com/@esbuild/netbsd-x64/-/netbsd-x64-0.17.19.tgz#c29fb2453c6b7ddef9a35e2c18b37bda1ae5c462"
313 | integrity sha512-CwFq42rXCR8TYIjIfpXCbRX0rp1jo6cPIUPSaWwzbVI4aOfX96OXY8M6KNmtPcg7QjYeDmN+DD0Wp3LaBOLf4Q==
314 |
315 | "@esbuild/openbsd-x64@0.17.19":
316 | version "0.17.19"
317 | resolved "https://registry.yarnpkg.com/@esbuild/openbsd-x64/-/openbsd-x64-0.17.19.tgz#95e75a391403cb10297280d524d66ce04c920691"
318 | integrity sha512-cnq5brJYrSZ2CF6c35eCmviIN3k3RczmHz8eYaVlNasVqsNY+JKohZU5MKmaOI+KkllCdzOKKdPs762VCPC20g==
319 |
320 | "@esbuild/sunos-x64@0.17.19":
321 | version "0.17.19"
322 | resolved "https://registry.yarnpkg.com/@esbuild/sunos-x64/-/sunos-x64-0.17.19.tgz#722eaf057b83c2575937d3ffe5aeb16540da7273"
323 | integrity sha512-vCRT7yP3zX+bKWFeP/zdS6SqdWB8OIpaRq/mbXQxTGHnIxspRtigpkUcDMlSCOejlHowLqII7K2JKevwyRP2rg==
324 |
325 | "@esbuild/win32-arm64@0.17.19":
326 | version "0.17.19"
327 | resolved "https://registry.yarnpkg.com/@esbuild/win32-arm64/-/win32-arm64-0.17.19.tgz#9aa9dc074399288bdcdd283443e9aeb6b9552b6f"
328 | integrity sha512-yYx+8jwowUstVdorcMdNlzklLYhPxjniHWFKgRqH7IFlUEa0Umu3KuYplf1HUZZ422e3NU9F4LGb+4O0Kdcaag==
329 |
330 | "@esbuild/win32-ia32@0.17.19":
331 | version "0.17.19"
332 | resolved "https://registry.yarnpkg.com/@esbuild/win32-ia32/-/win32-ia32-0.17.19.tgz#95ad43c62ad62485e210f6299c7b2571e48d2b03"
333 | integrity sha512-eggDKanJszUtCdlVs0RB+h35wNlb5v4TWEkq4vZcmVt5u/HiDZrTXe2bWFQUez3RgNHwx/x4sk5++4NSSicKkw==
334 |
335 | "@esbuild/win32-x64@0.17.19":
336 | version "0.17.19"
337 | resolved "https://registry.yarnpkg.com/@esbuild/win32-x64/-/win32-x64-0.17.19.tgz#8cfaf2ff603e9aabb910e9c0558c26cf32744061"
338 | integrity sha512-lAhycmKnVOuRYNtRtatQR1LPQf2oYCkRGkSFnseDAKPl8lu5SOsK/e1sXe5a0Pc5kHIHe6P2I/ilntNv2xf3cA==
339 |
340 | "@eslint-community/eslint-utils@^4.2.0":
341 | version "4.4.0"
342 | resolved "https://registry.yarnpkg.com/@eslint-community/eslint-utils/-/eslint-utils-4.4.0.tgz#a23514e8fb9af1269d5f7788aa556798d61c6b59"
343 | integrity sha512-1/sA4dwrzBAyeUoQ6oxahHKmrZvsnLCg4RfxW3ZFGGmQkSNQPFNLV9CUEFQP1x9EYXHTo5p6xdhZM1Ne9p/AfA==
344 | dependencies:
345 | eslint-visitor-keys "^3.3.0"
346 |
347 | "@eslint-community/regexpp@^4.4.0":
348 | version "4.5.1"
349 | resolved "https://registry.yarnpkg.com/@eslint-community/regexpp/-/regexpp-4.5.1.tgz#cdd35dce4fa1a89a4fd42b1599eb35b3af408884"
350 | integrity sha512-Z5ba73P98O1KUYCCJTUeVpja9RcGoMdncZ6T49FCUl2lN38JtCJ+3WgIDBv0AuY4WChU5PmtJmOCTlN6FZTFKQ==
351 |
352 | "@eslint/eslintrc@^2.0.3":
353 | version "2.0.3"
354 | resolved "https://registry.yarnpkg.com/@eslint/eslintrc/-/eslintrc-2.0.3.tgz#4910db5505f4d503f27774bf356e3704818a0331"
355 | integrity sha512-+5gy6OQfk+xx3q0d6jGZZC3f3KzAkXc/IanVxd1is/VIIziRqqt3ongQz0FiTUXqTk0c7aDB3OaFuKnuSoJicQ==
356 | dependencies:
357 | ajv "^6.12.4"
358 | debug "^4.3.2"
359 | espree "^9.5.2"
360 | globals "^13.19.0"
361 | ignore "^5.2.0"
362 | import-fresh "^3.2.1"
363 | js-yaml "^4.1.0"
364 | minimatch "^3.1.2"
365 | strip-json-comments "^3.1.1"
366 |
367 | "@eslint/js@8.40.0":
368 | version "8.40.0"
369 | resolved "https://registry.yarnpkg.com/@eslint/js/-/js-8.40.0.tgz#3ba73359e11f5a7bd3e407f70b3528abfae69cec"
370 | integrity sha512-ElyB54bJIhXQYVKjDSvCkPO1iU1tSAeVQJbllWJq1XQSmmA4dgFk8CbiBGpiOPxleE48vDogxCtmMYku4HSVLA==
371 |
372 | "@humanwhocodes/config-array@^0.11.8":
373 | version "0.11.10"
374 | resolved "https://registry.yarnpkg.com/@humanwhocodes/config-array/-/config-array-0.11.10.tgz#5a3ffe32cc9306365fb3fd572596cd602d5e12d2"
375 | integrity sha512-KVVjQmNUepDVGXNuoRRdmmEjruj0KfiGSbS8LVc12LMsWDQzRXJ0qdhN8L8uUigKpfEHRhlaQFY0ib1tnUbNeQ==
376 | dependencies:
377 | "@humanwhocodes/object-schema" "^1.2.1"
378 | debug "^4.1.1"
379 | minimatch "^3.0.5"
380 |
381 | "@humanwhocodes/module-importer@^1.0.1":
382 | version "1.0.1"
383 | resolved "https://registry.yarnpkg.com/@humanwhocodes/module-importer/-/module-importer-1.0.1.tgz#af5b2691a22b44be847b0ca81641c5fb6ad0172c"
384 | integrity sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==
385 |
386 | "@humanwhocodes/object-schema@^1.2.1":
387 | version "1.2.1"
388 | resolved "https://registry.yarnpkg.com/@humanwhocodes/object-schema/-/object-schema-1.2.1.tgz#b520529ec21d8e5945a1851dfd1c32e94e39ff45"
389 | integrity sha512-ZnQMnLV4e7hDlUvw8H+U8ASL02SS2Gn6+9Ac3wGGLIe7+je2AeAOxPY+izIPJDfFDb7eDjev0Us8MO1iFRN8hA==
390 |
391 | "@jridgewell/gen-mapping@^0.3.0", "@jridgewell/gen-mapping@^0.3.2":
392 | version "0.3.3"
393 | resolved "https://registry.yarnpkg.com/@jridgewell/gen-mapping/-/gen-mapping-0.3.3.tgz#7e02e6eb5df901aaedb08514203b096614024098"
394 | integrity sha512-HLhSWOLRi875zjjMG/r+Nv0oCW8umGb0BgEhyX3dDX3egwZtB8PqLnjz3yedt8R5StBrzcg4aBpnh8UA9D1BoQ==
395 | dependencies:
396 | "@jridgewell/set-array" "^1.0.1"
397 | "@jridgewell/sourcemap-codec" "^1.4.10"
398 | "@jridgewell/trace-mapping" "^0.3.9"
399 |
400 | "@jridgewell/resolve-uri@3.1.0":
401 | version "3.1.0"
402 | resolved "https://registry.yarnpkg.com/@jridgewell/resolve-uri/-/resolve-uri-3.1.0.tgz#2203b118c157721addfe69d47b70465463066d78"
403 | integrity sha512-F2msla3tad+Mfht5cJq7LSXcdudKTWCVYUgw6pLFOOHSTtZlj6SWNYAp+AhuqLmWdBO2X5hPrLcu8cVP8fy28w==
404 |
405 | "@jridgewell/set-array@^1.0.1":
406 | version "1.1.2"
407 | resolved "https://registry.yarnpkg.com/@jridgewell/set-array/-/set-array-1.1.2.tgz#7c6cf998d6d20b914c0a55a91ae928ff25965e72"
408 | integrity sha512-xnkseuNADM0gt2bs+BvhO0p78Mk762YnZdsuzFV018NoG1Sj1SCQvpSqa7XUaTam5vAGasABV9qXASMKnFMwMw==
409 |
410 | "@jridgewell/sourcemap-codec@1.4.14":
411 | version "1.4.14"
412 | resolved "https://registry.yarnpkg.com/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.14.tgz#add4c98d341472a289190b424efbdb096991bb24"
413 | integrity sha512-XPSJHWmi394fuUuzDnGz1wiKqWfo1yXecHQMRf2l6hztTO+nPru658AyDngaBe7isIxEkRsPR3FZh+s7iVa4Uw==
414 |
415 | "@jridgewell/sourcemap-codec@^1.4.10", "@jridgewell/sourcemap-codec@^1.4.13":
416 | version "1.4.15"
417 | resolved "https://registry.yarnpkg.com/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.4.15.tgz#d7c6e6755c78567a951e04ab52ef0fd26de59f32"
418 | integrity sha512-eF2rxCRulEKXHTRiDrDy6erMYWqNw4LPdQ8UQA4huuxaQsVeRPFl2oM8oDGxMFhJUWZf9McpLtJasDDZb/Bpeg==
419 |
420 | "@jridgewell/trace-mapping@^0.3.17", "@jridgewell/trace-mapping@^0.3.9":
421 | version "0.3.18"
422 | resolved "https://registry.yarnpkg.com/@jridgewell/trace-mapping/-/trace-mapping-0.3.18.tgz#25783b2086daf6ff1dcb53c9249ae480e4dd4cd6"
423 | integrity sha512-w+niJYzMHdd7USdiH2U6869nqhD2nbfZXND5Yp93qIbEmnDNk7PD48o+YchRVpzMU7M6jVCbenTR7PA1FLQ9pA==
424 | dependencies:
425 | "@jridgewell/resolve-uri" "3.1.0"
426 | "@jridgewell/sourcemap-codec" "1.4.14"
427 |
428 | "@noble/curves@1.0.0", "@noble/curves@~1.0.0":
429 | version "1.0.0"
430 | resolved "https://registry.yarnpkg.com/@noble/curves/-/curves-1.0.0.tgz#e40be8c7daf088aaf291887cbc73f43464a92932"
431 | integrity sha512-2upgEu0iLiDVDZkNLeFV2+ht0BAVgQnEmCk6JsOch9Rp8xfkMCbvbAZlA2pBHQc73dbl+vFOXfqkf4uemdn0bw==
432 | dependencies:
433 | "@noble/hashes" "1.3.0"
434 |
435 | "@noble/hashes@1.3.0":
436 | version "1.3.0"
437 | resolved "https://registry.yarnpkg.com/@noble/hashes/-/hashes-1.3.0.tgz#085fd70f6d7d9d109671090ccae1d3bec62554a1"
438 | integrity sha512-ilHEACi9DwqJB0pw7kv+Apvh50jiiSyR/cQ3y4W7lOR5mhvn/50FLUfsnfJz0BDZtl/RR16kXvptiv6q1msYZg==
439 |
440 | "@noble/hashes@~1.3.0":
441 | version "1.3.1"
442 | resolved "https://registry.yarnpkg.com/@noble/hashes/-/hashes-1.3.1.tgz#8831ef002114670c603c458ab8b11328406953a9"
443 | integrity sha512-EbqwksQwz9xDRGfDST86whPBgM65E0OH/pCgqW0GBVzO22bNE+NuIbeTb714+IfSjU3aRk47EUvXIb5bTsenKA==
444 |
445 | "@nodelib/fs.scandir@2.1.5":
446 | version "2.1.5"
447 | resolved "https://registry.yarnpkg.com/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz#7619c2eb21b25483f6d167548b4cfd5a7488c3d5"
448 | integrity sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==
449 | dependencies:
450 | "@nodelib/fs.stat" "2.0.5"
451 | run-parallel "^1.1.9"
452 |
453 | "@nodelib/fs.stat@2.0.5", "@nodelib/fs.stat@^2.0.2":
454 | version "2.0.5"
455 | resolved "https://registry.yarnpkg.com/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz#5bd262af94e9d25bd1e71b05deed44876a222e8b"
456 | integrity sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==
457 |
458 | "@nodelib/fs.walk@^1.2.3", "@nodelib/fs.walk@^1.2.8":
459 | version "1.2.8"
460 | resolved "https://registry.yarnpkg.com/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz#e95737e8bb6746ddedf69c556953494f196fe69a"
461 | integrity sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==
462 | dependencies:
463 | "@nodelib/fs.scandir" "2.1.5"
464 | fastq "^1.6.0"
465 |
466 | "@scure/base@1.1.1", "@scure/base@~1.1.0":
467 | version "1.1.1"
468 | resolved "https://registry.yarnpkg.com/@scure/base/-/base-1.1.1.tgz#ebb651ee52ff84f420097055f4bf46cfba403938"
469 | integrity sha512-ZxOhsSyxYwLJj3pLZCefNitxsj093tb2vq90mp2txoYeBqbcjDjqFhyM8eUjq/uFm6zJ+mUuqxlS2FkuSY1MTA==
470 |
471 | "@scure/bip32@1.3.0":
472 | version "1.3.0"
473 | resolved "https://registry.yarnpkg.com/@scure/bip32/-/bip32-1.3.0.tgz#6c8d980ef3f290987736acd0ee2e0f0d50068d87"
474 | integrity sha512-bcKpo1oj54hGholplGLpqPHRbIsnbixFtc06nwuNM5/dwSXOq/AAYoIBRsBmnZJSdfeNW5rnff7NTAz3ZCqR9Q==
475 | dependencies:
476 | "@noble/curves" "~1.0.0"
477 | "@noble/hashes" "~1.3.0"
478 | "@scure/base" "~1.1.0"
479 |
480 | "@scure/bip39@1.2.0":
481 | version "1.2.0"
482 | resolved "https://registry.yarnpkg.com/@scure/bip39/-/bip39-1.2.0.tgz#a207e2ef96de354de7d0002292ba1503538fc77b"
483 | integrity sha512-SX/uKq52cuxm4YFXWFaVByaSHJh2w3BnokVSeUJVCv6K7WulT9u2BuNRBhuFl8vAuYnzx9bEu9WgpcNYTrYieg==
484 | dependencies:
485 | "@noble/hashes" "~1.3.0"
486 | "@scure/base" "~1.1.0"
487 |
488 | "@types/json-schema@^7.0.9":
489 | version "7.0.12"
490 | resolved "https://registry.yarnpkg.com/@types/json-schema/-/json-schema-7.0.12.tgz#d70faba7039d5fca54c83c7dbab41051d2b6f6cb"
491 | integrity sha512-Hr5Jfhc9eYOQNPYO5WLDq/n4jqijdHNlDXjuAQkkt+mWdQR+XJToOHrsD4cPaMXpn6KO7y2+wM8AZEs8VpBLVA==
492 |
493 | "@types/json5@^0.0.29":
494 | version "0.0.29"
495 | resolved "https://registry.yarnpkg.com/@types/json5/-/json5-0.0.29.tgz#ee28707ae94e11d2b827bcbe5270bcea7f3e71ee"
496 | integrity sha512-dRLjCWHYg4oaA77cxO64oO+7JwCwnIzkZPdrrC71jQmQtlhM556pwKo5bUzqvZndkVbeFLIIi+9TC40JNF5hNQ==
497 |
498 | "@types/node@^20.1.4":
499 | version "20.2.5"
500 | resolved "https://registry.yarnpkg.com/@types/node/-/node-20.2.5.tgz#26d295f3570323b2837d322180dfbf1ba156fefb"
501 | integrity sha512-JJulVEQXmiY9Px5axXHeYGLSjhkZEnD+MDPDGbCbIAbMslkKwmygtZFy1X6s/075Yo94sf8GuSlFfPzysQrWZQ==
502 |
503 | "@types/prop-types@*":
504 | version "15.7.5"
505 | resolved "https://registry.yarnpkg.com/@types/prop-types/-/prop-types-15.7.5.tgz#5f19d2b85a98e9558036f6a3cacc8819420f05cf"
506 | integrity sha512-JCB8C6SnDoQf0cNycqd/35A7MjcnK+ZTqE7judS6o7utxUCg6imJg3QK2qzHKszlTjcj2cn+NwMB2i96ubpj7w==
507 |
508 | "@types/react-dom@^18.0.9":
509 | version "18.2.4"
510 | resolved "https://registry.yarnpkg.com/@types/react-dom/-/react-dom-18.2.4.tgz#13f25bfbf4e404d26f62ac6e406591451acba9e0"
511 | integrity sha512-G2mHoTMTL4yoydITgOGwWdWMVd8sNgyEP85xVmMKAPUBwQWm9wBPQUmvbeF4V3WBY1P7mmL4BkjQ0SqUpf1snw==
512 | dependencies:
513 | "@types/react" "*"
514 |
515 | "@types/react@*", "@types/react@^18.0.26":
516 | version "18.2.9"
517 | resolved "https://registry.yarnpkg.com/@types/react/-/react-18.2.9.tgz#9207f8571afdc59a9c9c30df50e8ad2591ecefaf"
518 | integrity sha512-pL3JAesUkF7PEQGxh5XOwdXGV907te6m1/Qe1ERJLgomojS6Ne790QiA7GUl434JEkFA2aAaB6qJ5z4e1zJn/w==
519 | dependencies:
520 | "@types/prop-types" "*"
521 | "@types/scheduler" "*"
522 | csstype "^3.0.2"
523 |
524 | "@types/scheduler@*":
525 | version "0.16.3"
526 | resolved "https://registry.yarnpkg.com/@types/scheduler/-/scheduler-0.16.3.tgz#cef09e3ec9af1d63d2a6cc5b383a737e24e6dcf5"
527 | integrity sha512-5cJ8CB4yAx7BH1oMvdU0Jh9lrEXyPkar6F9G/ERswkCuvP4KQZfZkSjcMbAICCpQTN4OuZn8tz0HiKv9TGZgrQ==
528 |
529 | "@types/semver@^7.3.12":
530 | version "7.5.0"
531 | resolved "https://registry.yarnpkg.com/@types/semver/-/semver-7.5.0.tgz#591c1ce3a702c45ee15f47a42ade72c2fd78978a"
532 | integrity sha512-G8hZ6XJiHnuhQKR7ZmysCeJWE08o8T0AXtk5darsCaTVsYZhhgUrq53jizaR2FvsoeCwJhlmwTjkXBY5Pn/ZHw==
533 |
534 | "@typescript-eslint/eslint-plugin@^5.48.0":
535 | version "5.59.9"
536 | resolved "https://registry.yarnpkg.com/@typescript-eslint/eslint-plugin/-/eslint-plugin-5.59.9.tgz#2604cfaf2b306e120044f901e20c8ed926debf15"
537 | integrity sha512-4uQIBq1ffXd2YvF7MAvehWKW3zVv/w+mSfRAu+8cKbfj3nwzyqJLNcZJpQ/WZ1HLbJDiowwmQ6NO+63nCA+fqA==
538 | dependencies:
539 | "@eslint-community/regexpp" "^4.4.0"
540 | "@typescript-eslint/scope-manager" "5.59.9"
541 | "@typescript-eslint/type-utils" "5.59.9"
542 | "@typescript-eslint/utils" "5.59.9"
543 | debug "^4.3.4"
544 | grapheme-splitter "^1.0.4"
545 | ignore "^5.2.0"
546 | natural-compare-lite "^1.4.0"
547 | semver "^7.3.7"
548 | tsutils "^3.21.0"
549 |
550 | "@typescript-eslint/parser@^5.0.0", "@typescript-eslint/parser@^5.59.5":
551 | version "5.59.9"
552 | resolved "https://registry.yarnpkg.com/@typescript-eslint/parser/-/parser-5.59.9.tgz#a85c47ccdd7e285697463da15200f9a8561dd5fa"
553 | integrity sha512-FsPkRvBtcLQ/eVK1ivDiNYBjn3TGJdXy2fhXX+rc7czWl4ARwnpArwbihSOHI2Peg9WbtGHrbThfBUkZZGTtvQ==
554 | dependencies:
555 | "@typescript-eslint/scope-manager" "5.59.9"
556 | "@typescript-eslint/types" "5.59.9"
557 | "@typescript-eslint/typescript-estree" "5.59.9"
558 | debug "^4.3.4"
559 |
560 | "@typescript-eslint/scope-manager@5.59.9":
561 | version "5.59.9"
562 | resolved "https://registry.yarnpkg.com/@typescript-eslint/scope-manager/-/scope-manager-5.59.9.tgz#eadce1f2733389cdb58c49770192c0f95470d2f4"
563 | integrity sha512-8RA+E+w78z1+2dzvK/tGZ2cpGigBZ58VMEHDZtpE1v+LLjzrYGc8mMaTONSxKyEkz3IuXFM0IqYiGHlCsmlZxQ==
564 | dependencies:
565 | "@typescript-eslint/types" "5.59.9"
566 | "@typescript-eslint/visitor-keys" "5.59.9"
567 |
568 | "@typescript-eslint/type-utils@5.59.9":
569 | version "5.59.9"
570 | resolved "https://registry.yarnpkg.com/@typescript-eslint/type-utils/-/type-utils-5.59.9.tgz#53bfaae2e901e6ac637ab0536d1754dfef4dafc2"
571 | integrity sha512-ksEsT0/mEHg9e3qZu98AlSrONAQtrSTljL3ow9CGej8eRo7pe+yaC/mvTjptp23Xo/xIf2mLZKC6KPv4Sji26Q==
572 | dependencies:
573 | "@typescript-eslint/typescript-estree" "5.59.9"
574 | "@typescript-eslint/utils" "5.59.9"
575 | debug "^4.3.4"
576 | tsutils "^3.21.0"
577 |
578 | "@typescript-eslint/types@5.59.9":
579 | version "5.59.9"
580 | resolved "https://registry.yarnpkg.com/@typescript-eslint/types/-/types-5.59.9.tgz#3b4e7ae63718ce1b966e0ae620adc4099a6dcc52"
581 | integrity sha512-uW8H5NRgTVneSVTfiCVffBb8AbwWSKg7qcA4Ot3JI3MPCJGsB4Db4BhvAODIIYE5mNj7Q+VJkK7JxmRhk2Lyjw==
582 |
583 | "@typescript-eslint/typescript-estree@5.59.9":
584 | version "5.59.9"
585 | resolved "https://registry.yarnpkg.com/@typescript-eslint/typescript-estree/-/typescript-estree-5.59.9.tgz#6bfea844e468427b5e72034d33c9fffc9557392b"
586 | integrity sha512-pmM0/VQ7kUhd1QyIxgS+aRvMgw+ZljB3eDb+jYyp6d2bC0mQWLzUDF+DLwCTkQ3tlNyVsvZRXjFyV0LkU/aXjA==
587 | dependencies:
588 | "@typescript-eslint/types" "5.59.9"
589 | "@typescript-eslint/visitor-keys" "5.59.9"
590 | debug "^4.3.4"
591 | globby "^11.1.0"
592 | is-glob "^4.0.3"
593 | semver "^7.3.7"
594 | tsutils "^3.21.0"
595 |
596 | "@typescript-eslint/utils@5.59.9":
597 | version "5.59.9"
598 | resolved "https://registry.yarnpkg.com/@typescript-eslint/utils/-/utils-5.59.9.tgz#adee890107b5ffe02cd46fdaa6c2125fb3c6c7c4"
599 | integrity sha512-1PuMYsju/38I5Ggblaeb98TOoUvjhRvLpLa1DoTOFaLWqaXl/1iQ1eGurTXgBY58NUdtfTXKP5xBq7q9NDaLKg==
600 | dependencies:
601 | "@eslint-community/eslint-utils" "^4.2.0"
602 | "@types/json-schema" "^7.0.9"
603 | "@types/semver" "^7.3.12"
604 | "@typescript-eslint/scope-manager" "5.59.9"
605 | "@typescript-eslint/types" "5.59.9"
606 | "@typescript-eslint/typescript-estree" "5.59.9"
607 | eslint-scope "^5.1.1"
608 | semver "^7.3.7"
609 |
610 | "@typescript-eslint/visitor-keys@5.59.9":
611 | version "5.59.9"
612 | resolved "https://registry.yarnpkg.com/@typescript-eslint/visitor-keys/-/visitor-keys-5.59.9.tgz#9f86ef8e95aca30fb5a705bb7430f95fc58b146d"
613 | integrity sha512-bT7s0td97KMaLwpEBckbzj/YohnvXtqbe2XgqNvTl6RJVakY5mvENOTPvw5u66nljfZxthESpDozs86U+oLY8Q==
614 | dependencies:
615 | "@typescript-eslint/types" "5.59.9"
616 | eslint-visitor-keys "^3.3.0"
617 |
618 | "@vitejs/plugin-react@^3.0.0":
619 | version "3.1.0"
620 | resolved "https://registry.yarnpkg.com/@vitejs/plugin-react/-/plugin-react-3.1.0.tgz#d1091f535eab8b83d6e74034d01e27d73c773240"
621 | integrity sha512-AfgcRL8ZBhAlc3BFdigClmTUMISmmzHn7sB2h9U1odvc5U/MjWXsAaz18b/WoppUTDBzxOJwo2VdClfUcItu9g==
622 | dependencies:
623 | "@babel/core" "^7.20.12"
624 | "@babel/plugin-transform-react-jsx-self" "^7.18.6"
625 | "@babel/plugin-transform-react-jsx-source" "^7.19.6"
626 | magic-string "^0.27.0"
627 | react-refresh "^0.14.0"
628 |
629 | acorn-jsx@^5.3.2:
630 | version "5.3.2"
631 | resolved "https://registry.yarnpkg.com/acorn-jsx/-/acorn-jsx-5.3.2.tgz#7ed5bb55908b3b2f1bc55c6af1653bada7f07937"
632 | integrity sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==
633 |
634 | acorn@^8.8.0:
635 | version "8.8.2"
636 | resolved "https://registry.yarnpkg.com/acorn/-/acorn-8.8.2.tgz#1b2f25db02af965399b9776b0c2c391276d37c4a"
637 | integrity sha512-xjIYgE8HBrkpd/sJqOGNspf8uHG+NOHGOw6a/Urj8taM2EXfdNAH2oFcPeIFfsv3+kz/mJrS5VuMqbNLjCa2vw==
638 |
639 | ajv@^6.10.0, ajv@^6.12.4:
640 | version "6.12.6"
641 | resolved "https://registry.yarnpkg.com/ajv/-/ajv-6.12.6.tgz#baf5a62e802b07d977034586f8c3baf5adf26df4"
642 | integrity sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==
643 | dependencies:
644 | fast-deep-equal "^3.1.1"
645 | fast-json-stable-stringify "^2.0.0"
646 | json-schema-traverse "^0.4.1"
647 | uri-js "^4.2.2"
648 |
649 | ansi-regex@^5.0.1:
650 | version "5.0.1"
651 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-5.0.1.tgz#082cb2c89c9fe8659a311a53bd6a4dc5301db304"
652 | integrity sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==
653 |
654 | ansi-styles@^3.2.1:
655 | version "3.2.1"
656 | resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-3.2.1.tgz#41fbb20243e50b12be0f04b8dedbf07520ce841d"
657 | integrity sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==
658 | dependencies:
659 | color-convert "^1.9.0"
660 |
661 | ansi-styles@^4.1.0:
662 | version "4.3.0"
663 | resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-4.3.0.tgz#edd803628ae71c04c85ae7a0906edad34b648937"
664 | integrity sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==
665 | dependencies:
666 | color-convert "^2.0.1"
667 |
668 | argparse@^2.0.1:
669 | version "2.0.1"
670 | resolved "https://registry.yarnpkg.com/argparse/-/argparse-2.0.1.tgz#246f50f3ca78a3240f6c997e8a9bd1eac49e4b38"
671 | integrity sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==
672 |
673 | aria-query@^5.1.3:
674 | version "5.1.3"
675 | resolved "https://registry.yarnpkg.com/aria-query/-/aria-query-5.1.3.tgz#19db27cd101152773631396f7a95a3b58c22c35e"
676 | integrity sha512-R5iJ5lkuHybztUfuOAznmboyjWq8O6sqNqtK7CLOqdydi54VNbORp49mb14KbWgG1QD3JFO9hJdZ+y4KutfdOQ==
677 | dependencies:
678 | deep-equal "^2.0.5"
679 |
680 | array-buffer-byte-length@^1.0.0:
681 | version "1.0.0"
682 | resolved "https://registry.yarnpkg.com/array-buffer-byte-length/-/array-buffer-byte-length-1.0.0.tgz#fabe8bc193fea865f317fe7807085ee0dee5aead"
683 | integrity sha512-LPuwb2P+NrQw3XhxGc36+XSvuBPopovXYTR9Ew++Du9Yb/bx5AzBfrIsBoj0EZUifjQU+sHL21sseZ3jerWO/A==
684 | dependencies:
685 | call-bind "^1.0.2"
686 | is-array-buffer "^3.0.1"
687 |
688 | array-includes@^3.1.5, array-includes@^3.1.6:
689 | version "3.1.6"
690 | resolved "https://registry.yarnpkg.com/array-includes/-/array-includes-3.1.6.tgz#9e9e720e194f198266ba9e18c29e6a9b0e4b225f"
691 | integrity sha512-sgTbLvL6cNnw24FnbaDyjmvddQ2ML8arZsgaJhoABMoplz/4QRhtrYS+alr1BUM1Bwp6dhx8vVCBSLG+StwOFw==
692 | dependencies:
693 | call-bind "^1.0.2"
694 | define-properties "^1.1.4"
695 | es-abstract "^1.20.4"
696 | get-intrinsic "^1.1.3"
697 | is-string "^1.0.7"
698 |
699 | array-union@^2.1.0:
700 | version "2.1.0"
701 | resolved "https://registry.yarnpkg.com/array-union/-/array-union-2.1.0.tgz#b798420adbeb1de828d84acd8a2e23d3efe85e8d"
702 | integrity sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw==
703 |
704 | array.prototype.flat@^1.3.1:
705 | version "1.3.1"
706 | resolved "https://registry.yarnpkg.com/array.prototype.flat/-/array.prototype.flat-1.3.1.tgz#ffc6576a7ca3efc2f46a143b9d1dda9b4b3cf5e2"
707 | integrity sha512-roTU0KWIOmJ4DRLmwKd19Otg0/mT3qPNt0Qb3GWW8iObuZXxrjB/pzn0R3hqpRSWg4HCwqx+0vwOnWnvlOyeIA==
708 | dependencies:
709 | call-bind "^1.0.2"
710 | define-properties "^1.1.4"
711 | es-abstract "^1.20.4"
712 | es-shim-unscopables "^1.0.0"
713 |
714 | array.prototype.flatmap@^1.3.1:
715 | version "1.3.1"
716 | resolved "https://registry.yarnpkg.com/array.prototype.flatmap/-/array.prototype.flatmap-1.3.1.tgz#1aae7903c2100433cb8261cd4ed310aab5c4a183"
717 | integrity sha512-8UGn9O1FDVvMNB0UlLv4voxRMze7+FpHyF5mSMRjWHUMlpoDViniy05870VlxhfgTnLbpuwTzvD76MTtWxB/mQ==
718 | dependencies:
719 | call-bind "^1.0.2"
720 | define-properties "^1.1.4"
721 | es-abstract "^1.20.4"
722 | es-shim-unscopables "^1.0.0"
723 |
724 | array.prototype.tosorted@^1.1.1:
725 | version "1.1.1"
726 | resolved "https://registry.yarnpkg.com/array.prototype.tosorted/-/array.prototype.tosorted-1.1.1.tgz#ccf44738aa2b5ac56578ffda97c03fd3e23dd532"
727 | integrity sha512-pZYPXPRl2PqWcsUs6LOMn+1f1532nEoPTYowBtqLwAW+W8vSVhkIGnmOX1t/UQjD6YGI0vcD2B1U7ZFGQH9jnQ==
728 | dependencies:
729 | call-bind "^1.0.2"
730 | define-properties "^1.1.4"
731 | es-abstract "^1.20.4"
732 | es-shim-unscopables "^1.0.0"
733 | get-intrinsic "^1.1.3"
734 |
735 | ast-types-flow@^0.0.7:
736 | version "0.0.7"
737 | resolved "https://registry.yarnpkg.com/ast-types-flow/-/ast-types-flow-0.0.7.tgz#f70b735c6bca1a5c9c22d982c3e39e7feba3bdad"
738 | integrity sha512-eBvWn1lvIApYMhzQMsu9ciLfkBY499mFZlNqG+/9WR7PVlroQw0vG30cOQQbaKz3sCEc44TAOu2ykzqXSNnwag==
739 |
740 | available-typed-arrays@^1.0.5:
741 | version "1.0.5"
742 | resolved "https://registry.yarnpkg.com/available-typed-arrays/-/available-typed-arrays-1.0.5.tgz#92f95616501069d07d10edb2fc37d3e1c65123b7"
743 | integrity sha512-DMD0KiN46eipeziST1LPP/STfDU0sufISXmjSgvVsoU2tqxctQeASejWcfNtxYKqETM1UxQ8sp2OrSBWpHY6sw==
744 |
745 | axe-core@^4.6.2:
746 | version "4.7.2"
747 | resolved "https://registry.yarnpkg.com/axe-core/-/axe-core-4.7.2.tgz#040a7342b20765cb18bb50b628394c21bccc17a0"
748 | integrity sha512-zIURGIS1E1Q4pcrMjp+nnEh+16G56eG/MUllJH8yEvw7asDo7Ac9uhC9KIH5jzpITueEZolfYglnCGIuSBz39g==
749 |
750 | axobject-query@^3.1.1:
751 | version "3.1.1"
752 | resolved "https://registry.yarnpkg.com/axobject-query/-/axobject-query-3.1.1.tgz#3b6e5c6d4e43ca7ba51c5babf99d22a9c68485e1"
753 | integrity sha512-goKlv8DZrK9hUh975fnHzhNIO4jUnFCfv/dszV5VwUGDFjI6vQ2VwoyjYjYNEbBE8AH87TduWP5uyDR1D+Iteg==
754 | dependencies:
755 | deep-equal "^2.0.5"
756 |
757 | balanced-match@^1.0.0:
758 | version "1.0.2"
759 | resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-1.0.2.tgz#e83e3a7e3f300b34cb9d87f615fa0cbf357690ee"
760 | integrity sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==
761 |
762 | brace-expansion@^1.1.7:
763 | version "1.1.11"
764 | resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.11.tgz#3c7fcbf529d87226f3d2f52b966ff5271eb441dd"
765 | integrity sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==
766 | dependencies:
767 | balanced-match "^1.0.0"
768 | concat-map "0.0.1"
769 |
770 | braces@^3.0.2:
771 | version "3.0.2"
772 | resolved "https://registry.yarnpkg.com/braces/-/braces-3.0.2.tgz#3454e1a462ee8d599e236df336cd9ea4f8afe107"
773 | integrity sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==
774 | dependencies:
775 | fill-range "^7.0.1"
776 |
777 | browserslist@^4.21.3:
778 | version "4.21.7"
779 | resolved "https://registry.yarnpkg.com/browserslist/-/browserslist-4.21.7.tgz#e2b420947e5fb0a58e8f4668ae6e23488127e551"
780 | integrity sha512-BauCXrQ7I2ftSqd2mvKHGo85XR0u7Ru3C/Hxsy/0TkfCtjrmAbPdzLGasmoiBxplpDXlPvdjX9u7srIMfgasNA==
781 | dependencies:
782 | caniuse-lite "^1.0.30001489"
783 | electron-to-chromium "^1.4.411"
784 | node-releases "^2.0.12"
785 | update-browserslist-db "^1.0.11"
786 |
787 | builtins@^5.0.1:
788 | version "5.0.1"
789 | resolved "https://registry.yarnpkg.com/builtins/-/builtins-5.0.1.tgz#87f6db9ab0458be728564fa81d876d8d74552fa9"
790 | integrity sha512-qwVpFEHNfhYJIzNRBvd2C1kyo6jz3ZSMPyyuR47OPdiKWlbYnZNyDWuyR175qDnAJLiCo5fBBqPb3RiXgWlkOQ==
791 | dependencies:
792 | semver "^7.0.0"
793 |
794 | call-bind@^1.0.0, call-bind@^1.0.2:
795 | version "1.0.2"
796 | resolved "https://registry.yarnpkg.com/call-bind/-/call-bind-1.0.2.tgz#b1d4e89e688119c3c9a903ad30abb2f6a919be3c"
797 | integrity sha512-7O+FbCihrB5WGbFYesctwmTKae6rOiIzmz1icreWJ+0aA7LJfuqhEso2T9ncpcFtzMQtzXf2QGGueWJGTYsqrA==
798 | dependencies:
799 | function-bind "^1.1.1"
800 | get-intrinsic "^1.0.2"
801 |
802 | callsites@^3.0.0:
803 | version "3.1.0"
804 | resolved "https://registry.yarnpkg.com/callsites/-/callsites-3.1.0.tgz#b3630abd8943432f54b3f0519238e33cd7df2f73"
805 | integrity sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==
806 |
807 | caniuse-lite@^1.0.30001489:
808 | version "1.0.30001497"
809 | resolved "https://registry.yarnpkg.com/caniuse-lite/-/caniuse-lite-1.0.30001497.tgz#0e5387b98e7dbf9c4f743fb16e92cbf0ca780714"
810 | integrity sha512-I4/duVK4wL6rAK/aKZl3HXB4g+lIZvaT4VLAn2rCgJ38jVLb0lv2Xug6QuqmxXFVRJMF74SPPWPJ/1Sdm3vCzw==
811 |
812 | chalk@^2.0.0:
813 | version "2.4.2"
814 | resolved "https://registry.yarnpkg.com/chalk/-/chalk-2.4.2.tgz#cd42541677a54333cf541a49108c1432b44c9424"
815 | integrity sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==
816 | dependencies:
817 | ansi-styles "^3.2.1"
818 | escape-string-regexp "^1.0.5"
819 | supports-color "^5.3.0"
820 |
821 | chalk@^4.0.0:
822 | version "4.1.2"
823 | resolved "https://registry.yarnpkg.com/chalk/-/chalk-4.1.2.tgz#aac4e2b7734a740867aeb16bf02aad556a1e7a01"
824 | integrity sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==
825 | dependencies:
826 | ansi-styles "^4.1.0"
827 | supports-color "^7.1.0"
828 |
829 | color-convert@^1.9.0:
830 | version "1.9.3"
831 | resolved "https://registry.yarnpkg.com/color-convert/-/color-convert-1.9.3.tgz#bb71850690e1f136567de629d2d5471deda4c1e8"
832 | integrity sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==
833 | dependencies:
834 | color-name "1.1.3"
835 |
836 | color-convert@^2.0.1:
837 | version "2.0.1"
838 | resolved "https://registry.yarnpkg.com/color-convert/-/color-convert-2.0.1.tgz#72d3a68d598c9bdb3af2ad1e84f21d896abd4de3"
839 | integrity sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==
840 | dependencies:
841 | color-name "~1.1.4"
842 |
843 | color-name@1.1.3:
844 | version "1.1.3"
845 | resolved "https://registry.yarnpkg.com/color-name/-/color-name-1.1.3.tgz#a7d0558bd89c42f795dd42328f740831ca53bc25"
846 | integrity sha512-72fSenhMw2HZMTVHeCA9KCmpEIbzWiQsjN+BHcBbS9vr1mtt+vJjPdksIBNUmKAW8TFUDPJK5SUU3QhE9NEXDw==
847 |
848 | color-name@~1.1.4:
849 | version "1.1.4"
850 | resolved "https://registry.yarnpkg.com/color-name/-/color-name-1.1.4.tgz#c2a09a87acbde69543de6f63fa3995c826c536a2"
851 | integrity sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==
852 |
853 | concat-map@0.0.1:
854 | version "0.0.1"
855 | resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b"
856 | integrity sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==
857 |
858 | convert-source-map@^1.7.0:
859 | version "1.9.0"
860 | resolved "https://registry.yarnpkg.com/convert-source-map/-/convert-source-map-1.9.0.tgz#7faae62353fb4213366d0ca98358d22e8368b05f"
861 | integrity sha512-ASFBup0Mz1uyiIjANan1jzLQami9z1PoYSZCiiYW2FczPbenXc45FZdBZLzOT+r6+iciuEModtmCti+hjaAk0A==
862 |
863 | cross-spawn@^7.0.2:
864 | version "7.0.3"
865 | resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-7.0.3.tgz#f73a85b9d5d41d045551c177e2882d4ac85728a6"
866 | integrity sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==
867 | dependencies:
868 | path-key "^3.1.0"
869 | shebang-command "^2.0.0"
870 | which "^2.0.1"
871 |
872 | csstype@^3.0.2:
873 | version "3.1.2"
874 | resolved "https://registry.yarnpkg.com/csstype/-/csstype-3.1.2.tgz#1d4bf9d572f11c14031f0436e1c10bc1f571f50b"
875 | integrity sha512-I7K1Uu0MBPzaFKg4nI5Q7Vs2t+3gWWW648spaF+Rg7pI9ds18Ugn+lvg4SHczUdKlHI5LWBXyqfS8+DufyBsgQ==
876 |
877 | damerau-levenshtein@^1.0.8:
878 | version "1.0.8"
879 | resolved "https://registry.yarnpkg.com/damerau-levenshtein/-/damerau-levenshtein-1.0.8.tgz#b43d286ccbd36bc5b2f7ed41caf2d0aba1f8a6e7"
880 | integrity sha512-sdQSFB7+llfUcQHUQO3+B8ERRj0Oa4w9POWMI/puGtuf7gFywGmkaLCElnudfTiKZV+NvHqL0ifzdrI8Ro7ESA==
881 |
882 | debug@^3.2.7:
883 | version "3.2.7"
884 | resolved "https://registry.yarnpkg.com/debug/-/debug-3.2.7.tgz#72580b7e9145fb39b6676f9c5e5fb100b934179a"
885 | integrity sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ==
886 | dependencies:
887 | ms "^2.1.1"
888 |
889 | debug@^4.1.0, debug@^4.1.1, debug@^4.3.2, debug@^4.3.4:
890 | version "4.3.4"
891 | resolved "https://registry.yarnpkg.com/debug/-/debug-4.3.4.tgz#1319f6579357f2338d3337d2cdd4914bb5dcc865"
892 | integrity sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==
893 | dependencies:
894 | ms "2.1.2"
895 |
896 | deep-equal@^2.0.5:
897 | version "2.2.1"
898 | resolved "https://registry.yarnpkg.com/deep-equal/-/deep-equal-2.2.1.tgz#c72ab22f3a7d3503a4ca87dde976fe9978816739"
899 | integrity sha512-lKdkdV6EOGoVn65XaOsPdH4rMxTZOnmFyuIkMjM1i5HHCbfjC97dawgTAy0deYNfuqUqW+Q5VrVaQYtUpSd6yQ==
900 | dependencies:
901 | array-buffer-byte-length "^1.0.0"
902 | call-bind "^1.0.2"
903 | es-get-iterator "^1.1.3"
904 | get-intrinsic "^1.2.0"
905 | is-arguments "^1.1.1"
906 | is-array-buffer "^3.0.2"
907 | is-date-object "^1.0.5"
908 | is-regex "^1.1.4"
909 | is-shared-array-buffer "^1.0.2"
910 | isarray "^2.0.5"
911 | object-is "^1.1.5"
912 | object-keys "^1.1.1"
913 | object.assign "^4.1.4"
914 | regexp.prototype.flags "^1.5.0"
915 | side-channel "^1.0.4"
916 | which-boxed-primitive "^1.0.2"
917 | which-collection "^1.0.1"
918 | which-typed-array "^1.1.9"
919 |
920 | deep-is@^0.1.3:
921 | version "0.1.4"
922 | resolved "https://registry.yarnpkg.com/deep-is/-/deep-is-0.1.4.tgz#a6f2dce612fadd2ef1f519b73551f17e85199831"
923 | integrity sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==
924 |
925 | define-properties@^1.1.3, define-properties@^1.1.4, define-properties@^1.2.0:
926 | version "1.2.0"
927 | resolved "https://registry.yarnpkg.com/define-properties/-/define-properties-1.2.0.tgz#52988570670c9eacedd8064f4a990f2405849bd5"
928 | integrity sha512-xvqAVKGfT1+UAvPwKTVw/njhdQ8ZhXK4lI0bCIuCMrp2up9nPnaDftrLtmpTazqd1o+UY4zgzU+avtMbDP+ldA==
929 | dependencies:
930 | has-property-descriptors "^1.0.0"
931 | object-keys "^1.1.1"
932 |
933 | dir-glob@^3.0.1:
934 | version "3.0.1"
935 | resolved "https://registry.yarnpkg.com/dir-glob/-/dir-glob-3.0.1.tgz#56dbf73d992a4a93ba1584f4534063fd2e41717f"
936 | integrity sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA==
937 | dependencies:
938 | path-type "^4.0.0"
939 |
940 | doctrine@^2.1.0:
941 | version "2.1.0"
942 | resolved "https://registry.yarnpkg.com/doctrine/-/doctrine-2.1.0.tgz#5cd01fc101621b42c4cd7f5d1a66243716d3f39d"
943 | integrity sha512-35mSku4ZXK0vfCuHEDAwt55dg2jNajHZ1odvF+8SSr82EsZY4QmXfuWso8oEd8zRhVObSN18aM0CjSdoBX7zIw==
944 | dependencies:
945 | esutils "^2.0.2"
946 |
947 | doctrine@^3.0.0:
948 | version "3.0.0"
949 | resolved "https://registry.yarnpkg.com/doctrine/-/doctrine-3.0.0.tgz#addebead72a6574db783639dc87a121773973961"
950 | integrity sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==
951 | dependencies:
952 | esutils "^2.0.2"
953 |
954 | electron-to-chromium@^1.4.411:
955 | version "1.4.425"
956 | resolved "https://registry.yarnpkg.com/electron-to-chromium/-/electron-to-chromium-1.4.425.tgz#399df13091b836d28283a545c25c8e4d9da86da8"
957 | integrity sha512-wv1NufHxu11zfDbY4fglYQApMswleE9FL/DSeyOyauVXDZ+Kco96JK/tPfBUaDqfRarYp2WH2hJ/5UnVywp9Jg==
958 |
959 | emoji-regex@^9.2.2:
960 | version "9.2.2"
961 | resolved "https://registry.yarnpkg.com/emoji-regex/-/emoji-regex-9.2.2.tgz#840c8803b0d8047f4ff0cf963176b32d4ef3ed72"
962 | integrity sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==
963 |
964 | es-abstract@^1.19.0, es-abstract@^1.20.4:
965 | version "1.21.2"
966 | resolved "https://registry.yarnpkg.com/es-abstract/-/es-abstract-1.21.2.tgz#a56b9695322c8a185dc25975aa3b8ec31d0e7eff"
967 | integrity sha512-y/B5POM2iBnIxCiernH1G7rC9qQoM77lLIMQLuob0zhp8C56Po81+2Nj0WFKnd0pNReDTnkYryc+zhOzpEIROg==
968 | dependencies:
969 | array-buffer-byte-length "^1.0.0"
970 | available-typed-arrays "^1.0.5"
971 | call-bind "^1.0.2"
972 | es-set-tostringtag "^2.0.1"
973 | es-to-primitive "^1.2.1"
974 | function.prototype.name "^1.1.5"
975 | get-intrinsic "^1.2.0"
976 | get-symbol-description "^1.0.0"
977 | globalthis "^1.0.3"
978 | gopd "^1.0.1"
979 | has "^1.0.3"
980 | has-property-descriptors "^1.0.0"
981 | has-proto "^1.0.1"
982 | has-symbols "^1.0.3"
983 | internal-slot "^1.0.5"
984 | is-array-buffer "^3.0.2"
985 | is-callable "^1.2.7"
986 | is-negative-zero "^2.0.2"
987 | is-regex "^1.1.4"
988 | is-shared-array-buffer "^1.0.2"
989 | is-string "^1.0.7"
990 | is-typed-array "^1.1.10"
991 | is-weakref "^1.0.2"
992 | object-inspect "^1.12.3"
993 | object-keys "^1.1.1"
994 | object.assign "^4.1.4"
995 | regexp.prototype.flags "^1.4.3"
996 | safe-regex-test "^1.0.0"
997 | string.prototype.trim "^1.2.7"
998 | string.prototype.trimend "^1.0.6"
999 | string.prototype.trimstart "^1.0.6"
1000 | typed-array-length "^1.0.4"
1001 | unbox-primitive "^1.0.2"
1002 | which-typed-array "^1.1.9"
1003 |
1004 | es-get-iterator@^1.1.3:
1005 | version "1.1.3"
1006 | resolved "https://registry.yarnpkg.com/es-get-iterator/-/es-get-iterator-1.1.3.tgz#3ef87523c5d464d41084b2c3c9c214f1199763d6"
1007 | integrity sha512-sPZmqHBe6JIiTfN5q2pEi//TwxmAFHwj/XEuYjTuse78i8KxaqMTTzxPoFKuzRpDpTJ+0NAbpfenkmH2rePtuw==
1008 | dependencies:
1009 | call-bind "^1.0.2"
1010 | get-intrinsic "^1.1.3"
1011 | has-symbols "^1.0.3"
1012 | is-arguments "^1.1.1"
1013 | is-map "^2.0.2"
1014 | is-set "^2.0.2"
1015 | is-string "^1.0.7"
1016 | isarray "^2.0.5"
1017 | stop-iteration-iterator "^1.0.0"
1018 |
1019 | es-set-tostringtag@^2.0.1:
1020 | version "2.0.1"
1021 | resolved "https://registry.yarnpkg.com/es-set-tostringtag/-/es-set-tostringtag-2.0.1.tgz#338d502f6f674301d710b80c8592de8a15f09cd8"
1022 | integrity sha512-g3OMbtlwY3QewlqAiMLI47KywjWZoEytKr8pf6iTC8uJq5bIAH52Z9pnQ8pVL6whrCto53JZDuUIsifGeLorTg==
1023 | dependencies:
1024 | get-intrinsic "^1.1.3"
1025 | has "^1.0.3"
1026 | has-tostringtag "^1.0.0"
1027 |
1028 | es-shim-unscopables@^1.0.0:
1029 | version "1.0.0"
1030 | resolved "https://registry.yarnpkg.com/es-shim-unscopables/-/es-shim-unscopables-1.0.0.tgz#702e632193201e3edf8713635d083d378e510241"
1031 | integrity sha512-Jm6GPcCdC30eMLbZ2x8z2WuRwAws3zTBBKuusffYVUrNj/GVSUAZ+xKMaUpfNDR5IbyNA5LJbaecoUVbmUcB1w==
1032 | dependencies:
1033 | has "^1.0.3"
1034 |
1035 | es-to-primitive@^1.2.1:
1036 | version "1.2.1"
1037 | resolved "https://registry.yarnpkg.com/es-to-primitive/-/es-to-primitive-1.2.1.tgz#e55cd4c9cdc188bcefb03b366c736323fc5c898a"
1038 | integrity sha512-QCOllgZJtaUo9miYBcLChTUaHNjJF3PYs1VidD7AwiEj1kYxKeQTctLAezAOH5ZKRH0g2IgPn6KwB4IT8iRpvA==
1039 | dependencies:
1040 | is-callable "^1.1.4"
1041 | is-date-object "^1.0.1"
1042 | is-symbol "^1.0.2"
1043 |
1044 | esbuild@^0.17.5:
1045 | version "0.17.19"
1046 | resolved "https://registry.yarnpkg.com/esbuild/-/esbuild-0.17.19.tgz#087a727e98299f0462a3d0bcdd9cd7ff100bd955"
1047 | integrity sha512-XQ0jAPFkK/u3LcVRcvVHQcTIqD6E2H1fvZMA5dQPSOWb3suUbWbfbRf94pjc0bNzRYLfIrDRQXr7X+LHIm5oHw==
1048 | optionalDependencies:
1049 | "@esbuild/android-arm" "0.17.19"
1050 | "@esbuild/android-arm64" "0.17.19"
1051 | "@esbuild/android-x64" "0.17.19"
1052 | "@esbuild/darwin-arm64" "0.17.19"
1053 | "@esbuild/darwin-x64" "0.17.19"
1054 | "@esbuild/freebsd-arm64" "0.17.19"
1055 | "@esbuild/freebsd-x64" "0.17.19"
1056 | "@esbuild/linux-arm" "0.17.19"
1057 | "@esbuild/linux-arm64" "0.17.19"
1058 | "@esbuild/linux-ia32" "0.17.19"
1059 | "@esbuild/linux-loong64" "0.17.19"
1060 | "@esbuild/linux-mips64el" "0.17.19"
1061 | "@esbuild/linux-ppc64" "0.17.19"
1062 | "@esbuild/linux-riscv64" "0.17.19"
1063 | "@esbuild/linux-s390x" "0.17.19"
1064 | "@esbuild/linux-x64" "0.17.19"
1065 | "@esbuild/netbsd-x64" "0.17.19"
1066 | "@esbuild/openbsd-x64" "0.17.19"
1067 | "@esbuild/sunos-x64" "0.17.19"
1068 | "@esbuild/win32-arm64" "0.17.19"
1069 | "@esbuild/win32-ia32" "0.17.19"
1070 | "@esbuild/win32-x64" "0.17.19"
1071 |
1072 | escalade@^3.1.1:
1073 | version "3.1.1"
1074 | resolved "https://registry.yarnpkg.com/escalade/-/escalade-3.1.1.tgz#d8cfdc7000965c5a0174b4a82eaa5c0552742e40"
1075 | integrity sha512-k0er2gUkLf8O0zKJiAhmkTnJlTvINGv7ygDNPbeIsX/TJjGJZHuh9B2UxbsaEkmlEo9MfhrSzmhIlhRlI2GXnw==
1076 |
1077 | escape-string-regexp@^1.0.5:
1078 | version "1.0.5"
1079 | resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz#1b61c0562190a8dff6ae3bb2cf0200ca130b86d4"
1080 | integrity sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==
1081 |
1082 | escape-string-regexp@^4.0.0:
1083 | version "4.0.0"
1084 | resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz#14ba83a5d373e3d311e5afca29cf5bfad965bf34"
1085 | integrity sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==
1086 |
1087 | eslint-config-standard-with-typescript@^26.0.0:
1088 | version "26.0.0"
1089 | resolved "https://registry.yarnpkg.com/eslint-config-standard-with-typescript/-/eslint-config-standard-with-typescript-26.0.0.tgz#c72c5858e97b20ddb29892fbdfb63468ca1e5e2b"
1090 | integrity sha512-TluIWunQo76qp4MHyYIaTT+sN2q2v/jTeE3Dj4rXsSbx27GOUEOujhJaAL3v9dHVQelAK13gZ5Jy9IWnWCyFrg==
1091 | dependencies:
1092 | "@typescript-eslint/parser" "^5.0.0"
1093 | eslint-config-standard "17.0.0"
1094 |
1095 | eslint-config-standard@17.0.0:
1096 | version "17.0.0"
1097 | resolved "https://registry.yarnpkg.com/eslint-config-standard/-/eslint-config-standard-17.0.0.tgz#fd5b6cf1dcf6ba8d29f200c461de2e19069888cf"
1098 | integrity sha512-/2ks1GKyqSOkH7JFvXJicu0iMpoojkwB+f5Du/1SC0PtBL+s8v30k9njRZ21pm2drKYm2342jFnGWzttxPmZVg==
1099 |
1100 | eslint-import-resolver-node@^0.3.7:
1101 | version "0.3.7"
1102 | resolved "https://registry.yarnpkg.com/eslint-import-resolver-node/-/eslint-import-resolver-node-0.3.7.tgz#83b375187d412324a1963d84fa664377a23eb4d7"
1103 | integrity sha512-gozW2blMLJCeFpBwugLTGyvVjNoeo1knonXAcatC6bjPBZitotxdWf7Gimr25N4c0AAOo4eOUfaG82IJPDpqCA==
1104 | dependencies:
1105 | debug "^3.2.7"
1106 | is-core-module "^2.11.0"
1107 | resolve "^1.22.1"
1108 |
1109 | eslint-module-utils@^2.7.4:
1110 | version "2.8.0"
1111 | resolved "https://registry.yarnpkg.com/eslint-module-utils/-/eslint-module-utils-2.8.0.tgz#e439fee65fc33f6bba630ff621efc38ec0375c49"
1112 | integrity sha512-aWajIYfsqCKRDgUfjEXNN/JlrzauMuSEy5sbd7WXbtW3EH6A6MpwEh42c7qD+MqQo9QMJ6fWLAeIJynx0g6OAw==
1113 | dependencies:
1114 | debug "^3.2.7"
1115 |
1116 | eslint-plugin-es@^4.1.0:
1117 | version "4.1.0"
1118 | resolved "https://registry.yarnpkg.com/eslint-plugin-es/-/eslint-plugin-es-4.1.0.tgz#f0822f0c18a535a97c3e714e89f88586a7641ec9"
1119 | integrity sha512-GILhQTnjYE2WorX5Jyi5i4dz5ALWxBIdQECVQavL6s7cI76IZTDWleTHkxz/QT3kvcs2QlGHvKLYsSlPOlPXnQ==
1120 | dependencies:
1121 | eslint-utils "^2.0.0"
1122 | regexpp "^3.0.0"
1123 |
1124 | eslint-plugin-import@^2.26.0:
1125 | version "2.27.5"
1126 | resolved "https://registry.yarnpkg.com/eslint-plugin-import/-/eslint-plugin-import-2.27.5.tgz#876a6d03f52608a3e5bb439c2550588e51dd6c65"
1127 | integrity sha512-LmEt3GVofgiGuiE+ORpnvP+kAm3h6MLZJ4Q5HCyHADofsb4VzXFsRiWj3c0OFiV+3DWFh0qg3v9gcPlfc3zRow==
1128 | dependencies:
1129 | array-includes "^3.1.6"
1130 | array.prototype.flat "^1.3.1"
1131 | array.prototype.flatmap "^1.3.1"
1132 | debug "^3.2.7"
1133 | doctrine "^2.1.0"
1134 | eslint-import-resolver-node "^0.3.7"
1135 | eslint-module-utils "^2.7.4"
1136 | has "^1.0.3"
1137 | is-core-module "^2.11.0"
1138 | is-glob "^4.0.3"
1139 | minimatch "^3.1.2"
1140 | object.values "^1.1.6"
1141 | resolve "^1.22.1"
1142 | semver "^6.3.0"
1143 | tsconfig-paths "^3.14.1"
1144 |
1145 | eslint-plugin-jsx-a11y@^6.5.1:
1146 | version "6.7.1"
1147 | resolved "https://registry.yarnpkg.com/eslint-plugin-jsx-a11y/-/eslint-plugin-jsx-a11y-6.7.1.tgz#fca5e02d115f48c9a597a6894d5bcec2f7a76976"
1148 | integrity sha512-63Bog4iIethyo8smBklORknVjB0T2dwB8Mr/hIC+fBS0uyHdYYpzM/Ed+YC8VxTjlXHEWFOdmgwcDn1U2L9VCA==
1149 | dependencies:
1150 | "@babel/runtime" "^7.20.7"
1151 | aria-query "^5.1.3"
1152 | array-includes "^3.1.6"
1153 | array.prototype.flatmap "^1.3.1"
1154 | ast-types-flow "^0.0.7"
1155 | axe-core "^4.6.2"
1156 | axobject-query "^3.1.1"
1157 | damerau-levenshtein "^1.0.8"
1158 | emoji-regex "^9.2.2"
1159 | has "^1.0.3"
1160 | jsx-ast-utils "^3.3.3"
1161 | language-tags "=1.0.5"
1162 | minimatch "^3.1.2"
1163 | object.entries "^1.1.6"
1164 | object.fromentries "^2.0.6"
1165 | semver "^6.3.0"
1166 |
1167 | eslint-plugin-n@^15.6.0:
1168 | version "15.7.0"
1169 | resolved "https://registry.yarnpkg.com/eslint-plugin-n/-/eslint-plugin-n-15.7.0.tgz#e29221d8f5174f84d18f2eb94765f2eeea033b90"
1170 | integrity sha512-jDex9s7D/Qial8AGVIHq4W7NswpUD5DPDL2RH8Lzd9EloWUuvUkHfv4FRLMipH5q2UtyurorBkPeNi1wVWNh3Q==
1171 | dependencies:
1172 | builtins "^5.0.1"
1173 | eslint-plugin-es "^4.1.0"
1174 | eslint-utils "^3.0.0"
1175 | ignore "^5.1.1"
1176 | is-core-module "^2.11.0"
1177 | minimatch "^3.1.2"
1178 | resolve "^1.22.1"
1179 | semver "^7.3.8"
1180 |
1181 | eslint-plugin-promise@^6.1.1:
1182 | version "6.1.1"
1183 | resolved "https://registry.yarnpkg.com/eslint-plugin-promise/-/eslint-plugin-promise-6.1.1.tgz#269a3e2772f62875661220631bd4dafcb4083816"
1184 | integrity sha512-tjqWDwVZQo7UIPMeDReOpUgHCmCiH+ePnVT+5zVapL0uuHnegBUs2smM13CzOs2Xb5+MHMRFTs9v24yjba4Oig==
1185 |
1186 | eslint-plugin-react-hooks@^4.3.0:
1187 | version "4.6.0"
1188 | resolved "https://registry.yarnpkg.com/eslint-plugin-react-hooks/-/eslint-plugin-react-hooks-4.6.0.tgz#4c3e697ad95b77e93f8646aaa1630c1ba607edd3"
1189 | integrity sha512-oFc7Itz9Qxh2x4gNHStv3BqJq54ExXmfC+a1NjAta66IAN87Wu0R/QArgIS9qKzX3dXKPI9H5crl9QchNMY9+g==
1190 |
1191 | eslint-plugin-react@^7.28.0:
1192 | version "7.32.2"
1193 | resolved "https://registry.yarnpkg.com/eslint-plugin-react/-/eslint-plugin-react-7.32.2.tgz#e71f21c7c265ebce01bcbc9d0955170c55571f10"
1194 | integrity sha512-t2fBMa+XzonrrNkyVirzKlvn5RXzzPwRHtMvLAtVZrt8oxgnTQaYbU6SXTOO1mwQgp1y5+toMSKInnzGr0Knqg==
1195 | dependencies:
1196 | array-includes "^3.1.6"
1197 | array.prototype.flatmap "^1.3.1"
1198 | array.prototype.tosorted "^1.1.1"
1199 | doctrine "^2.1.0"
1200 | estraverse "^5.3.0"
1201 | jsx-ast-utils "^2.4.1 || ^3.0.0"
1202 | minimatch "^3.1.2"
1203 | object.entries "^1.1.6"
1204 | object.fromentries "^2.0.6"
1205 | object.hasown "^1.1.2"
1206 | object.values "^1.1.6"
1207 | prop-types "^15.8.1"
1208 | resolve "^2.0.0-next.4"
1209 | semver "^6.3.0"
1210 | string.prototype.matchall "^4.0.8"
1211 |
1212 | eslint-scope@^5.1.1:
1213 | version "5.1.1"
1214 | resolved "https://registry.yarnpkg.com/eslint-scope/-/eslint-scope-5.1.1.tgz#e786e59a66cb92b3f6c1fb0d508aab174848f48c"
1215 | integrity sha512-2NxwbF/hZ0KpepYN0cNbo+FN6XoK7GaHlQhgx/hIZl6Va0bF45RQOOwhLIy8lQDbuCiadSLCBnH2CFYquit5bw==
1216 | dependencies:
1217 | esrecurse "^4.3.0"
1218 | estraverse "^4.1.1"
1219 |
1220 | eslint-scope@^7.2.0:
1221 | version "7.2.0"
1222 | resolved "https://registry.yarnpkg.com/eslint-scope/-/eslint-scope-7.2.0.tgz#f21ebdafda02352f103634b96dd47d9f81ca117b"
1223 | integrity sha512-DYj5deGlHBfMt15J7rdtyKNq/Nqlv5KfU4iodrQ019XESsRnwXH9KAE0y3cwtUHDo2ob7CypAnCqefh6vioWRw==
1224 | dependencies:
1225 | esrecurse "^4.3.0"
1226 | estraverse "^5.2.0"
1227 |
1228 | eslint-utils@^2.0.0:
1229 | version "2.1.0"
1230 | resolved "https://registry.yarnpkg.com/eslint-utils/-/eslint-utils-2.1.0.tgz#d2de5e03424e707dc10c74068ddedae708741b27"
1231 | integrity sha512-w94dQYoauyvlDc43XnGB8lU3Zt713vNChgt4EWwhXAP2XkBvndfxF0AgIqKOOasjPIPzj9JqgwkwbCYD0/V3Zg==
1232 | dependencies:
1233 | eslint-visitor-keys "^1.1.0"
1234 |
1235 | eslint-utils@^3.0.0:
1236 | version "3.0.0"
1237 | resolved "https://registry.yarnpkg.com/eslint-utils/-/eslint-utils-3.0.0.tgz#8aebaface7345bb33559db0a1f13a1d2d48c3672"
1238 | integrity sha512-uuQC43IGctw68pJA1RgbQS8/NP7rch6Cwd4j3ZBtgo4/8Flj4eGE7ZYSZRN3iq5pVUv6GPdW5Z1RFleo84uLDA==
1239 | dependencies:
1240 | eslint-visitor-keys "^2.0.0"
1241 |
1242 | eslint-visitor-keys@^1.1.0:
1243 | version "1.3.0"
1244 | resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-1.3.0.tgz#30ebd1ef7c2fdff01c3a4f151044af25fab0523e"
1245 | integrity sha512-6J72N8UNa462wa/KFODt/PJ3IU60SDpC3QXC1Hjc1BXXpfL2C9R5+AU7jhe0F6GREqVMh4Juu+NY7xn+6dipUQ==
1246 |
1247 | eslint-visitor-keys@^2.0.0:
1248 | version "2.1.0"
1249 | resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-2.1.0.tgz#f65328259305927392c938ed44eb0a5c9b2bd303"
1250 | integrity sha512-0rSmRBzXgDzIsD6mGdJgevzgezI534Cer5L/vyMX0kHzT/jiB43jRhd9YUlMGYLQy2zprNmoT8qasCGtY+QaKw==
1251 |
1252 | eslint-visitor-keys@^3.3.0, eslint-visitor-keys@^3.4.1:
1253 | version "3.4.1"
1254 | resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-3.4.1.tgz#c22c48f48942d08ca824cc526211ae400478a994"
1255 | integrity sha512-pZnmmLwYzf+kWaM/Qgrvpen51upAktaaiI01nsJD/Yr3lMOdNtq0cxkrrg16w64VtisN6okbs7Q8AfGqj4c9fA==
1256 |
1257 | eslint@8.40.0:
1258 | version "8.40.0"
1259 | resolved "https://registry.yarnpkg.com/eslint/-/eslint-8.40.0.tgz#a564cd0099f38542c4e9a2f630fa45bf33bc42a4"
1260 | integrity sha512-bvR+TsP9EHL3TqNtj9sCNJVAFK3fBN8Q7g5waghxyRsPLIMwL73XSKnZFK0hk/O2ANC+iAoq6PWMQ+IfBAJIiQ==
1261 | dependencies:
1262 | "@eslint-community/eslint-utils" "^4.2.0"
1263 | "@eslint-community/regexpp" "^4.4.0"
1264 | "@eslint/eslintrc" "^2.0.3"
1265 | "@eslint/js" "8.40.0"
1266 | "@humanwhocodes/config-array" "^0.11.8"
1267 | "@humanwhocodes/module-importer" "^1.0.1"
1268 | "@nodelib/fs.walk" "^1.2.8"
1269 | ajv "^6.10.0"
1270 | chalk "^4.0.0"
1271 | cross-spawn "^7.0.2"
1272 | debug "^4.3.2"
1273 | doctrine "^3.0.0"
1274 | escape-string-regexp "^4.0.0"
1275 | eslint-scope "^7.2.0"
1276 | eslint-visitor-keys "^3.4.1"
1277 | espree "^9.5.2"
1278 | esquery "^1.4.2"
1279 | esutils "^2.0.2"
1280 | fast-deep-equal "^3.1.3"
1281 | file-entry-cache "^6.0.1"
1282 | find-up "^5.0.0"
1283 | glob-parent "^6.0.2"
1284 | globals "^13.19.0"
1285 | grapheme-splitter "^1.0.4"
1286 | ignore "^5.2.0"
1287 | import-fresh "^3.0.0"
1288 | imurmurhash "^0.1.4"
1289 | is-glob "^4.0.0"
1290 | is-path-inside "^3.0.3"
1291 | js-sdsl "^4.1.4"
1292 | js-yaml "^4.1.0"
1293 | json-stable-stringify-without-jsonify "^1.0.1"
1294 | levn "^0.4.1"
1295 | lodash.merge "^4.6.2"
1296 | minimatch "^3.1.2"
1297 | natural-compare "^1.4.0"
1298 | optionator "^0.9.1"
1299 | strip-ansi "^6.0.1"
1300 | strip-json-comments "^3.1.0"
1301 | text-table "^0.2.0"
1302 |
1303 | espree@^9.5.2:
1304 | version "9.5.2"
1305 | resolved "https://registry.yarnpkg.com/espree/-/espree-9.5.2.tgz#e994e7dc33a082a7a82dceaf12883a829353215b"
1306 | integrity sha512-7OASN1Wma5fum5SrNhFMAMJxOUAbhyfQ8dQ//PJaJbNw0URTPWqIghHWt1MmAANKhHZIYOHruW4Kw4ruUWOdGw==
1307 | dependencies:
1308 | acorn "^8.8.0"
1309 | acorn-jsx "^5.3.2"
1310 | eslint-visitor-keys "^3.4.1"
1311 |
1312 | esquery@^1.4.2:
1313 | version "1.5.0"
1314 | resolved "https://registry.yarnpkg.com/esquery/-/esquery-1.5.0.tgz#6ce17738de8577694edd7361c57182ac8cb0db0b"
1315 | integrity sha512-YQLXUplAwJgCydQ78IMJywZCceoqk1oH01OERdSAJc/7U2AylwjhSCLDEtqwg811idIS/9fIU5GjG73IgjKMVg==
1316 | dependencies:
1317 | estraverse "^5.1.0"
1318 |
1319 | esrecurse@^4.3.0:
1320 | version "4.3.0"
1321 | resolved "https://registry.yarnpkg.com/esrecurse/-/esrecurse-4.3.0.tgz#7ad7964d679abb28bee72cec63758b1c5d2c9921"
1322 | integrity sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==
1323 | dependencies:
1324 | estraverse "^5.2.0"
1325 |
1326 | estraverse@^4.1.1:
1327 | version "4.3.0"
1328 | resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-4.3.0.tgz#398ad3f3c5a24948be7725e83d11a7de28cdbd1d"
1329 | integrity sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==
1330 |
1331 | estraverse@^5.1.0, estraverse@^5.2.0, estraverse@^5.3.0:
1332 | version "5.3.0"
1333 | resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-5.3.0.tgz#2eea5290702f26ab8fe5370370ff86c965d21123"
1334 | integrity sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==
1335 |
1336 | esutils@^2.0.2:
1337 | version "2.0.3"
1338 | resolved "https://registry.yarnpkg.com/esutils/-/esutils-2.0.3.tgz#74d2eb4de0b8da1293711910d50775b9b710ef64"
1339 | integrity sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==
1340 |
1341 | fast-deep-equal@^3.1.1, fast-deep-equal@^3.1.3:
1342 | version "3.1.3"
1343 | resolved "https://registry.yarnpkg.com/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz#3a7d56b559d6cbc3eb512325244e619a65c6c525"
1344 | integrity sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==
1345 |
1346 | fast-glob@^3.2.9:
1347 | version "3.2.12"
1348 | resolved "https://registry.yarnpkg.com/fast-glob/-/fast-glob-3.2.12.tgz#7f39ec99c2e6ab030337142da9e0c18f37afae80"
1349 | integrity sha512-DVj4CQIYYow0BlaelwK1pHl5n5cRSJfM60UA0zK891sVInoPri2Ekj7+e1CT3/3qxXenpI+nBBmQAcJPJgaj4w==
1350 | dependencies:
1351 | "@nodelib/fs.stat" "^2.0.2"
1352 | "@nodelib/fs.walk" "^1.2.3"
1353 | glob-parent "^5.1.2"
1354 | merge2 "^1.3.0"
1355 | micromatch "^4.0.4"
1356 |
1357 | fast-json-stable-stringify@^2.0.0:
1358 | version "2.1.0"
1359 | resolved "https://registry.yarnpkg.com/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz#874bf69c6f404c2b5d99c481341399fd55892633"
1360 | integrity sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==
1361 |
1362 | fast-levenshtein@^2.0.6:
1363 | version "2.0.6"
1364 | resolved "https://registry.yarnpkg.com/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz#3d8a5c66883a16a30ca8643e851f19baa7797917"
1365 | integrity sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==
1366 |
1367 | fastq@^1.6.0:
1368 | version "1.15.0"
1369 | resolved "https://registry.yarnpkg.com/fastq/-/fastq-1.15.0.tgz#d04d07c6a2a68fe4599fea8d2e103a937fae6b3a"
1370 | integrity sha512-wBrocU2LCXXa+lWBt8RoIRD89Fi8OdABODa/kEnyeyjS5aZO5/GNvI5sEINADqP/h8M29UHTHUb53sUu5Ihqdw==
1371 | dependencies:
1372 | reusify "^1.0.4"
1373 |
1374 | file-entry-cache@^6.0.1:
1375 | version "6.0.1"
1376 | resolved "https://registry.yarnpkg.com/file-entry-cache/-/file-entry-cache-6.0.1.tgz#211b2dd9659cb0394b073e7323ac3c933d522027"
1377 | integrity sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==
1378 | dependencies:
1379 | flat-cache "^3.0.4"
1380 |
1381 | fill-range@^7.0.1:
1382 | version "7.0.1"
1383 | resolved "https://registry.yarnpkg.com/fill-range/-/fill-range-7.0.1.tgz#1919a6a7c75fe38b2c7c77e5198535da9acdda40"
1384 | integrity sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==
1385 | dependencies:
1386 | to-regex-range "^5.0.1"
1387 |
1388 | find-up@^5.0.0:
1389 | version "5.0.0"
1390 | resolved "https://registry.yarnpkg.com/find-up/-/find-up-5.0.0.tgz#4c92819ecb7083561e4f4a240a86be5198f536fc"
1391 | integrity sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==
1392 | dependencies:
1393 | locate-path "^6.0.0"
1394 | path-exists "^4.0.0"
1395 |
1396 | flat-cache@^3.0.4:
1397 | version "3.0.4"
1398 | resolved "https://registry.yarnpkg.com/flat-cache/-/flat-cache-3.0.4.tgz#61b0338302b2fe9f957dcc32fc2a87f1c3048b11"
1399 | integrity sha512-dm9s5Pw7Jc0GvMYbshN6zchCA9RgQlzzEZX3vylR9IqFfS8XciblUXOKfW6SiuJ0e13eDYZoZV5wdrev7P3Nwg==
1400 | dependencies:
1401 | flatted "^3.1.0"
1402 | rimraf "^3.0.2"
1403 |
1404 | flatted@^3.1.0:
1405 | version "3.2.7"
1406 | resolved "https://registry.yarnpkg.com/flatted/-/flatted-3.2.7.tgz#609f39207cb614b89d0765b477cb2d437fbf9787"
1407 | integrity sha512-5nqDSxl8nn5BSNxyR3n4I6eDmbolI6WT+QqR547RwxQapgjQBmtktdP+HTBb/a/zLsbzERTONyUB5pefh5TtjQ==
1408 |
1409 | for-each@^0.3.3:
1410 | version "0.3.3"
1411 | resolved "https://registry.yarnpkg.com/for-each/-/for-each-0.3.3.tgz#69b447e88a0a5d32c3e7084f3f1710034b21376e"
1412 | integrity sha512-jqYfLp7mo9vIyQf8ykW2v7A+2N4QjeCeI5+Dz9XraiO1ign81wjiH7Fb9vSOWvQfNtmSa4H2RoQTrrXivdUZmw==
1413 | dependencies:
1414 | is-callable "^1.1.3"
1415 |
1416 | fs.realpath@^1.0.0:
1417 | version "1.0.0"
1418 | resolved "https://registry.yarnpkg.com/fs.realpath/-/fs.realpath-1.0.0.tgz#1504ad2523158caa40db4a2787cb01411994ea4f"
1419 | integrity sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==
1420 |
1421 | fsevents@~2.3.2:
1422 | version "2.3.2"
1423 | resolved "https://registry.yarnpkg.com/fsevents/-/fsevents-2.3.2.tgz#8a526f78b8fdf4623b709e0b975c52c24c02fd1a"
1424 | integrity sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA==
1425 |
1426 | function-bind@^1.1.1:
1427 | version "1.1.1"
1428 | resolved "https://registry.yarnpkg.com/function-bind/-/function-bind-1.1.1.tgz#a56899d3ea3c9bab874bb9773b7c5ede92f4895d"
1429 | integrity sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==
1430 |
1431 | function.prototype.name@^1.1.5:
1432 | version "1.1.5"
1433 | resolved "https://registry.yarnpkg.com/function.prototype.name/-/function.prototype.name-1.1.5.tgz#cce0505fe1ffb80503e6f9e46cc64e46a12a9621"
1434 | integrity sha512-uN7m/BzVKQnCUF/iW8jYea67v++2u7m5UgENbHRtdDVclOUP+FMPlCNdmk0h/ysGyo2tavMJEDqJAkJdRa1vMA==
1435 | dependencies:
1436 | call-bind "^1.0.2"
1437 | define-properties "^1.1.3"
1438 | es-abstract "^1.19.0"
1439 | functions-have-names "^1.2.2"
1440 |
1441 | functions-have-names@^1.2.2, functions-have-names@^1.2.3:
1442 | version "1.2.3"
1443 | resolved "https://registry.yarnpkg.com/functions-have-names/-/functions-have-names-1.2.3.tgz#0404fe4ee2ba2f607f0e0ec3c80bae994133b834"
1444 | integrity sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ==
1445 |
1446 | gensync@^1.0.0-beta.2:
1447 | version "1.0.0-beta.2"
1448 | resolved "https://registry.yarnpkg.com/gensync/-/gensync-1.0.0-beta.2.tgz#32a6ee76c3d7f52d46b2b1ae5d93fea8580a25e0"
1449 | integrity sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg==
1450 |
1451 | get-intrinsic@^1.0.2, get-intrinsic@^1.1.1, get-intrinsic@^1.1.3, get-intrinsic@^1.2.0:
1452 | version "1.2.1"
1453 | resolved "https://registry.yarnpkg.com/get-intrinsic/-/get-intrinsic-1.2.1.tgz#d295644fed4505fc9cde952c37ee12b477a83d82"
1454 | integrity sha512-2DcsyfABl+gVHEfCOaTrWgyt+tb6MSEGmKq+kI5HwLbIYgjgmMcV8KQ41uaKz1xxUcn9tJtgFbQUEVcEbd0FYw==
1455 | dependencies:
1456 | function-bind "^1.1.1"
1457 | has "^1.0.3"
1458 | has-proto "^1.0.1"
1459 | has-symbols "^1.0.3"
1460 |
1461 | get-symbol-description@^1.0.0:
1462 | version "1.0.0"
1463 | resolved "https://registry.yarnpkg.com/get-symbol-description/-/get-symbol-description-1.0.0.tgz#7fdb81c900101fbd564dd5f1a30af5aadc1e58d6"
1464 | integrity sha512-2EmdH1YvIQiZpltCNgkuiUnyukzxM/R6NDJX31Ke3BG1Nq5b0S2PhX59UKi9vZpPDQVdqn+1IcaAwnzTT5vCjw==
1465 | dependencies:
1466 | call-bind "^1.0.2"
1467 | get-intrinsic "^1.1.1"
1468 |
1469 | glob-parent@^5.1.2:
1470 | version "5.1.2"
1471 | resolved "https://registry.yarnpkg.com/glob-parent/-/glob-parent-5.1.2.tgz#869832c58034fe68a4093c17dc15e8340d8401c4"
1472 | integrity sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==
1473 | dependencies:
1474 | is-glob "^4.0.1"
1475 |
1476 | glob-parent@^6.0.2:
1477 | version "6.0.2"
1478 | resolved "https://registry.yarnpkg.com/glob-parent/-/glob-parent-6.0.2.tgz#6d237d99083950c79290f24c7642a3de9a28f9e3"
1479 | integrity sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==
1480 | dependencies:
1481 | is-glob "^4.0.3"
1482 |
1483 | glob@^7.1.3:
1484 | version "7.2.3"
1485 | resolved "https://registry.yarnpkg.com/glob/-/glob-7.2.3.tgz#b8df0fb802bbfa8e89bd1d938b4e16578ed44f2b"
1486 | integrity sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==
1487 | dependencies:
1488 | fs.realpath "^1.0.0"
1489 | inflight "^1.0.4"
1490 | inherits "2"
1491 | minimatch "^3.1.1"
1492 | once "^1.3.0"
1493 | path-is-absolute "^1.0.0"
1494 |
1495 | globals@^11.1.0:
1496 | version "11.12.0"
1497 | resolved "https://registry.yarnpkg.com/globals/-/globals-11.12.0.tgz#ab8795338868a0babd8525758018c2a7eb95c42e"
1498 | integrity sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==
1499 |
1500 | globals@^13.19.0:
1501 | version "13.20.0"
1502 | resolved "https://registry.yarnpkg.com/globals/-/globals-13.20.0.tgz#ea276a1e508ffd4f1612888f9d1bad1e2717bf82"
1503 | integrity sha512-Qg5QtVkCy/kv3FUSlu4ukeZDVf9ee0iXLAUYX13gbR17bnejFTzr4iS9bY7kwCf1NztRNm1t91fjOiyx4CSwPQ==
1504 | dependencies:
1505 | type-fest "^0.20.2"
1506 |
1507 | globalthis@^1.0.3:
1508 | version "1.0.3"
1509 | resolved "https://registry.yarnpkg.com/globalthis/-/globalthis-1.0.3.tgz#5852882a52b80dc301b0660273e1ed082f0b6ccf"
1510 | integrity sha512-sFdI5LyBiNTHjRd7cGPWapiHWMOXKyuBNX/cWJ3NfzrZQVa8GI/8cofCl74AOVqq9W5kNmguTIzJ/1s2gyI9wA==
1511 | dependencies:
1512 | define-properties "^1.1.3"
1513 |
1514 | globby@^11.1.0:
1515 | version "11.1.0"
1516 | resolved "https://registry.yarnpkg.com/globby/-/globby-11.1.0.tgz#bd4be98bb042f83d796f7e3811991fbe82a0d34b"
1517 | integrity sha512-jhIXaOzy1sb8IyocaruWSn1TjmnBVs8Ayhcy83rmxNJ8q2uWKCAj3CnJY+KpGSXCueAPc0i05kVvVKtP1t9S3g==
1518 | dependencies:
1519 | array-union "^2.1.0"
1520 | dir-glob "^3.0.1"
1521 | fast-glob "^3.2.9"
1522 | ignore "^5.2.0"
1523 | merge2 "^1.4.1"
1524 | slash "^3.0.0"
1525 |
1526 | globrex@^0.1.2:
1527 | version "0.1.2"
1528 | resolved "https://registry.yarnpkg.com/globrex/-/globrex-0.1.2.tgz#dd5d9ec826232730cd6793a5e33a9302985e6098"
1529 | integrity sha512-uHJgbwAMwNFf5mLst7IWLNg14x1CkeqglJb/K3doi4dw6q2IvAAmM/Y81kevy83wP+Sst+nutFTYOGg3d1lsxg==
1530 |
1531 | gopd@^1.0.1:
1532 | version "1.0.1"
1533 | resolved "https://registry.yarnpkg.com/gopd/-/gopd-1.0.1.tgz#29ff76de69dac7489b7c0918a5788e56477c332c"
1534 | integrity sha512-d65bNlIadxvpb/A2abVdlqKqV563juRnZ1Wtk6s1sIR8uNsXR70xqIzVqxVf1eTqDunwT2MkczEeaezCKTZhwA==
1535 | dependencies:
1536 | get-intrinsic "^1.1.3"
1537 |
1538 | grapheme-splitter@^1.0.4:
1539 | version "1.0.4"
1540 | resolved "https://registry.yarnpkg.com/grapheme-splitter/-/grapheme-splitter-1.0.4.tgz#9cf3a665c6247479896834af35cf1dbb4400767e"
1541 | integrity sha512-bzh50DW9kTPM00T8y4o8vQg89Di9oLJVLW/KaOGIXJWP/iqCN6WKYkbNOF04vFLJhwcpYUh9ydh/+5vpOqV4YQ==
1542 |
1543 | has-bigints@^1.0.1, has-bigints@^1.0.2:
1544 | version "1.0.2"
1545 | resolved "https://registry.yarnpkg.com/has-bigints/-/has-bigints-1.0.2.tgz#0871bd3e3d51626f6ca0966668ba35d5602d6eaa"
1546 | integrity sha512-tSvCKtBr9lkF0Ex0aQiP9N+OpV4zi2r/Nee5VkRDbaqv35RLYMzbwQfFSZZH0kR+Rd6302UJZ2p/bJCEoR3VoQ==
1547 |
1548 | has-flag@^3.0.0:
1549 | version "3.0.0"
1550 | resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-3.0.0.tgz#b5d454dc2199ae225699f3467e5a07f3b955bafd"
1551 | integrity sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw==
1552 |
1553 | has-flag@^4.0.0:
1554 | version "4.0.0"
1555 | resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-4.0.0.tgz#944771fd9c81c81265c4d6941860da06bb59479b"
1556 | integrity sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==
1557 |
1558 | has-property-descriptors@^1.0.0:
1559 | version "1.0.0"
1560 | resolved "https://registry.yarnpkg.com/has-property-descriptors/-/has-property-descriptors-1.0.0.tgz#610708600606d36961ed04c196193b6a607fa861"
1561 | integrity sha512-62DVLZGoiEBDHQyqG4w9xCuZ7eJEwNmJRWw2VY84Oedb7WFcA27fiEVe8oUQx9hAUJ4ekurquucTGwsyO1XGdQ==
1562 | dependencies:
1563 | get-intrinsic "^1.1.1"
1564 |
1565 | has-proto@^1.0.1:
1566 | version "1.0.1"
1567 | resolved "https://registry.yarnpkg.com/has-proto/-/has-proto-1.0.1.tgz#1885c1305538958aff469fef37937c22795408e0"
1568 | integrity sha512-7qE+iP+O+bgF9clE5+UoBFzE65mlBiVj3tKCrlNQ0Ogwm0BjpT/gK4SlLYDMybDh5I3TCTKnPPa0oMG7JDYrhg==
1569 |
1570 | has-symbols@^1.0.2, has-symbols@^1.0.3:
1571 | version "1.0.3"
1572 | resolved "https://registry.yarnpkg.com/has-symbols/-/has-symbols-1.0.3.tgz#bb7b2c4349251dce87b125f7bdf874aa7c8b39f8"
1573 | integrity sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==
1574 |
1575 | has-tostringtag@^1.0.0:
1576 | version "1.0.0"
1577 | resolved "https://registry.yarnpkg.com/has-tostringtag/-/has-tostringtag-1.0.0.tgz#7e133818a7d394734f941e73c3d3f9291e658b25"
1578 | integrity sha512-kFjcSNhnlGV1kyoGk7OXKSawH5JOb/LzUc5w9B02hOTO0dfFRjbHQKvg1d6cf3HbeUmtU9VbbV3qzZ2Teh97WQ==
1579 | dependencies:
1580 | has-symbols "^1.0.2"
1581 |
1582 | has@^1.0.3:
1583 | version "1.0.3"
1584 | resolved "https://registry.yarnpkg.com/has/-/has-1.0.3.tgz#722d7cbfc1f6aa8241f16dd814e011e1f41e8796"
1585 | integrity sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==
1586 | dependencies:
1587 | function-bind "^1.1.1"
1588 |
1589 | ignore@^5.1.1, ignore@^5.2.0:
1590 | version "5.2.4"
1591 | resolved "https://registry.yarnpkg.com/ignore/-/ignore-5.2.4.tgz#a291c0c6178ff1b960befe47fcdec301674a6324"
1592 | integrity sha512-MAb38BcSbH0eHNBxn7ql2NH/kX33OkB3lZ1BNdh7ENeRChHTYsTvWrMubiIAMNS2llXEEgZ1MUOBtXChP3kaFQ==
1593 |
1594 | import-fresh@^3.0.0, import-fresh@^3.2.1:
1595 | version "3.3.0"
1596 | resolved "https://registry.yarnpkg.com/import-fresh/-/import-fresh-3.3.0.tgz#37162c25fcb9ebaa2e6e53d5b4d88ce17d9e0c2b"
1597 | integrity sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==
1598 | dependencies:
1599 | parent-module "^1.0.0"
1600 | resolve-from "^4.0.0"
1601 |
1602 | imurmurhash@^0.1.4:
1603 | version "0.1.4"
1604 | resolved "https://registry.yarnpkg.com/imurmurhash/-/imurmurhash-0.1.4.tgz#9218b9b2b928a238b13dc4fb6b6d576f231453ea"
1605 | integrity sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==
1606 |
1607 | inflight@^1.0.4:
1608 | version "1.0.6"
1609 | resolved "https://registry.yarnpkg.com/inflight/-/inflight-1.0.6.tgz#49bd6331d7d02d0c09bc910a1075ba8165b56df9"
1610 | integrity sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==
1611 | dependencies:
1612 | once "^1.3.0"
1613 | wrappy "1"
1614 |
1615 | inherits@2:
1616 | version "2.0.4"
1617 | resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.4.tgz#0fa2c64f932917c3433a0ded55363aae37416b7c"
1618 | integrity sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==
1619 |
1620 | internal-slot@^1.0.3, internal-slot@^1.0.4, internal-slot@^1.0.5:
1621 | version "1.0.5"
1622 | resolved "https://registry.yarnpkg.com/internal-slot/-/internal-slot-1.0.5.tgz#f2a2ee21f668f8627a4667f309dc0f4fb6674986"
1623 | integrity sha512-Y+R5hJrzs52QCG2laLn4udYVnxsfny9CpOhNhUvk/SSSVyF6T27FzRbF0sroPidSu3X8oEAkOn2K804mjpt6UQ==
1624 | dependencies:
1625 | get-intrinsic "^1.2.0"
1626 | has "^1.0.3"
1627 | side-channel "^1.0.4"
1628 |
1629 | is-arguments@^1.1.1:
1630 | version "1.1.1"
1631 | resolved "https://registry.yarnpkg.com/is-arguments/-/is-arguments-1.1.1.tgz#15b3f88fda01f2a97fec84ca761a560f123efa9b"
1632 | integrity sha512-8Q7EARjzEnKpt/PCD7e1cgUS0a6X8u5tdSiMqXhojOdoV9TsMsiO+9VLC5vAmO8N7/GmXn7yjR8qnA6bVAEzfA==
1633 | dependencies:
1634 | call-bind "^1.0.2"
1635 | has-tostringtag "^1.0.0"
1636 |
1637 | is-array-buffer@^3.0.1, is-array-buffer@^3.0.2:
1638 | version "3.0.2"
1639 | resolved "https://registry.yarnpkg.com/is-array-buffer/-/is-array-buffer-3.0.2.tgz#f2653ced8412081638ecb0ebbd0c41c6e0aecbbe"
1640 | integrity sha512-y+FyyR/w8vfIRq4eQcM1EYgSTnmHXPqaF+IgzgraytCFq5Xh8lllDVmAZolPJiZttZLeFSINPYMaEJ7/vWUa1w==
1641 | dependencies:
1642 | call-bind "^1.0.2"
1643 | get-intrinsic "^1.2.0"
1644 | is-typed-array "^1.1.10"
1645 |
1646 | is-bigint@^1.0.1:
1647 | version "1.0.4"
1648 | resolved "https://registry.yarnpkg.com/is-bigint/-/is-bigint-1.0.4.tgz#08147a1875bc2b32005d41ccd8291dffc6691df3"
1649 | integrity sha512-zB9CruMamjym81i2JZ3UMn54PKGsQzsJeo6xvN3HJJ4CAsQNB6iRutp2To77OfCNuoxspsIhzaPoO1zyCEhFOg==
1650 | dependencies:
1651 | has-bigints "^1.0.1"
1652 |
1653 | is-boolean-object@^1.1.0:
1654 | version "1.1.2"
1655 | resolved "https://registry.yarnpkg.com/is-boolean-object/-/is-boolean-object-1.1.2.tgz#5c6dc200246dd9321ae4b885a114bb1f75f63719"
1656 | integrity sha512-gDYaKHJmnj4aWxyj6YHyXVpdQawtVLHU5cb+eztPGczf6cjuTdwve5ZIEfgXqH4e57An1D1AKf8CZ3kYrQRqYA==
1657 | dependencies:
1658 | call-bind "^1.0.2"
1659 | has-tostringtag "^1.0.0"
1660 |
1661 | is-callable@^1.1.3, is-callable@^1.1.4, is-callable@^1.2.7:
1662 | version "1.2.7"
1663 | resolved "https://registry.yarnpkg.com/is-callable/-/is-callable-1.2.7.tgz#3bc2a85ea742d9e36205dcacdd72ca1fdc51b055"
1664 | integrity sha512-1BC0BVFhS/p0qtw6enp8e+8OD0UrK0oFLztSjNzhcKA3WDuJxxAPXzPuPtKkjEY9UUoEWlX/8fgKeu2S8i9JTA==
1665 |
1666 | is-core-module@^2.11.0, is-core-module@^2.9.0:
1667 | version "2.12.1"
1668 | resolved "https://registry.yarnpkg.com/is-core-module/-/is-core-module-2.12.1.tgz#0c0b6885b6f80011c71541ce15c8d66cf5a4f9fd"
1669 | integrity sha512-Q4ZuBAe2FUsKtyQJoQHlvP8OvBERxO3jEmy1I7hcRXcJBGGHFh/aJBswbXuS9sgrDH2QUO8ilkwNPHvHMd8clg==
1670 | dependencies:
1671 | has "^1.0.3"
1672 |
1673 | is-date-object@^1.0.1, is-date-object@^1.0.5:
1674 | version "1.0.5"
1675 | resolved "https://registry.yarnpkg.com/is-date-object/-/is-date-object-1.0.5.tgz#0841d5536e724c25597bf6ea62e1bd38298df31f"
1676 | integrity sha512-9YQaSxsAiSwcvS33MBk3wTCVnWK+HhF8VZR2jRxehM16QcVOdHqPn4VPHmRK4lSr38n9JriurInLcP90xsYNfQ==
1677 | dependencies:
1678 | has-tostringtag "^1.0.0"
1679 |
1680 | is-extglob@^2.1.1:
1681 | version "2.1.1"
1682 | resolved "https://registry.yarnpkg.com/is-extglob/-/is-extglob-2.1.1.tgz#a88c02535791f02ed37c76a1b9ea9773c833f8c2"
1683 | integrity sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==
1684 |
1685 | is-glob@^4.0.0, is-glob@^4.0.1, is-glob@^4.0.3:
1686 | version "4.0.3"
1687 | resolved "https://registry.yarnpkg.com/is-glob/-/is-glob-4.0.3.tgz#64f61e42cbbb2eec2071a9dac0b28ba1e65d5084"
1688 | integrity sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==
1689 | dependencies:
1690 | is-extglob "^2.1.1"
1691 |
1692 | is-map@^2.0.1, is-map@^2.0.2:
1693 | version "2.0.2"
1694 | resolved "https://registry.yarnpkg.com/is-map/-/is-map-2.0.2.tgz#00922db8c9bf73e81b7a335827bc2a43f2b91127"
1695 | integrity sha512-cOZFQQozTha1f4MxLFzlgKYPTyj26picdZTx82hbc/Xf4K/tZOOXSCkMvU4pKioRXGDLJRn0GM7Upe7kR721yg==
1696 |
1697 | is-negative-zero@^2.0.2:
1698 | version "2.0.2"
1699 | resolved "https://registry.yarnpkg.com/is-negative-zero/-/is-negative-zero-2.0.2.tgz#7bf6f03a28003b8b3965de3ac26f664d765f3150"
1700 | integrity sha512-dqJvarLawXsFbNDeJW7zAz8ItJ9cd28YufuuFzh0G8pNHjJMnY08Dv7sYX2uF5UpQOwieAeOExEYAWWfu7ZZUA==
1701 |
1702 | is-number-object@^1.0.4:
1703 | version "1.0.7"
1704 | resolved "https://registry.yarnpkg.com/is-number-object/-/is-number-object-1.0.7.tgz#59d50ada4c45251784e9904f5246c742f07a42fc"
1705 | integrity sha512-k1U0IRzLMo7ZlYIfzRu23Oh6MiIFasgpb9X76eqfFZAqwH44UI4KTBvBYIZ1dSL9ZzChTB9ShHfLkR4pdW5krQ==
1706 | dependencies:
1707 | has-tostringtag "^1.0.0"
1708 |
1709 | is-number@^7.0.0:
1710 | version "7.0.0"
1711 | resolved "https://registry.yarnpkg.com/is-number/-/is-number-7.0.0.tgz#7535345b896734d5f80c4d06c50955527a14f12b"
1712 | integrity sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==
1713 |
1714 | is-path-inside@^3.0.3:
1715 | version "3.0.3"
1716 | resolved "https://registry.yarnpkg.com/is-path-inside/-/is-path-inside-3.0.3.tgz#d231362e53a07ff2b0e0ea7fed049161ffd16283"
1717 | integrity sha512-Fd4gABb+ycGAmKou8eMftCupSir5lRxqf4aD/vd0cD2qc4HL07OjCeuHMr8Ro4CoMaeCKDB0/ECBOVWjTwUvPQ==
1718 |
1719 | is-regex@^1.1.4:
1720 | version "1.1.4"
1721 | resolved "https://registry.yarnpkg.com/is-regex/-/is-regex-1.1.4.tgz#eef5663cd59fa4c0ae339505323df6854bb15958"
1722 | integrity sha512-kvRdxDsxZjhzUX07ZnLydzS1TU/TJlTUHHY4YLL87e37oUA49DfkLqgy+VjFocowy29cKvcSiu+kIv728jTTVg==
1723 | dependencies:
1724 | call-bind "^1.0.2"
1725 | has-tostringtag "^1.0.0"
1726 |
1727 | is-set@^2.0.1, is-set@^2.0.2:
1728 | version "2.0.2"
1729 | resolved "https://registry.yarnpkg.com/is-set/-/is-set-2.0.2.tgz#90755fa4c2562dc1c5d4024760d6119b94ca18ec"
1730 | integrity sha512-+2cnTEZeY5z/iXGbLhPrOAaK/Mau5k5eXq9j14CpRTftq0pAJu2MwVRSZhyZWBzx3o6X795Lz6Bpb6R0GKf37g==
1731 |
1732 | is-shared-array-buffer@^1.0.2:
1733 | version "1.0.2"
1734 | resolved "https://registry.yarnpkg.com/is-shared-array-buffer/-/is-shared-array-buffer-1.0.2.tgz#8f259c573b60b6a32d4058a1a07430c0a7344c79"
1735 | integrity sha512-sqN2UDu1/0y6uvXyStCOzyhAjCSlHceFoMKJW8W9EU9cvic/QdsZ0kEU93HEy3IUEFZIiH/3w+AH/UQbPHNdhA==
1736 | dependencies:
1737 | call-bind "^1.0.2"
1738 |
1739 | is-string@^1.0.5, is-string@^1.0.7:
1740 | version "1.0.7"
1741 | resolved "https://registry.yarnpkg.com/is-string/-/is-string-1.0.7.tgz#0dd12bf2006f255bb58f695110eff7491eebc0fd"
1742 | integrity sha512-tE2UXzivje6ofPW7l23cjDOMa09gb7xlAqG6jG5ej6uPV32TlWP3NKPigtaGeHNu9fohccRYvIiZMfOOnOYUtg==
1743 | dependencies:
1744 | has-tostringtag "^1.0.0"
1745 |
1746 | is-symbol@^1.0.2, is-symbol@^1.0.3:
1747 | version "1.0.4"
1748 | resolved "https://registry.yarnpkg.com/is-symbol/-/is-symbol-1.0.4.tgz#a6dac93b635b063ca6872236de88910a57af139c"
1749 | integrity sha512-C/CPBqKWnvdcxqIARxyOh4v1UUEOCHpgDa0WYgpKDFMszcrPcffg5uhwSgPCLD2WWxmq6isisz87tzT01tuGhg==
1750 | dependencies:
1751 | has-symbols "^1.0.2"
1752 |
1753 | is-typed-array@^1.1.10, is-typed-array@^1.1.9:
1754 | version "1.1.10"
1755 | resolved "https://registry.yarnpkg.com/is-typed-array/-/is-typed-array-1.1.10.tgz#36a5b5cb4189b575d1a3e4b08536bfb485801e3f"
1756 | integrity sha512-PJqgEHiWZvMpaFZ3uTc8kHPM4+4ADTlDniuQL7cU/UDA0Ql7F70yGfHph3cLNe+c9toaigv+DFzTJKhc2CtO6A==
1757 | dependencies:
1758 | available-typed-arrays "^1.0.5"
1759 | call-bind "^1.0.2"
1760 | for-each "^0.3.3"
1761 | gopd "^1.0.1"
1762 | has-tostringtag "^1.0.0"
1763 |
1764 | is-weakmap@^2.0.1:
1765 | version "2.0.1"
1766 | resolved "https://registry.yarnpkg.com/is-weakmap/-/is-weakmap-2.0.1.tgz#5008b59bdc43b698201d18f62b37b2ca243e8cf2"
1767 | integrity sha512-NSBR4kH5oVj1Uwvv970ruUkCV7O1mzgVFO4/rev2cLRda9Tm9HrL70ZPut4rOHgY0FNrUu9BCbXA2sdQ+x0chA==
1768 |
1769 | is-weakref@^1.0.2:
1770 | version "1.0.2"
1771 | resolved "https://registry.yarnpkg.com/is-weakref/-/is-weakref-1.0.2.tgz#9529f383a9338205e89765e0392efc2f100f06f2"
1772 | integrity sha512-qctsuLZmIQ0+vSSMfoVvyFe2+GSEvnmZ2ezTup1SBse9+twCCeial6EEi3Nc2KFcf6+qz2FBPnjXsk8xhKSaPQ==
1773 | dependencies:
1774 | call-bind "^1.0.2"
1775 |
1776 | is-weakset@^2.0.1:
1777 | version "2.0.2"
1778 | resolved "https://registry.yarnpkg.com/is-weakset/-/is-weakset-2.0.2.tgz#4569d67a747a1ce5a994dfd4ef6dcea76e7c0a1d"
1779 | integrity sha512-t2yVvttHkQktwnNNmBQ98AhENLdPUTDTE21uPqAQ0ARwQfGeQKRVS0NNurH7bTf7RrvcVn1OOge45CnBeHCSmg==
1780 | dependencies:
1781 | call-bind "^1.0.2"
1782 | get-intrinsic "^1.1.1"
1783 |
1784 | isarray@^2.0.5:
1785 | version "2.0.5"
1786 | resolved "https://registry.yarnpkg.com/isarray/-/isarray-2.0.5.tgz#8af1e4c1221244cc62459faf38940d4e644a5723"
1787 | integrity sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw==
1788 |
1789 | isexe@^2.0.0:
1790 | version "2.0.0"
1791 | resolved "https://registry.yarnpkg.com/isexe/-/isexe-2.0.0.tgz#e8fbf374dc556ff8947a10dcb0572d633f2cfa10"
1792 | integrity sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==
1793 |
1794 | js-sdsl@^4.1.4:
1795 | version "4.4.1"
1796 | resolved "https://registry.yarnpkg.com/js-sdsl/-/js-sdsl-4.4.1.tgz#9e3c7b566d8d9a7e1fe8fc26d00b5ab0f8918ab3"
1797 | integrity sha512-6Gsx8R0RucyePbWqPssR8DyfuXmLBooYN5cZFZKjHGnQuaf7pEzhtpceagJxVu4LqhYY5EYA7nko3FmeHZ1KbA==
1798 |
1799 | "js-tokens@^3.0.0 || ^4.0.0", js-tokens@^4.0.0:
1800 | version "4.0.0"
1801 | resolved "https://registry.yarnpkg.com/js-tokens/-/js-tokens-4.0.0.tgz#19203fb59991df98e3a287050d4647cdeaf32499"
1802 | integrity sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==
1803 |
1804 | js-yaml@^4.1.0:
1805 | version "4.1.0"
1806 | resolved "https://registry.yarnpkg.com/js-yaml/-/js-yaml-4.1.0.tgz#c1fb65f8f5017901cdd2c951864ba18458a10602"
1807 | integrity sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==
1808 | dependencies:
1809 | argparse "^2.0.1"
1810 |
1811 | jsesc@^2.5.1:
1812 | version "2.5.2"
1813 | resolved "https://registry.yarnpkg.com/jsesc/-/jsesc-2.5.2.tgz#80564d2e483dacf6e8ef209650a67df3f0c283a4"
1814 | integrity sha512-OYu7XEzjkCQ3C5Ps3QIZsQfNpqoJyZZA99wd9aWd05NCtC5pWOkShK2mkL6HXQR6/Cy2lbNdPlZBpuQHXE63gA==
1815 |
1816 | json-schema-traverse@^0.4.1:
1817 | version "0.4.1"
1818 | resolved "https://registry.yarnpkg.com/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz#69f6a87d9513ab8bb8fe63bdb0979c448e684660"
1819 | integrity sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==
1820 |
1821 | json-stable-stringify-without-jsonify@^1.0.1:
1822 | version "1.0.1"
1823 | resolved "https://registry.yarnpkg.com/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz#9db7b59496ad3f3cfef30a75142d2d930ad72651"
1824 | integrity sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==
1825 |
1826 | json5@^1.0.2:
1827 | version "1.0.2"
1828 | resolved "https://registry.yarnpkg.com/json5/-/json5-1.0.2.tgz#63d98d60f21b313b77c4d6da18bfa69d80e1d593"
1829 | integrity sha512-g1MWMLBiz8FKi1e4w0UyVL3w+iJceWAFBAaBnnGKOpNa5f8TLktkbre1+s6oICydWAm+HRUGTmI+//xv2hvXYA==
1830 | dependencies:
1831 | minimist "^1.2.0"
1832 |
1833 | json5@^2.2.2:
1834 | version "2.2.3"
1835 | resolved "https://registry.yarnpkg.com/json5/-/json5-2.2.3.tgz#78cd6f1a19bdc12b73db5ad0c61efd66c1e29283"
1836 | integrity sha512-XmOWe7eyHYH14cLdVPoyg+GOH3rYX++KpzrylJwSW98t3Nk+U8XOl8FWKOgwtzdb8lXGf6zYwDUzeHMWfxasyg==
1837 |
1838 | "jsx-ast-utils@^2.4.1 || ^3.0.0", jsx-ast-utils@^3.3.3:
1839 | version "3.3.3"
1840 | resolved "https://registry.yarnpkg.com/jsx-ast-utils/-/jsx-ast-utils-3.3.3.tgz#76b3e6e6cece5c69d49a5792c3d01bd1a0cdc7ea"
1841 | integrity sha512-fYQHZTZ8jSfmWZ0iyzfwiU4WDX4HpHbMCZ3gPlWYiCl3BoeOTsqKBqnTVfH2rYT7eP5c3sVbeSPHnnJOaTrWiw==
1842 | dependencies:
1843 | array-includes "^3.1.5"
1844 | object.assign "^4.1.3"
1845 |
1846 | language-subtag-registry@~0.3.2:
1847 | version "0.3.22"
1848 | resolved "https://registry.yarnpkg.com/language-subtag-registry/-/language-subtag-registry-0.3.22.tgz#2e1500861b2e457eba7e7ae86877cbd08fa1fd1d"
1849 | integrity sha512-tN0MCzyWnoz/4nHS6uxdlFWoUZT7ABptwKPQ52Ea7URk6vll88bWBVhodtnlfEuCcKWNGoc+uGbw1cwa9IKh/w==
1850 |
1851 | language-tags@=1.0.5:
1852 | version "1.0.5"
1853 | resolved "https://registry.yarnpkg.com/language-tags/-/language-tags-1.0.5.tgz#d321dbc4da30ba8bf3024e040fa5c14661f9193a"
1854 | integrity sha512-qJhlO9cGXi6hBGKoxEG/sKZDAHD5Hnu9Hs4WbOY3pCWXDhw0N8x1NenNzm2EnNLkLkk7J2SdxAkDSbb6ftT+UQ==
1855 | dependencies:
1856 | language-subtag-registry "~0.3.2"
1857 |
1858 | levn@^0.4.1:
1859 | version "0.4.1"
1860 | resolved "https://registry.yarnpkg.com/levn/-/levn-0.4.1.tgz#ae4562c007473b932a6200d403268dd2fffc6ade"
1861 | integrity sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==
1862 | dependencies:
1863 | prelude-ls "^1.2.1"
1864 | type-check "~0.4.0"
1865 |
1866 | locate-path@^6.0.0:
1867 | version "6.0.0"
1868 | resolved "https://registry.yarnpkg.com/locate-path/-/locate-path-6.0.0.tgz#55321eb309febbc59c4801d931a72452a681d286"
1869 | integrity sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==
1870 | dependencies:
1871 | p-locate "^5.0.0"
1872 |
1873 | lodash.merge@^4.6.2:
1874 | version "4.6.2"
1875 | resolved "https://registry.yarnpkg.com/lodash.merge/-/lodash.merge-4.6.2.tgz#558aa53b43b661e1925a0afdfa36a9a1085fe57a"
1876 | integrity sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==
1877 |
1878 | loose-envify@^1.1.0, loose-envify@^1.4.0:
1879 | version "1.4.0"
1880 | resolved "https://registry.yarnpkg.com/loose-envify/-/loose-envify-1.4.0.tgz#71ee51fa7be4caec1a63839f7e682d8132d30caf"
1881 | integrity sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q==
1882 | dependencies:
1883 | js-tokens "^3.0.0 || ^4.0.0"
1884 |
1885 | lru-cache@^5.1.1:
1886 | version "5.1.1"
1887 | resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-5.1.1.tgz#1da27e6710271947695daf6848e847f01d84b920"
1888 | integrity sha512-KpNARQA3Iwv+jTA0utUVVbrh+Jlrr1Fv0e56GGzAFOXN7dk/FviaDW8LHmK52DlcH4WP2n6gI8vN1aesBFgo9w==
1889 | dependencies:
1890 | yallist "^3.0.2"
1891 |
1892 | lru-cache@^6.0.0:
1893 | version "6.0.0"
1894 | resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-6.0.0.tgz#6d6fe6570ebd96aaf90fcad1dafa3b2566db3a94"
1895 | integrity sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==
1896 | dependencies:
1897 | yallist "^4.0.0"
1898 |
1899 | magic-string@^0.27.0:
1900 | version "0.27.0"
1901 | resolved "https://registry.yarnpkg.com/magic-string/-/magic-string-0.27.0.tgz#e4a3413b4bab6d98d2becffd48b4a257effdbbf3"
1902 | integrity sha512-8UnnX2PeRAPZuN12svgR9j7M1uWMovg/CEnIwIG0LFkXSJJe4PdfUGiTGl8V9bsBHFUtfVINcSyYxd7q+kx9fA==
1903 | dependencies:
1904 | "@jridgewell/sourcemap-codec" "^1.4.13"
1905 |
1906 | merge2@^1.3.0, merge2@^1.4.1:
1907 | version "1.4.1"
1908 | resolved "https://registry.yarnpkg.com/merge2/-/merge2-1.4.1.tgz#4368892f885e907455a6fd7dc55c0c9d404990ae"
1909 | integrity sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==
1910 |
1911 | micromatch@^4.0.4:
1912 | version "4.0.5"
1913 | resolved "https://registry.yarnpkg.com/micromatch/-/micromatch-4.0.5.tgz#bc8999a7cbbf77cdc89f132f6e467051b49090c6"
1914 | integrity sha512-DMy+ERcEW2q8Z2Po+WNXuw3c5YaUSFjAO5GsJqfEl7UjvtIuFKO6ZrKvcItdy98dwFI2N1tg3zNIdKaQT+aNdA==
1915 | dependencies:
1916 | braces "^3.0.2"
1917 | picomatch "^2.3.1"
1918 |
1919 | minimatch@^3.0.5, minimatch@^3.1.1, minimatch@^3.1.2:
1920 | version "3.1.2"
1921 | resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.1.2.tgz#19cd194bfd3e428f049a70817c038d89ab4be35b"
1922 | integrity sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==
1923 | dependencies:
1924 | brace-expansion "^1.1.7"
1925 |
1926 | minimist@^1.2.0, minimist@^1.2.6:
1927 | version "1.2.8"
1928 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.8.tgz#c1a464e7693302e082a075cee0c057741ac4772c"
1929 | integrity sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==
1930 |
1931 | ms@2.1.2:
1932 | version "2.1.2"
1933 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.2.tgz#d09d1f357b443f493382a8eb3ccd183872ae6009"
1934 | integrity sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==
1935 |
1936 | ms@^2.1.1:
1937 | version "2.1.3"
1938 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.3.tgz#574c8138ce1d2b5861f0b44579dbadd60c6615b2"
1939 | integrity sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==
1940 |
1941 | nanoid@^3.3.6:
1942 | version "3.3.6"
1943 | resolved "https://registry.yarnpkg.com/nanoid/-/nanoid-3.3.6.tgz#443380c856d6e9f9824267d960b4236ad583ea4c"
1944 | integrity sha512-BGcqMMJuToF7i1rt+2PWSNVnWIkGCU78jBG3RxO/bZlnZPK2Cmi2QaffxGO/2RvWi9sL+FAiRiXMgsyxQ1DIDA==
1945 |
1946 | natural-compare-lite@^1.4.0:
1947 | version "1.4.0"
1948 | resolved "https://registry.yarnpkg.com/natural-compare-lite/-/natural-compare-lite-1.4.0.tgz#17b09581988979fddafe0201e931ba933c96cbb4"
1949 | integrity sha512-Tj+HTDSJJKaZnfiuw+iaF9skdPpTo2GtEly5JHnWV/hfv2Qj/9RKsGISQtLh2ox3l5EAGw487hnBee0sIJ6v2g==
1950 |
1951 | natural-compare@^1.4.0:
1952 | version "1.4.0"
1953 | resolved "https://registry.yarnpkg.com/natural-compare/-/natural-compare-1.4.0.tgz#4abebfeed7541f2c27acfb29bdbbd15c8d5ba4f7"
1954 | integrity sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==
1955 |
1956 | node-releases@^2.0.12:
1957 | version "2.0.12"
1958 | resolved "https://registry.yarnpkg.com/node-releases/-/node-releases-2.0.12.tgz#35627cc224a23bfb06fb3380f2b3afaaa7eb1039"
1959 | integrity sha512-QzsYKWhXTWx8h1kIvqfnC++o0pEmpRQA/aenALsL2F4pqNVr7YzcdMlDij5WBnwftRbJCNJL/O7zdKaxKPHqgQ==
1960 |
1961 | nostr-tools@^1.10.1:
1962 | version "1.11.2"
1963 | resolved "https://registry.yarnpkg.com/nostr-tools/-/nostr-tools-1.11.2.tgz#cc2db6769a6f1a702f28331a4ffd91e9a5153a60"
1964 | integrity sha512-ezN+QwPlFTRZLjstUJw9xacI7/rKKOn18bRitKcArj5YFLaxA2xDIvkryapYZ1IBsJzFYcODmygKIrHdZXsJjw==
1965 | dependencies:
1966 | "@noble/curves" "1.0.0"
1967 | "@noble/hashes" "1.3.0"
1968 | "@scure/base" "1.1.1"
1969 | "@scure/bip32" "1.3.0"
1970 | "@scure/bip39" "1.2.0"
1971 |
1972 | object-assign@^4.1.1:
1973 | version "4.1.1"
1974 | resolved "https://registry.yarnpkg.com/object-assign/-/object-assign-4.1.1.tgz#2109adc7965887cfc05cbbd442cac8bfbb360863"
1975 | integrity sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==
1976 |
1977 | object-inspect@^1.12.3, object-inspect@^1.9.0:
1978 | version "1.12.3"
1979 | resolved "https://registry.yarnpkg.com/object-inspect/-/object-inspect-1.12.3.tgz#ba62dffd67ee256c8c086dfae69e016cd1f198b9"
1980 | integrity sha512-geUvdk7c+eizMNUDkRpW1wJwgfOiOeHbxBR/hLXK1aT6zmVSO0jsQcs7fj6MGw89jC/cjGfLcNOrtMYtGqm81g==
1981 |
1982 | object-is@^1.1.5:
1983 | version "1.1.5"
1984 | resolved "https://registry.yarnpkg.com/object-is/-/object-is-1.1.5.tgz#b9deeaa5fc7f1846a0faecdceec138e5778f53ac"
1985 | integrity sha512-3cyDsyHgtmi7I7DfSSI2LDp6SK2lwvtbg0p0R1e0RvTqF5ceGx+K2dfSjm1bKDMVCFEDAQvy+o8c6a7VujOddw==
1986 | dependencies:
1987 | call-bind "^1.0.2"
1988 | define-properties "^1.1.3"
1989 |
1990 | object-keys@^1.1.1:
1991 | version "1.1.1"
1992 | resolved "https://registry.yarnpkg.com/object-keys/-/object-keys-1.1.1.tgz#1c47f272df277f3b1daf061677d9c82e2322c60e"
1993 | integrity sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==
1994 |
1995 | object.assign@^4.1.3, object.assign@^4.1.4:
1996 | version "4.1.4"
1997 | resolved "https://registry.yarnpkg.com/object.assign/-/object.assign-4.1.4.tgz#9673c7c7c351ab8c4d0b516f4343ebf4dfb7799f"
1998 | integrity sha512-1mxKf0e58bvyjSCtKYY4sRe9itRk3PJpquJOjeIkz885CczcI4IvJJDLPS72oowuSh+pBxUFROpX+TU++hxhZQ==
1999 | dependencies:
2000 | call-bind "^1.0.2"
2001 | define-properties "^1.1.4"
2002 | has-symbols "^1.0.3"
2003 | object-keys "^1.1.1"
2004 |
2005 | object.entries@^1.1.6:
2006 | version "1.1.6"
2007 | resolved "https://registry.yarnpkg.com/object.entries/-/object.entries-1.1.6.tgz#9737d0e5b8291edd340a3e3264bb8a3b00d5fa23"
2008 | integrity sha512-leTPzo4Zvg3pmbQ3rDK69Rl8GQvIqMWubrkxONG9/ojtFE2rD9fjMKfSI5BxW3osRH1m6VdzmqK8oAY9aT4x5w==
2009 | dependencies:
2010 | call-bind "^1.0.2"
2011 | define-properties "^1.1.4"
2012 | es-abstract "^1.20.4"
2013 |
2014 | object.fromentries@^2.0.6:
2015 | version "2.0.6"
2016 | resolved "https://registry.yarnpkg.com/object.fromentries/-/object.fromentries-2.0.6.tgz#cdb04da08c539cffa912dcd368b886e0904bfa73"
2017 | integrity sha512-VciD13dswC4j1Xt5394WR4MzmAQmlgN72phd/riNp9vtD7tp4QQWJ0R4wvclXcafgcYK8veHRed2W6XeGBvcfg==
2018 | dependencies:
2019 | call-bind "^1.0.2"
2020 | define-properties "^1.1.4"
2021 | es-abstract "^1.20.4"
2022 |
2023 | object.hasown@^1.1.2:
2024 | version "1.1.2"
2025 | resolved "https://registry.yarnpkg.com/object.hasown/-/object.hasown-1.1.2.tgz#f919e21fad4eb38a57bc6345b3afd496515c3f92"
2026 | integrity sha512-B5UIT3J1W+WuWIU55h0mjlwaqxiE5vYENJXIXZ4VFe05pNYrkKuK0U/6aFcb0pKywYJh7IhfoqUfKVmrJJHZHw==
2027 | dependencies:
2028 | define-properties "^1.1.4"
2029 | es-abstract "^1.20.4"
2030 |
2031 | object.values@^1.1.6:
2032 | version "1.1.6"
2033 | resolved "https://registry.yarnpkg.com/object.values/-/object.values-1.1.6.tgz#4abbaa71eba47d63589d402856f908243eea9b1d"
2034 | integrity sha512-FVVTkD1vENCsAcwNs9k6jea2uHC/X0+JcjG8YA60FN5CMaJmG95wT9jek/xX9nornqGRrBkKtzuAu2wuHpKqvw==
2035 | dependencies:
2036 | call-bind "^1.0.2"
2037 | define-properties "^1.1.4"
2038 | es-abstract "^1.20.4"
2039 |
2040 | once@^1.3.0:
2041 | version "1.4.0"
2042 | resolved "https://registry.yarnpkg.com/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1"
2043 | integrity sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==
2044 | dependencies:
2045 | wrappy "1"
2046 |
2047 | optionator@^0.9.1:
2048 | version "0.9.1"
2049 | resolved "https://registry.yarnpkg.com/optionator/-/optionator-0.9.1.tgz#4f236a6373dae0566a6d43e1326674f50c291499"
2050 | integrity sha512-74RlY5FCnhq4jRxVUPKDaRwrVNXMqsGsiW6AJw4XK8hmtm10wC0ypZBLw5IIp85NZMr91+qd1RvvENwg7jjRFw==
2051 | dependencies:
2052 | deep-is "^0.1.3"
2053 | fast-levenshtein "^2.0.6"
2054 | levn "^0.4.1"
2055 | prelude-ls "^1.2.1"
2056 | type-check "^0.4.0"
2057 | word-wrap "^1.2.3"
2058 |
2059 | p-limit@^3.0.2:
2060 | version "3.1.0"
2061 | resolved "https://registry.yarnpkg.com/p-limit/-/p-limit-3.1.0.tgz#e1daccbe78d0d1388ca18c64fea38e3e57e3706b"
2062 | integrity sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==
2063 | dependencies:
2064 | yocto-queue "^0.1.0"
2065 |
2066 | p-locate@^5.0.0:
2067 | version "5.0.0"
2068 | resolved "https://registry.yarnpkg.com/p-locate/-/p-locate-5.0.0.tgz#83c8315c6785005e3bd021839411c9e110e6d834"
2069 | integrity sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==
2070 | dependencies:
2071 | p-limit "^3.0.2"
2072 |
2073 | parent-module@^1.0.0:
2074 | version "1.0.1"
2075 | resolved "https://registry.yarnpkg.com/parent-module/-/parent-module-1.0.1.tgz#691d2709e78c79fae3a156622452d00762caaaa2"
2076 | integrity sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==
2077 | dependencies:
2078 | callsites "^3.0.0"
2079 |
2080 | path-exists@^4.0.0:
2081 | version "4.0.0"
2082 | resolved "https://registry.yarnpkg.com/path-exists/-/path-exists-4.0.0.tgz#513bdbe2d3b95d7762e8c1137efa195c6c61b5b3"
2083 | integrity sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==
2084 |
2085 | path-is-absolute@^1.0.0:
2086 | version "1.0.1"
2087 | resolved "https://registry.yarnpkg.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f"
2088 | integrity sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==
2089 |
2090 | path-key@^3.1.0:
2091 | version "3.1.1"
2092 | resolved "https://registry.yarnpkg.com/path-key/-/path-key-3.1.1.tgz#581f6ade658cbba65a0d3380de7753295054f375"
2093 | integrity sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==
2094 |
2095 | path-parse@^1.0.7:
2096 | version "1.0.7"
2097 | resolved "https://registry.yarnpkg.com/path-parse/-/path-parse-1.0.7.tgz#fbc114b60ca42b30d9daf5858e4bd68bbedb6735"
2098 | integrity sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==
2099 |
2100 | path-type@^4.0.0:
2101 | version "4.0.0"
2102 | resolved "https://registry.yarnpkg.com/path-type/-/path-type-4.0.0.tgz#84ed01c0a7ba380afe09d90a8c180dcd9d03043b"
2103 | integrity sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==
2104 |
2105 | picocolors@^1.0.0:
2106 | version "1.0.0"
2107 | resolved "https://registry.yarnpkg.com/picocolors/-/picocolors-1.0.0.tgz#cb5bdc74ff3f51892236eaf79d68bc44564ab81c"
2108 | integrity sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ==
2109 |
2110 | picomatch@^2.3.1:
2111 | version "2.3.1"
2112 | resolved "https://registry.yarnpkg.com/picomatch/-/picomatch-2.3.1.tgz#3ba3833733646d9d3e4995946c1365a67fb07a42"
2113 | integrity sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==
2114 |
2115 | postcss@^8.4.23:
2116 | version "8.4.24"
2117 | resolved "https://registry.yarnpkg.com/postcss/-/postcss-8.4.24.tgz#f714dba9b2284be3cc07dbd2fc57ee4dc972d2df"
2118 | integrity sha512-M0RzbcI0sO/XJNucsGjvWU9ERWxb/ytp1w6dKtxTKgixdtQDq4rmx/g8W1hnaheq9jgwL/oyEdH5Bc4WwJKMqg==
2119 | dependencies:
2120 | nanoid "^3.3.6"
2121 | picocolors "^1.0.0"
2122 | source-map-js "^1.0.2"
2123 |
2124 | prelude-ls@^1.2.1:
2125 | version "1.2.1"
2126 | resolved "https://registry.yarnpkg.com/prelude-ls/-/prelude-ls-1.2.1.tgz#debc6489d7a6e6b0e7611888cec880337d316396"
2127 | integrity sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==
2128 |
2129 | prop-types@^15.8.1:
2130 | version "15.8.1"
2131 | resolved "https://registry.yarnpkg.com/prop-types/-/prop-types-15.8.1.tgz#67d87bf1a694f48435cf332c24af10214a3140b5"
2132 | integrity sha512-oj87CgZICdulUohogVAR7AjlC0327U4el4L6eAvOqCeudMDVU0NThNaV+b9Df4dXgSP1gXMTnPdhfe/2qDH5cg==
2133 | dependencies:
2134 | loose-envify "^1.4.0"
2135 | object-assign "^4.1.1"
2136 | react-is "^16.13.1"
2137 |
2138 | punycode@^2.1.0:
2139 | version "2.3.0"
2140 | resolved "https://registry.yarnpkg.com/punycode/-/punycode-2.3.0.tgz#f67fa67c94da8f4d0cfff981aee4118064199b8f"
2141 | integrity sha512-rRV+zQD8tVFys26lAGR9WUuS4iUAngJScM+ZRSKtvl5tKeZ2t5bvdNFdNHBW9FWR4guGHlgmsZ1G7BSm2wTbuA==
2142 |
2143 | queue-microtask@^1.2.2:
2144 | version "1.2.3"
2145 | resolved "https://registry.yarnpkg.com/queue-microtask/-/queue-microtask-1.2.3.tgz#4929228bbc724dfac43e0efb058caf7b6cfb6243"
2146 | integrity sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==
2147 |
2148 | react-dom@^18.2.0:
2149 | version "18.2.0"
2150 | resolved "https://registry.yarnpkg.com/react-dom/-/react-dom-18.2.0.tgz#22aaf38708db2674ed9ada224ca4aa708d821e3d"
2151 | integrity sha512-6IMTriUmvsjHUjNtEDudZfuDQUoWXVxKHhlEGSk81n4YFS+r/Kl99wXiwlVXtPBtJenozv2P+hxDsw9eA7Xo6g==
2152 | dependencies:
2153 | loose-envify "^1.1.0"
2154 | scheduler "^0.23.0"
2155 |
2156 | react-is@^16.13.1:
2157 | version "16.13.1"
2158 | resolved "https://registry.yarnpkg.com/react-is/-/react-is-16.13.1.tgz#789729a4dc36de2999dc156dd6c1d9c18cea56a4"
2159 | integrity sha512-24e6ynE2H+OKt4kqsOvNd8kBpV65zoxbA4BVsEOB3ARVWQki/DHzaUoC5KuON/BiccDaCCTZBuOcfZs70kR8bQ==
2160 |
2161 | react-refresh@^0.14.0:
2162 | version "0.14.0"
2163 | resolved "https://registry.yarnpkg.com/react-refresh/-/react-refresh-0.14.0.tgz#4e02825378a5f227079554d4284889354e5f553e"
2164 | integrity sha512-wViHqhAd8OHeLS/IRMJjTSDHF3U9eWi62F/MledQGPdJGDhodXJ9PBLNGr6WWL7qlH12Mt3TyTpbS+hGXMjCzQ==
2165 |
2166 | react@^18.2.0:
2167 | version "18.2.0"
2168 | resolved "https://registry.yarnpkg.com/react/-/react-18.2.0.tgz#555bd98592883255fa00de14f1151a917b5d77d5"
2169 | integrity sha512-/3IjMdb2L9QbBdWiW5e3P2/npwMBaU9mHCSCUzNln0ZCYbcfTsGbTJrU/kGemdH2IWmB2ioZ+zkxtmq6g09fGQ==
2170 | dependencies:
2171 | loose-envify "^1.1.0"
2172 |
2173 | regenerator-runtime@^0.13.11:
2174 | version "0.13.11"
2175 | resolved "https://registry.yarnpkg.com/regenerator-runtime/-/regenerator-runtime-0.13.11.tgz#f6dca3e7ceec20590d07ada785636a90cdca17f9"
2176 | integrity sha512-kY1AZVr2Ra+t+piVaJ4gxaFaReZVH40AKNo7UCX6W+dEwBo/2oZJzqfuN1qLq1oL45o56cPaTXELwrTh8Fpggg==
2177 |
2178 | regexp.prototype.flags@^1.4.3, regexp.prototype.flags@^1.5.0:
2179 | version "1.5.0"
2180 | resolved "https://registry.yarnpkg.com/regexp.prototype.flags/-/regexp.prototype.flags-1.5.0.tgz#fe7ce25e7e4cca8db37b6634c8a2c7009199b9cb"
2181 | integrity sha512-0SutC3pNudRKgquxGoRGIz946MZVHqbNfPjBdxeOhBrdgDKlRoXmYLQN9xRbrR09ZXWeGAdPuif7egofn6v5LA==
2182 | dependencies:
2183 | call-bind "^1.0.2"
2184 | define-properties "^1.2.0"
2185 | functions-have-names "^1.2.3"
2186 |
2187 | regexpp@^3.0.0:
2188 | version "3.2.0"
2189 | resolved "https://registry.yarnpkg.com/regexpp/-/regexpp-3.2.0.tgz#0425a2768d8f23bad70ca4b90461fa2f1213e1b2"
2190 | integrity sha512-pq2bWo9mVD43nbts2wGv17XLiNLya+GklZ8kaDLV2Z08gDCsGpnKn9BFMepvWuHCbyVvY7J5o5+BVvoQbmlJLg==
2191 |
2192 | resolve-from@^4.0.0:
2193 | version "4.0.0"
2194 | resolved "https://registry.yarnpkg.com/resolve-from/-/resolve-from-4.0.0.tgz#4abcd852ad32dd7baabfe9b40e00a36db5f392e6"
2195 | integrity sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==
2196 |
2197 | resolve@^1.22.1:
2198 | version "1.22.2"
2199 | resolved "https://registry.yarnpkg.com/resolve/-/resolve-1.22.2.tgz#0ed0943d4e301867955766c9f3e1ae6d01c6845f"
2200 | integrity sha512-Sb+mjNHOULsBv818T40qSPeRiuWLyaGMa5ewydRLFimneixmVy2zdivRl+AF6jaYPC8ERxGDmFSiqui6SfPd+g==
2201 | dependencies:
2202 | is-core-module "^2.11.0"
2203 | path-parse "^1.0.7"
2204 | supports-preserve-symlinks-flag "^1.0.0"
2205 |
2206 | resolve@^2.0.0-next.4:
2207 | version "2.0.0-next.4"
2208 | resolved "https://registry.yarnpkg.com/resolve/-/resolve-2.0.0-next.4.tgz#3d37a113d6429f496ec4752d2a2e58efb1fd4660"
2209 | integrity sha512-iMDbmAWtfU+MHpxt/I5iWI7cY6YVEZUQ3MBgPQ++XD1PELuJHIl82xBmObyP2KyQmkNB2dsqF7seoQQiAn5yDQ==
2210 | dependencies:
2211 | is-core-module "^2.9.0"
2212 | path-parse "^1.0.7"
2213 | supports-preserve-symlinks-flag "^1.0.0"
2214 |
2215 | reusify@^1.0.4:
2216 | version "1.0.4"
2217 | resolved "https://registry.yarnpkg.com/reusify/-/reusify-1.0.4.tgz#90da382b1e126efc02146e90845a88db12925d76"
2218 | integrity sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==
2219 |
2220 | rimraf@^3.0.2:
2221 | version "3.0.2"
2222 | resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-3.0.2.tgz#f1a5402ba6220ad52cc1282bac1ae3aa49fd061a"
2223 | integrity sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==
2224 | dependencies:
2225 | glob "^7.1.3"
2226 |
2227 | rollup@^3.21.0:
2228 | version "3.24.0"
2229 | resolved "https://registry.yarnpkg.com/rollup/-/rollup-3.24.0.tgz#865dee1fe0bb528747b59914dfab25e6f480e370"
2230 | integrity sha512-OgraHOIg2YpHQTjl0/ymWfFNBEyPucB7lmhXrQUh38qNOegxLapSPFs9sNr0qKR75awW41D93XafoR2QfhBdUQ==
2231 | optionalDependencies:
2232 | fsevents "~2.3.2"
2233 |
2234 | run-parallel@^1.1.9:
2235 | version "1.2.0"
2236 | resolved "https://registry.yarnpkg.com/run-parallel/-/run-parallel-1.2.0.tgz#66d1368da7bdf921eb9d95bd1a9229e7f21a43ee"
2237 | integrity sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==
2238 | dependencies:
2239 | queue-microtask "^1.2.2"
2240 |
2241 | safe-regex-test@^1.0.0:
2242 | version "1.0.0"
2243 | resolved "https://registry.yarnpkg.com/safe-regex-test/-/safe-regex-test-1.0.0.tgz#793b874d524eb3640d1873aad03596db2d4f2295"
2244 | integrity sha512-JBUUzyOgEwXQY1NuPtvcj/qcBDbDmEvWufhlnXZIm75DEHp+afM1r1ujJpJsV/gSM4t59tpDyPi1sd6ZaPFfsA==
2245 | dependencies:
2246 | call-bind "^1.0.2"
2247 | get-intrinsic "^1.1.3"
2248 | is-regex "^1.1.4"
2249 |
2250 | scheduler@^0.23.0:
2251 | version "0.23.0"
2252 | resolved "https://registry.yarnpkg.com/scheduler/-/scheduler-0.23.0.tgz#ba8041afc3d30eb206a487b6b384002e4e61fdfe"
2253 | integrity sha512-CtuThmgHNg7zIZWAXi3AsyIzA3n4xx7aNyjwC2VJldO2LMVDhFK+63xGqq6CsJH4rTAt6/M+N4GhZiDYPx9eUw==
2254 | dependencies:
2255 | loose-envify "^1.1.0"
2256 |
2257 | semver@^6.3.0:
2258 | version "6.3.0"
2259 | resolved "https://registry.yarnpkg.com/semver/-/semver-6.3.0.tgz#ee0a64c8af5e8ceea67687b133761e1becbd1d3d"
2260 | integrity sha512-b39TBaTSfV6yBrapU89p5fKekE2m/NwnDocOVruQFS1/veMgdzuPcnOM34M6CwxW8jH/lxEa5rBoDeUwu5HHTw==
2261 |
2262 | semver@^7.0.0, semver@^7.3.7, semver@^7.3.8:
2263 | version "7.5.1"
2264 | resolved "https://registry.yarnpkg.com/semver/-/semver-7.5.1.tgz#c90c4d631cf74720e46b21c1d37ea07edfab91ec"
2265 | integrity sha512-Wvss5ivl8TMRZXXESstBA4uR5iXgEN/VC5/sOcuXdVLzcdkz4HWetIoRfG5gb5X+ij/G9rw9YoGn3QoQ8OCSpw==
2266 | dependencies:
2267 | lru-cache "^6.0.0"
2268 |
2269 | shebang-command@^2.0.0:
2270 | version "2.0.0"
2271 | resolved "https://registry.yarnpkg.com/shebang-command/-/shebang-command-2.0.0.tgz#ccd0af4f8835fbdc265b82461aaf0c36663f34ea"
2272 | integrity sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==
2273 | dependencies:
2274 | shebang-regex "^3.0.0"
2275 |
2276 | shebang-regex@^3.0.0:
2277 | version "3.0.0"
2278 | resolved "https://registry.yarnpkg.com/shebang-regex/-/shebang-regex-3.0.0.tgz#ae16f1644d873ecad843b0307b143362d4c42172"
2279 | integrity sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==
2280 |
2281 | side-channel@^1.0.4:
2282 | version "1.0.4"
2283 | resolved "https://registry.yarnpkg.com/side-channel/-/side-channel-1.0.4.tgz#efce5c8fdc104ee751b25c58d4290011fa5ea2cf"
2284 | integrity sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==
2285 | dependencies:
2286 | call-bind "^1.0.0"
2287 | get-intrinsic "^1.0.2"
2288 | object-inspect "^1.9.0"
2289 |
2290 | slash@^3.0.0:
2291 | version "3.0.0"
2292 | resolved "https://registry.yarnpkg.com/slash/-/slash-3.0.0.tgz#6539be870c165adbd5240220dbe361f1bc4d4634"
2293 | integrity sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==
2294 |
2295 | source-map-js@^1.0.2:
2296 | version "1.0.2"
2297 | resolved "https://registry.yarnpkg.com/source-map-js/-/source-map-js-1.0.2.tgz#adbc361d9c62df380125e7f161f71c826f1e490c"
2298 | integrity sha512-R0XvVJ9WusLiqTCEiGCmICCMplcCkIwwR11mOSD9CR5u+IXYdiseeEuXCVAjS54zqwkLcPNnmU4OeJ6tUrWhDw==
2299 |
2300 | stop-iteration-iterator@^1.0.0:
2301 | version "1.0.0"
2302 | resolved "https://registry.yarnpkg.com/stop-iteration-iterator/-/stop-iteration-iterator-1.0.0.tgz#6a60be0b4ee757d1ed5254858ec66b10c49285e4"
2303 | integrity sha512-iCGQj+0l0HOdZ2AEeBADlsRC+vsnDsZsbdSiH1yNSjcfKM7fdpCMfqAL/dwF5BLiw/XhRft/Wax6zQbhq2BcjQ==
2304 | dependencies:
2305 | internal-slot "^1.0.4"
2306 |
2307 | string.prototype.matchall@^4.0.8:
2308 | version "4.0.8"
2309 | resolved "https://registry.yarnpkg.com/string.prototype.matchall/-/string.prototype.matchall-4.0.8.tgz#3bf85722021816dcd1bf38bb714915887ca79fd3"
2310 | integrity sha512-6zOCOcJ+RJAQshcTvXPHoxoQGONa3e/Lqx90wUA+wEzX78sg5Bo+1tQo4N0pohS0erG9qtCqJDjNCQBjeWVxyg==
2311 | dependencies:
2312 | call-bind "^1.0.2"
2313 | define-properties "^1.1.4"
2314 | es-abstract "^1.20.4"
2315 | get-intrinsic "^1.1.3"
2316 | has-symbols "^1.0.3"
2317 | internal-slot "^1.0.3"
2318 | regexp.prototype.flags "^1.4.3"
2319 | side-channel "^1.0.4"
2320 |
2321 | string.prototype.trim@^1.2.7:
2322 | version "1.2.7"
2323 | resolved "https://registry.yarnpkg.com/string.prototype.trim/-/string.prototype.trim-1.2.7.tgz#a68352740859f6893f14ce3ef1bb3037f7a90533"
2324 | integrity sha512-p6TmeT1T3411M8Cgg9wBTMRtY2q9+PNy9EV1i2lIXUN/btt763oIfxwN3RR8VU6wHX8j/1CFy0L+YuThm6bgOg==
2325 | dependencies:
2326 | call-bind "^1.0.2"
2327 | define-properties "^1.1.4"
2328 | es-abstract "^1.20.4"
2329 |
2330 | string.prototype.trimend@^1.0.6:
2331 | version "1.0.6"
2332 | resolved "https://registry.yarnpkg.com/string.prototype.trimend/-/string.prototype.trimend-1.0.6.tgz#c4a27fa026d979d79c04f17397f250a462944533"
2333 | integrity sha512-JySq+4mrPf9EsDBEDYMOb/lM7XQLulwg5R/m1r0PXEFqrV0qHvl58sdTilSXtKOflCsK2E8jxf+GKC0T07RWwQ==
2334 | dependencies:
2335 | call-bind "^1.0.2"
2336 | define-properties "^1.1.4"
2337 | es-abstract "^1.20.4"
2338 |
2339 | string.prototype.trimstart@^1.0.6:
2340 | version "1.0.6"
2341 | resolved "https://registry.yarnpkg.com/string.prototype.trimstart/-/string.prototype.trimstart-1.0.6.tgz#e90ab66aa8e4007d92ef591bbf3cd422c56bdcf4"
2342 | integrity sha512-omqjMDaY92pbn5HOX7f9IccLA+U1tA9GvtU4JrodiXFfYB7jPzzHpRzpglLAjtUV6bB557zwClJezTqnAiYnQA==
2343 | dependencies:
2344 | call-bind "^1.0.2"
2345 | define-properties "^1.1.4"
2346 | es-abstract "^1.20.4"
2347 |
2348 | strip-ansi@^6.0.1:
2349 | version "6.0.1"
2350 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-6.0.1.tgz#9e26c63d30f53443e9489495b2105d37b67a85d9"
2351 | integrity sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==
2352 | dependencies:
2353 | ansi-regex "^5.0.1"
2354 |
2355 | strip-bom@^3.0.0:
2356 | version "3.0.0"
2357 | resolved "https://registry.yarnpkg.com/strip-bom/-/strip-bom-3.0.0.tgz#2334c18e9c759f7bdd56fdef7e9ae3d588e68ed3"
2358 | integrity sha512-vavAMRXOgBVNF6nyEEmL3DBK19iRpDcoIwW+swQ+CbGiu7lju6t+JklA1MHweoWtadgt4ISVUsXLyDq34ddcwA==
2359 |
2360 | strip-json-comments@^3.1.0, strip-json-comments@^3.1.1:
2361 | version "3.1.1"
2362 | resolved "https://registry.yarnpkg.com/strip-json-comments/-/strip-json-comments-3.1.1.tgz#31f1281b3832630434831c310c01cccda8cbe006"
2363 | integrity sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==
2364 |
2365 | supports-color@^5.3.0:
2366 | version "5.5.0"
2367 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-5.5.0.tgz#e2e69a44ac8772f78a1ec0b35b689df6530efc8f"
2368 | integrity sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==
2369 | dependencies:
2370 | has-flag "^3.0.0"
2371 |
2372 | supports-color@^7.1.0:
2373 | version "7.2.0"
2374 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-7.2.0.tgz#1b7dcdcb32b8138801b3e478ba6a51caa89648da"
2375 | integrity sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==
2376 | dependencies:
2377 | has-flag "^4.0.0"
2378 |
2379 | supports-preserve-symlinks-flag@^1.0.0:
2380 | version "1.0.0"
2381 | resolved "https://registry.yarnpkg.com/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz#6eda4bd344a3c94aea376d4cc31bc77311039e09"
2382 | integrity sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==
2383 |
2384 | text-table@^0.2.0:
2385 | version "0.2.0"
2386 | resolved "https://registry.yarnpkg.com/text-table/-/text-table-0.2.0.tgz#7f5ee823ae805207c00af2df4a84ec3fcfa570b4"
2387 | integrity sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==
2388 |
2389 | to-fast-properties@^2.0.0:
2390 | version "2.0.0"
2391 | resolved "https://registry.yarnpkg.com/to-fast-properties/-/to-fast-properties-2.0.0.tgz#dc5e698cbd079265bc73e0377681a4e4e83f616e"
2392 | integrity sha512-/OaKK0xYrs3DmxRYqL/yDc+FxFUVYhDlXMhRmv3z915w2HF1tnN1omB354j8VUGO/hbRzyD6Y3sA7v7GS/ceog==
2393 |
2394 | to-regex-range@^5.0.1:
2395 | version "5.0.1"
2396 | resolved "https://registry.yarnpkg.com/to-regex-range/-/to-regex-range-5.0.1.tgz#1648c44aae7c8d988a326018ed72f5b4dd0392e4"
2397 | integrity sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==
2398 | dependencies:
2399 | is-number "^7.0.0"
2400 |
2401 | tsconfck@^2.1.0:
2402 | version "2.1.1"
2403 | resolved "https://registry.yarnpkg.com/tsconfck/-/tsconfck-2.1.1.tgz#9b51603d2712d1f4740fa14748ca886a2e1893e5"
2404 | integrity sha512-ZPCkJBKASZBmBUNqGHmRhdhM8pJYDdOXp4nRgj/O0JwUwsMq50lCDRQP/M5GBNAA0elPrq4gAeu4dkaVCuKWww==
2405 |
2406 | tsconfig-paths@^3.14.1:
2407 | version "3.14.2"
2408 | resolved "https://registry.yarnpkg.com/tsconfig-paths/-/tsconfig-paths-3.14.2.tgz#6e32f1f79412decd261f92d633a9dc1cfa99f088"
2409 | integrity sha512-o/9iXgCYc5L/JxCHPe3Hvh8Q/2xm5Z+p18PESBU6Ff33695QnCHBEjcytY2q19ua7Mbl/DavtBOLq+oG0RCL+g==
2410 | dependencies:
2411 | "@types/json5" "^0.0.29"
2412 | json5 "^1.0.2"
2413 | minimist "^1.2.6"
2414 | strip-bom "^3.0.0"
2415 |
2416 | tslib@^1.8.1:
2417 | version "1.14.1"
2418 | resolved "https://registry.yarnpkg.com/tslib/-/tslib-1.14.1.tgz#cf2d38bdc34a134bcaf1091c41f6619e2f672d00"
2419 | integrity sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==
2420 |
2421 | tsutils@^3.21.0:
2422 | version "3.21.0"
2423 | resolved "https://registry.yarnpkg.com/tsutils/-/tsutils-3.21.0.tgz#b48717d394cea6c1e096983eed58e9d61715b623"
2424 | integrity sha512-mHKK3iUXL+3UF6xL5k0PEhKRUBKPBCv/+RkEOpjRWxxx27KKRBmmA60A9pgOUvMi8GKhRMPEmjBRPzs2W7O1OA==
2425 | dependencies:
2426 | tslib "^1.8.1"
2427 |
2428 | type-check@^0.4.0, type-check@~0.4.0:
2429 | version "0.4.0"
2430 | resolved "https://registry.yarnpkg.com/type-check/-/type-check-0.4.0.tgz#07b8203bfa7056c0657050e3ccd2c37730bab8f1"
2431 | integrity sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==
2432 | dependencies:
2433 | prelude-ls "^1.2.1"
2434 |
2435 | type-fest@^0.20.2:
2436 | version "0.20.2"
2437 | resolved "https://registry.yarnpkg.com/type-fest/-/type-fest-0.20.2.tgz#1bf207f4b28f91583666cb5fbd327887301cd5f4"
2438 | integrity sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==
2439 |
2440 | typed-array-length@^1.0.4:
2441 | version "1.0.4"
2442 | resolved "https://registry.yarnpkg.com/typed-array-length/-/typed-array-length-1.0.4.tgz#89d83785e5c4098bec72e08b319651f0eac9c1bb"
2443 | integrity sha512-KjZypGq+I/H7HI5HlOoGHkWUUGq+Q0TPhQurLbyrVrvnKTBgzLhIJ7j6J/XTQOi0d1RjyZ0wdas8bKs2p0x3Ng==
2444 | dependencies:
2445 | call-bind "^1.0.2"
2446 | for-each "^0.3.3"
2447 | is-typed-array "^1.1.9"
2448 |
2449 | typescript@^5.0.4:
2450 | version "5.1.3"
2451 | resolved "https://registry.yarnpkg.com/typescript/-/typescript-5.1.3.tgz#8d84219244a6b40b6fb2b33cc1c062f715b9e826"
2452 | integrity sha512-XH627E9vkeqhlZFQuL+UsyAXEnibT0kWR2FWONlr4sTjvxyJYnyefgrkyECLzM5NenmKzRAy2rR/OlYLA1HkZw==
2453 |
2454 | unbox-primitive@^1.0.2:
2455 | version "1.0.2"
2456 | resolved "https://registry.yarnpkg.com/unbox-primitive/-/unbox-primitive-1.0.2.tgz#29032021057d5e6cdbd08c5129c226dff8ed6f9e"
2457 | integrity sha512-61pPlCD9h51VoreyJ0BReideM3MDKMKnh6+V9L08331ipq6Q8OFXZYiqP6n/tbHx4s5I9uRhcye6BrbkizkBDw==
2458 | dependencies:
2459 | call-bind "^1.0.2"
2460 | has-bigints "^1.0.2"
2461 | has-symbols "^1.0.3"
2462 | which-boxed-primitive "^1.0.2"
2463 |
2464 | update-browserslist-db@^1.0.11:
2465 | version "1.0.11"
2466 | resolved "https://registry.yarnpkg.com/update-browserslist-db/-/update-browserslist-db-1.0.11.tgz#9a2a641ad2907ae7b3616506f4b977851db5b940"
2467 | integrity sha512-dCwEFf0/oT85M1fHBg4F0jtLwJrutGoHSQXCh7u4o2t1drG+c0a9Flnqww6XUKSfQMPpJBRjU8d4RXB09qtvaA==
2468 | dependencies:
2469 | escalade "^3.1.1"
2470 | picocolors "^1.0.0"
2471 |
2472 | uri-js@^4.2.2:
2473 | version "4.4.1"
2474 | resolved "https://registry.yarnpkg.com/uri-js/-/uri-js-4.4.1.tgz#9b1a52595225859e55f669d928f88c6c57f2a77e"
2475 | integrity sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==
2476 | dependencies:
2477 | punycode "^2.1.0"
2478 |
2479 | vite-tsconfig-paths@^4.0.5:
2480 | version "4.2.0"
2481 | resolved "https://registry.yarnpkg.com/vite-tsconfig-paths/-/vite-tsconfig-paths-4.2.0.tgz#bd2647d3eadafb65a10fc98a2ca565211f2eaf63"
2482 | integrity sha512-jGpus0eUy5qbbMVGiTxCL1iB9ZGN6Bd37VGLJU39kTDD6ZfULTTb1bcc5IeTWqWJKiWV5YihCaibeASPiGi8kw==
2483 | dependencies:
2484 | debug "^4.1.1"
2485 | globrex "^0.1.2"
2486 | tsconfck "^2.1.0"
2487 |
2488 | vite@^4.0.0:
2489 | version "4.3.9"
2490 | resolved "https://registry.yarnpkg.com/vite/-/vite-4.3.9.tgz#db896200c0b1aa13b37cdc35c9e99ee2fdd5f96d"
2491 | integrity sha512-qsTNZjO9NoJNW7KnOrgYwczm0WctJ8m/yqYAMAK9Lxt4SoySUfS5S8ia9K7JHpa3KEeMfyF8LoJ3c5NeBJy6pg==
2492 | dependencies:
2493 | esbuild "^0.17.5"
2494 | postcss "^8.4.23"
2495 | rollup "^3.21.0"
2496 | optionalDependencies:
2497 | fsevents "~2.3.2"
2498 |
2499 | which-boxed-primitive@^1.0.2:
2500 | version "1.0.2"
2501 | resolved "https://registry.yarnpkg.com/which-boxed-primitive/-/which-boxed-primitive-1.0.2.tgz#13757bc89b209b049fe5d86430e21cf40a89a8e6"
2502 | integrity sha512-bwZdv0AKLpplFY2KZRX6TvyuN7ojjr7lwkg6ml0roIy9YeuSr7JS372qlNW18UQYzgYK9ziGcerWqZOmEn9VNg==
2503 | dependencies:
2504 | is-bigint "^1.0.1"
2505 | is-boolean-object "^1.1.0"
2506 | is-number-object "^1.0.4"
2507 | is-string "^1.0.5"
2508 | is-symbol "^1.0.3"
2509 |
2510 | which-collection@^1.0.1:
2511 | version "1.0.1"
2512 | resolved "https://registry.yarnpkg.com/which-collection/-/which-collection-1.0.1.tgz#70eab71ebbbd2aefaf32f917082fc62cdcb70906"
2513 | integrity sha512-W8xeTUwaln8i3K/cY1nGXzdnVZlidBcagyNFtBdD5kxnb4TvGKR7FfSIS3mYpwWS1QUCutfKz8IY8RjftB0+1A==
2514 | dependencies:
2515 | is-map "^2.0.1"
2516 | is-set "^2.0.1"
2517 | is-weakmap "^2.0.1"
2518 | is-weakset "^2.0.1"
2519 |
2520 | which-typed-array@^1.1.9:
2521 | version "1.1.9"
2522 | resolved "https://registry.yarnpkg.com/which-typed-array/-/which-typed-array-1.1.9.tgz#307cf898025848cf995e795e8423c7f337efbde6"
2523 | integrity sha512-w9c4xkx6mPidwp7180ckYWfMmvxpjlZuIudNtDf4N/tTAUB8VJbX25qZoAsrtGuYNnGw3pa0AXgbGKRB8/EceA==
2524 | dependencies:
2525 | available-typed-arrays "^1.0.5"
2526 | call-bind "^1.0.2"
2527 | for-each "^0.3.3"
2528 | gopd "^1.0.1"
2529 | has-tostringtag "^1.0.0"
2530 | is-typed-array "^1.1.10"
2531 |
2532 | which@^2.0.1:
2533 | version "2.0.2"
2534 | resolved "https://registry.yarnpkg.com/which/-/which-2.0.2.tgz#7c6a8dd0a636a0327e10b59c9286eee93f3f51b1"
2535 | integrity sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==
2536 | dependencies:
2537 | isexe "^2.0.0"
2538 |
2539 | word-wrap@^1.2.3:
2540 | version "1.2.3"
2541 | resolved "https://registry.yarnpkg.com/word-wrap/-/word-wrap-1.2.3.tgz#610636f6b1f703891bd34771ccb17fb93b47079c"
2542 | integrity sha512-Hz/mrNwitNRh/HUAtM/VT/5VH+ygD6DV7mYKZAtHOrbs8U7lvPS6xf7EJKMF0uW1KJCl0H701g3ZGus+muE5vQ==
2543 |
2544 | wrappy@1:
2545 | version "1.0.2"
2546 | resolved "https://registry.yarnpkg.com/wrappy/-/wrappy-1.0.2.tgz#b5243d8f3ec1aa35f1364605bc0d1036e30ab69f"
2547 | integrity sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==
2548 |
2549 | yallist@^3.0.2:
2550 | version "3.1.1"
2551 | resolved "https://registry.yarnpkg.com/yallist/-/yallist-3.1.1.tgz#dbb7daf9bfd8bac9ab45ebf602b8cbad0d5d08fd"
2552 | integrity sha512-a4UGQaWPH59mOXUYnAG2ewncQS4i4F43Tv3JoAM+s2VDAmS9NsK8GpDMLrCHPksFT7h3K6TOoUNn2pb7RoXx4g==
2553 |
2554 | yallist@^4.0.0:
2555 | version "4.0.0"
2556 | resolved "https://registry.yarnpkg.com/yallist/-/yallist-4.0.0.tgz#9bb92790d9c0effec63be73519e11a35019a3a72"
2557 | integrity sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==
2558 |
2559 | yocto-queue@^0.1.0:
2560 | version "0.1.0"
2561 | resolved "https://registry.yarnpkg.com/yocto-queue/-/yocto-queue-0.1.0.tgz#0294eb3dee05028d31ee1a5fa2c556a6aaf10a1b"
2562 | integrity sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==
2563 |
--------------------------------------------------------------------------------