├── .eslintrc.js
├── .gitignore
├── .prettierrc.js
├── LICENSE
├── README.md
├── images
└── prosemirror-data-flow.png
├── index.html
├── lib
├── AsyncQuery.tsx
└── main.ts
├── package.json
├── src
├── AsyncFlowExtension.tsx
├── LogsContainer.tsx
├── SandboxAsyncFlow.tsx
├── app.scss
├── computeChangedRanges.ts
├── main.tsx
└── vite-env.d.ts
├── tsconfig.json
├── vite.example.config.ts
├── vite.lib.config.ts
└── yarn.lock
/.eslintrc.js:
--------------------------------------------------------------------------------
1 | module.exports = {
2 | parser: "@typescript-eslint/parser", // Specifies the ESLint parser
3 | parserOptions: {
4 | ecmaVersion: 2020, // Allows for the parsing of modern ECMAScript features
5 | sourceType: "module", // Allows for the use of imports
6 | ecmaFeatures: {
7 | jsx: true, // Allows for the parsing of JSX
8 | },
9 | },
10 | settings: {
11 | react: {
12 | version: "detect", // Tells eslint-plugin-react to automatically detect the version of React to use
13 | },
14 | },
15 | extends: [
16 | "plugin:react/recommended", // Uses the recommended rules from @eslint-plugin-react
17 | "plugin:@typescript-eslint/recommended", // Uses the recommended rules from the @typescript-eslint/eslint-plugin
18 | "plugin:react-hooks/recommended", // Use the recommended rules for react hooks
19 | "plugin:prettier/recommended", // Enables eslint-plugin-prettier and eslint-config-prettier. This will display prettier errors as ESLint errors. Make sure this is always the last configuration in the extends array.
20 | ],
21 | rules: {
22 | // Place to specify ESLint rules. Can be used to overwrite rules specified from the extended configs
23 | // e.g. "@typescript-eslint/explicit-function-return-type": "off",
24 | "@typescript-eslint/explicit-module-boundary-types": "off",
25 | "@typescript-eslint/no-non-null-assertion": "off",
26 | "@typescript-eslint/no-explicit-any": "off",
27 | },
28 | };
29 |
--------------------------------------------------------------------------------
/.gitignore:
--------------------------------------------------------------------------------
1 | node_modules
2 | .DS_Store
3 | dist
4 | dist-ssr
5 | *.local
6 | public
7 |
--------------------------------------------------------------------------------
/.prettierrc.js:
--------------------------------------------------------------------------------
1 | module.exports = {
2 | semi: true,
3 | trailingComma: "all",
4 | printWidth: 120,
5 | tabWidth: 2,
6 | };
7 |
--------------------------------------------------------------------------------
/LICENSE:
--------------------------------------------------------------------------------
1 | MIT License
2 |
3 | Copyright (c) 2021 Luke Murray
4 |
5 | Permission is hereby granted, free of charge, to any person obtaining a copy
6 | of this software and associated documentation files (the "Software"), to deal
7 | in the Software without restriction, including without limitation the rights
8 | to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
9 | copies of the Software, and to permit persons to whom the Software is
10 | furnished to do so, subject to the following conditions:
11 |
12 | The above copyright notice and this permission notice shall be included in all
13 | copies or substantial portions of the Software.
14 |
15 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
16 | IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
17 | FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
18 | AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
19 | LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
20 | OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE
21 | SOFTWARE.
--------------------------------------------------------------------------------
/README.md:
--------------------------------------------------------------------------------
1 | # Prosemirror Async Query
2 |
3 | 
4 | 
5 |
6 | A declarative API for using promises in prosemirror plugins.
7 |
8 | [Live Demo](https://prosemirror-async-query.vercel.app/)
9 |
10 | ## Installation
11 |
12 | ```sh
13 | # npm
14 | npm install prosemirror-async-query
15 |
16 | # yarn
17 | yarn add prosemirror-async-query
18 | ```
19 |
20 | ## Documentation
21 |
22 | This documentation assumes you have some familiarity with prosemirror.
23 | If you do not know about Prosemirror Plugins, in particular, methods such as `view.update`, `state.apply`, and `state.init` then you may want to start by reading the [Prosemirror Guide](https://prosemirror.net/docs/guide/).
24 |
25 | ### Motivation
26 |
27 | In the normal prosemirror data flow, the "editor displays editor state, and when something happens, it creates a transaction and broadcasts this. This transaction is then, typically, used to create new state, which is given to the view using its update state method" [^1].
28 |
29 | [^1]: quoted from [the prosemirror guide](https://prosemirror.net/docs/guide/#view.data_flow).
30 |
31 | 
32 |
33 | The naive way to add promises to this data flow is to set up the promise in `state.apply()` and then `await` the promise in `view.update()`.
34 | [This pattern shows up in the real world](https://github.com/ueberdosis/tiptap/blob/fadafae498eb21253c92047f249b706b78319797/packages/suggestion/src/suggestion.ts#L106-L111) but it has a couple of issues.
35 |
36 | - Because the view only updates when the promise returns, the user is unaware that anything is happening until the promise returns. This could be a usability issue if the promise takes longer than a couple of milliseconds.
37 | - If a transaction leads to a new promise, you may want to cancel the currently running promise, but creating communication between a `state.apply()` and a previous `view.update()` goes against the normal prosemirror data flow.
38 |
39 | ### How Prosemirror Async Query Works
40 |
41 | `prosemirror-async-query` enables easy integration of promises in prosemirror plugins by exposing a declarative API for keeping track of promise state using transactions and view updates.
42 |
43 | To start you create a query in `state.apply()` and add it to your plugin state.
44 | At the very least you must provide a `query` function that returns a promise that resolves data or throws an error.
45 |
46 | ```tsx
47 | import { AsyncQuery } from "prosemirror-async-query";
48 | import { Plugin } from "prosemirror-state";
49 |
50 | const plugin = new Plugin({
51 | state: {
52 | init() {
53 | return { query: null };
54 | },
55 | apply(tr, prev) {
56 | // if the query does not exist create it.
57 | if (prev.query === null) {
58 | return {
59 | query: new AsyncQuery({ query: fetchTodos }),
60 | };
61 | }
62 | return prev;
63 | },
64 | },
65 | });
66 | ```
67 |
68 | Having a query in your plugin state does not do anything yet.
69 | The next step is to run the query using the query's `viewUpdate` and `viewDestroy` methods.
70 | These are meant to be called in the plugin's `view.update()` and `view.destroy()` methods respectively.
71 |
72 | ```tsx
73 | import { AsyncQuery } from "prosemirror-async-query";
74 | import { Plugin, PluginKey } from "prosemirror-state";
75 |
76 | const plugin = new Plugin({
77 | // use a plugin key so we can access plugin state
78 | key: new PluginKey("async-query-plugin"),
79 | view() {
80 | update(editor) {
81 | // run the query update method
82 | pluginKey.getState(editor.state)?.query?.viewUpdate(editor);
83 | },
84 | destroy() {
85 | // run the query destroy method
86 | pluginKey.getState(editor.state)?.query?.viewDestroy(editor);
87 | }
88 | },
89 | state: {
90 | init() {
91 | return { query: null };
92 | },
93 | apply(tr, prev) {
94 | if (prev.query === null) {
95 | return {
96 | query: new AsyncQuery({query: fetchTodos}),
97 | };
98 | } else {
99 | // check the query status (we'll improve this in a second)
100 | console.log(prev.query.status)
101 | }
102 | return prev;
103 | },
104 | },
105 | });
106 | ```
107 |
108 | Before you continue it is helpful to learn what the `query.status` means.
109 |
110 | - `idle` means the query exists but the query function has not been run or the query is not enabled (learn more about enabled in the [source code comments](lib/AsyncQuery.tsx)).
111 | - `loading` means the query is fetching but has not returned yet.
112 | - `error` means the query was canceled or encountered an error.
113 | - `success` means the query returned successfully and has data.
114 |
115 | When you create a new query with `AsyncQuery()` the query has a status of `idle`.
116 | When you call `viewUpdate` on a query, the method checks to see if the query has an `idle` status.
117 | If the query status is `idle` the `viewUpdate` method runs the query, updates the query status to `loading`, and dispatches a transaction indicating that the query status is `loading`.
118 | If the query function returns successfully `viewUpdate` sets the query status to `success` and dispatches a transaction indicating that the query status is `success`.
119 | If the query function throws an error or is canceled, `viewUpdate` sets the query status to `error` and dispatches a transaction indicating that the query status is `error`.
120 |
121 | Because `viewUpdate` dispatches transactions whenever the `queryStatus` changes, you can handle any changes to the `query` in `state.apply()`.
122 |
123 | In the example we access the `query` status in `state.apply()` but the example has an issue.
124 | There are many transactions and we probably only want to react to query status changes once, not on every transaction.
125 | Luckily `AsyncQuery` makes this easy using the `statusChanged` method.
126 |
127 | ```tsx
128 | import { AsyncQuery } from "prosemirror-async-query";
129 | import { Plugin, PluginKey } from "prosemirror-state";
130 |
131 | const plugin = new Plugin({
132 | key: new PluginKey("async-query-plugin"),
133 | view() {
134 | update(editor) {
135 | pluginKey.getState(editor.state)?.query?.viewUpdate(editor);
136 | },
137 | destroy() {
138 | pluginKey.getState(editor.state)?.query?.viewDestroy(editor);
139 | }
140 | },
141 | state: {
142 | init() {
143 | return { query: null };
144 | },
145 | apply(tr, prev) {
146 | if (prev.query === null) {
147 | return {
148 | query: new AsyncQuery({query: fetchTodos}),
149 | };
150 | // check if the query status changed
151 | } else if (prev.query.statusChanged(tr)) {
152 | console.log("query status changed", prev.query.status);
153 | }
154 | return prev;
155 | },
156 | },
157 | });
158 | ```
159 |
160 | The `statusChanged` method only returns true for transactions dispatched by the query's `viewUpdate` method.
161 |
162 | We now have a declarative API for defining an asynchronous function in `state.apply()`, running the asynchronous function in `view.update()`, and reacting to changes in the asynchronous function in `state.apply()`.
163 |
164 | ### Getting Fancy
165 |
166 | As a final tip, both `statusChanged` and `viewUpdate` take flags which can help control the data flow.
167 | For example, you may only want to handle status changes when the query has returned successfully.
168 | You can filter transaction in `statusChanged` to only return true for specific statuses by passing a `status` value as the second argument to the function.
169 |
170 | ```tsx
171 | if (query.statusChanged(tr, "success")) {
172 | console.log(query.status === "success");
173 | }
174 |
175 | if (query.statusChanged(tr, ["success", "error"])) {
176 | console.log(query.status === "success" || query.status === "error");
177 | }
178 | ```
179 |
180 | However you can also avoid dispatching extra transactions altogether by passing `ignore` flags to `viewUpdate`.
181 |
182 | ```tsx
183 | // the query will only dispatch a transaction when the query returns successfully
184 | pluginKey.getState(editor.state)?.query?.viewUpdate(editor, { ignoreLoading: true, ignoreError: true });
185 | ```
186 |
187 | Here is an end to end example with more controlled data flow.
188 |
189 | ```tsx
190 | import { AsyncQuery } from "prosemirror-async-query";
191 | import { Plugin, PluginKey } from "prosemirror-state";
192 |
193 | const plugin = new Plugin({
194 | key: new PluginKey("async-query-plugin"),
195 | view() {
196 | update(editor) {
197 | pluginKey.getState(editor.state)?.query?.viewUpdate(
198 | editor,
199 | // don't send transactions for queries that are loading or errored
200 | {ignoreLoading: true, ignoreError: true}
201 | );
202 | },
203 | destroy() {
204 | pluginKey.getState(editor.state)?.query?.viewDestroy(editor);
205 | }
206 | },
207 | state: {
208 | init() {
209 | // added a query result to our state
210 | return { query: null, result: null };
211 | },
212 | apply(tr, prev) {
213 | if (prev.query === null) {
214 | return {
215 | query: new AsyncQuery({query: fetchTodos}),
216 | };
217 | // only handle the success case
218 | } else if (prev.query.statusChanged(tr, "success")) {
219 | console.log("query returned successfully");
220 | return {
221 | ...prev,
222 | result: query.data,
223 | }
224 | }
225 | return prev;
226 | },
227 | },
228 | });
229 | ```
230 |
231 | For more in depth documentation check out the comments in the [source code](lib/AsyncQuery.tsx) as well as the [example usage](src/AsyncFlowExtension.tsx) from the demo, and feel free to open an issue if you have any questions!
232 |
--------------------------------------------------------------------------------
/images/prosemirror-data-flow.png:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/lukesmurray/prosemirror-async-query/0bad060f32fc8fd16f37a1e478d69f67edd7f6fe/images/prosemirror-data-flow.png
--------------------------------------------------------------------------------
/index.html:
--------------------------------------------------------------------------------
1 |
2 |
3 |
4 | [0];
19 |
20 | /**
21 | * Options passed to the AsyncQuery Constructor
22 | */
23 | export type AsyncQueryOptions = {
24 | /**
25 | * The key used to `setMeta` and `getMeta` on transactions.
26 | */
27 | metaKey?: MetaKey;
28 | /**
29 | * Arbitrary parameters associated with the query. You can use this as a bucket
30 | * to store values with the query, or to implement a caching strategy and
31 | * determine if two queries are the same.
32 | */
33 | parameters?: P;
34 | /**
35 | * The query function
36 | */
37 | query?: () => Promise;
38 | /**
39 | * The cancel function, used to cancel the query.
40 | */
41 | cancel?: () => void;
42 | /**
43 | * Whether the query is enabled.
44 | */
45 | enabled?: boolean;
46 | /**
47 | * The unique id for the query.
48 | */
49 | queryId?: string;
50 | };
51 |
52 | /**
53 | * Options passed to AsyncQuery.viewUpdate
54 | * @see {AsyncQuery.viewUpdate}
55 | */
56 | export type AsyncQueryViewUpdateOptions = {
57 | /**
58 | * If true the query will not dispatch a transaction for `canceled` queries
59 | */
60 | ignoreCanceled?: boolean;
61 | /**
62 | * If true the query will not dispatch a transaction for `successful` queries
63 | */
64 | ignoreSuccess?: boolean;
65 | /**
66 | * If true the query will not dispatch a transaction for `error` queries.
67 | *
68 | * Note: all canceled queries are errors, but not all errors are canceled.
69 | * You can determine if a query was canceled by checking that both the `error`
70 | * property and the `canceled` property are true.
71 | */
72 | ignoreError?: boolean;
73 | /**
74 | * If true the query will not dispatch a transaction for `loading` queries
75 | */
76 | ignoreLoading?: boolean;
77 | };
78 |
79 | /**
80 | * AsyncQuery is a helper class for handling asynchronous functions in ProseMirror.
81 | * The basic logic idea is that you pass an async function to the query in apply.
82 | * You then run `viewUpdate` and`viewDestroy` in the state update/destroy functions.
83 | * The query will dispatch transactions when the async update is finished.
84 | * You can handle these transactions in apply using statusChanged()
85 | * and use them to build state to display in update.
86 | */
87 | export class AsyncQuery {
88 | /**
89 | * @see {AsyncQueryOptions.enabled}
90 | */
91 | public enabled: boolean;
92 | /**
93 | * @see {AsyncQueryOptions.parameters}
94 | */
95 | public parameters: P | undefined;
96 | /**
97 | * @see {AsyncQueryOptions.metaKey}
98 | */
99 | public readonly metaKey: MetaKey;
100 | /**
101 | * @see {AsyncQueryOptions.queryId}
102 | */
103 | public readonly queryId: string;
104 |
105 | private _canceled: boolean;
106 | private _data: D | undefined;
107 | private _error: any | undefined;
108 | private _status: QueryStatus;
109 | private cancelFn: (() => void) | undefined;
110 | private queryFn: () => Promise;
111 |
112 | /**
113 | * @see {QueryStatus}
114 | */
115 | public get status() {
116 | return this._status;
117 | }
118 |
119 | /**
120 | * The data returned by the query
121 | */
122 | public get data() {
123 | return this._data;
124 | }
125 |
126 | /**
127 | * The error returned by the query
128 | */
129 | public get error() {
130 | return this._error;
131 | }
132 |
133 | /**
134 | * Whether the query was canceled.
135 | */
136 | public get canceled() {
137 | return this._canceled;
138 | }
139 |
140 | /**
141 | * String representation of the query
142 | */
143 | public toString() {
144 | return `Query(${this.parameters}) { status: ${this.status}, canceled: ${this.canceled}, enabled: ${this.enabled} }`;
145 | }
146 |
147 | /**
148 | * Create a new AsyncQuery
149 | *
150 | * @see {AsyncQueryOptions}
151 | */
152 | constructor({ metaKey, parameters, query, cancel, enabled, queryId }: AsyncQueryOptions) {
153 | this._status = "idle";
154 | this.queryFn = query ?? (() => Promise.resolve() as any);
155 | this.cancelFn = cancel;
156 | this.parameters = parameters;
157 | this._canceled = false;
158 | this.metaKey = metaKey ?? nanoid();
159 | this.queryId = queryId ?? nanoid();
160 | this.enabled = enabled ?? true;
161 | }
162 |
163 | /**
164 | * Run the query, setting the query's data, status, error, and canceled
165 | * appropriately.
166 | *
167 | * @returns Promise that resolves when the query function returns or when the
168 | * query is canceled.
169 | */
170 | public async run() {
171 | if (this.enabled === false) {
172 | return;
173 | }
174 | this._status = "loading";
175 | this._canceled = false;
176 | return this.queryFn()
177 | .then((res) => {
178 | if (this._canceled) {
179 | throw new Error("Canceled");
180 | }
181 | this._data = res;
182 | this._status = "success";
183 | })
184 | .catch((err) => {
185 | this._status = "error";
186 | this._error = err;
187 | });
188 | }
189 |
190 | /**
191 | * Cancel the query
192 | */
193 | public cancel() {
194 | if (this._status === "loading") {
195 | this._status = "error";
196 | this._canceled = true;
197 | this._error = new Error("Canceled");
198 | this.cancelFn?.();
199 | }
200 | }
201 |
202 | /**
203 | * Method meant to be called in a prosemirror plugin's view.update method. If
204 | * the query idle this method runs the query and will dispatch transactions
205 | * indicating changes to the query status such as `loading`, `error`, and
206 | * `success`.
207 | *
208 | * This function only runs the query function if the query is `idle` and is
209 | * `enabled`.
210 | *
211 | * You can pass options to suppress transactions associated with certain updates.
212 | * For example you can ignore `loading` and `canceled` queries by passing
213 | * `{ignoreLoading: true, ignoreCanceled: true}`.
214 | */
215 | public viewUpdate(
216 | editor: EditorView,
217 | {
218 | ignoreCanceled = false,
219 | ignoreError = false,
220 | ignoreLoading = false,
221 | ignoreSuccess = false,
222 | }: AsyncQueryViewUpdateOptions = {},
223 | ) {
224 | if (this.enabled === false) {
225 | return;
226 | }
227 | if (this.status === "idle") {
228 | // run all idle queries
229 | this.run().finally(() => {
230 | if (this._canceled && ignoreCanceled) {
231 | return;
232 | }
233 | if (this.status === "success" && ignoreSuccess) {
234 | return;
235 | }
236 |
237 | if (this.status === "error" && ignoreError) {
238 | return;
239 | }
240 |
241 | const transaction = editor.state.tr;
242 | transaction.setMeta("addToHistory", false);
243 | transaction.setMeta(this.metaKey, {
244 | queryId: this.queryId,
245 | });
246 | editor.dispatch(transaction);
247 | });
248 |
249 | if (ignoreLoading) {
250 | return;
251 | }
252 |
253 | // send loading updates
254 | const transaction = editor.state.tr;
255 | transaction.setMeta("addToHistory", false);
256 | transaction.setMeta(this.metaKey, {
257 | queryId: this.queryId,
258 | });
259 | editor.dispatch(transaction);
260 | }
261 | }
262 |
263 | /**
264 | * Method meant to be called in a prosemirror plugin's view.destory method.
265 | * This method cancels any running queries.
266 | */
267 | public viewDestroy() {
268 | this.cancel();
269 | }
270 |
271 | /**
272 | * Method meant to be called in a prosemirror plugin's state.apply method.
273 | *
274 | * This method checks the transaction to see if it is a transaction dispatched
275 | * from the viewUpdate method.
276 | *
277 | * You can filter transactions by passing a status string or array.
278 | * If status equals `success` the method will only return true for transactions
279 | * where the query successfully returned.
280 | *
281 | * If status equals [`success`, `error`] the method will only return true for
282 | * transactions where the query returned successfully or threw an error.
283 | *
284 | */
285 | public statusChanged(tr: Transaction, status?: QueryStatus | QueryStatus[]): boolean {
286 | let reportChange = tr.getMeta(this.metaKey)?.queryId === this.queryId;
287 | if (typeof status === "string") {
288 | reportChange = this.status === status && reportChange;
289 | } else if (Array.isArray(status)) {
290 | reportChange = status.indexOf(this.status) !== -1 && reportChange;
291 | }
292 | return reportChange;
293 | }
294 |
295 | /**
296 | * Create an empty query that is disabled. This query will not do anything
297 | * but can be useful for setting initial prosemirror plugin state in state.init.
298 | */
299 | public static empty() {
300 | return new AsyncQuery({
301 | enabled: false,
302 | });
303 | }
304 | }
305 |
--------------------------------------------------------------------------------
/lib/main.ts:
--------------------------------------------------------------------------------
1 | export { AsyncQuery } from "./AsyncQuery";
2 | export type { AsyncQueryOptions, AsyncQueryViewUpdateOptions, MetaKey, QueryStatus } from "./AsyncQuery";
3 |
--------------------------------------------------------------------------------
/package.json:
--------------------------------------------------------------------------------
1 | {
2 | "name": "prosemirror-async-query",
3 | "files": [
4 | "dist"
5 | ],
6 | "types": "./dist/main.d.ts",
7 | "main": "./dist/prosemirror-async-query.umd.js",
8 | "module": "./dist/prosemirror-async-query.es.js",
9 | "exports": {
10 | ".": {
11 | "import": "./dist/prosemirror-async-query.es.js",
12 | "require": "./dist/prosemirror-async-query.umd.js"
13 | }
14 | },
15 | "license": "MIT",
16 | "repository": {
17 | "type": "git",
18 | "url": "https://github.com/lukesmurray/prosemirror-async-query.git"
19 | },
20 | "bugs": {
21 | "url": "https://github.com/lukesmurray/prosemirror-async-query/issues"
22 | },
23 | "scripts": {
24 | "dev": "vite --config vite.example.config.ts",
25 | "build:example": "vite build --config vite.example.config.ts",
26 | "build:lib": "vite build --config vite.lib.config.ts",
27 | "build": "tsc && yarn build:lib && yarn build:example",
28 | "prepublishOnly": "yarn build",
29 | "serve": "vite preview --config vite.example.config.ts"
30 | },
31 | "peerDependencies": {
32 | "prosemirror-state": "^1.3.4",
33 | "prosemirror-view": "^1.23.3"
34 | },
35 | "dependencies": {
36 | "nanoid": "^3.1.30"
37 | },
38 | "devDependencies": {
39 | "@rollup/plugin-typescript": "^8.3.0",
40 | "@tiptap/core": "^2.0.0-beta.158",
41 | "@tiptap/extension-document": "^2.0.0-beta.15",
42 | "@tiptap/extension-history": "^2.0.0-beta.21",
43 | "@tiptap/extension-paragraph": "^2.0.0-beta.23",
44 | "@tiptap/extension-text": "^2.0.0-beta.15",
45 | "@tiptap/react": "^2.0.0-beta.101",
46 | "@types/react": "^17.0.33",
47 | "@types/react-dom": "^17.0.10",
48 | "@typescript-eslint/eslint-plugin": "^5.8.0",
49 | "@typescript-eslint/parser": "^5.8.0",
50 | "@vitejs/plugin-react": "^1.0.7",
51 | "console-feed": "^3.2.2",
52 | "eslint": "^7.31.0",
53 | "eslint-config-prettier": "^8.3.0",
54 | "eslint-plugin-prettier": "^3.4.0",
55 | "eslint-plugin-react": "^7.24.0",
56 | "eslint-plugin-react-hooks": "^4.2.0",
57 | "memoize-one": "^6.0.0",
58 | "open-color": "^1.9.1",
59 | "prettier": "^2.3.2",
60 | "react": "^17.0.2",
61 | "react-dom": "^17.0.2",
62 | "sass": "^1.45.0",
63 | "tiny-invariant": "^1.2.0",
64 | "typescript": "^4.4.4",
65 | "vite": "^2.7.2"
66 | },
67 | "sideEffects": false,
68 | "version": "0.0.4"
69 | }
70 |
--------------------------------------------------------------------------------
/src/AsyncFlowExtension.tsx:
--------------------------------------------------------------------------------
1 | import { Extension, Range } from "@tiptap/react";
2 | import { EditorState, Plugin, PluginKey, Transaction } from "prosemirror-state";
3 | import invariant from "tiny-invariant";
4 | import { AsyncQuery } from "../lib/AsyncQuery";
5 | import { computeChangedRanges } from "./computeChangedRanges";
6 |
7 | interface AsyncFlowPluginState {
8 | query: AsyncQuery;
9 | queryResult: null | string;
10 | }
11 |
12 | export const AsyncFlowExtension = Extension.create({
13 | name: "async-flow",
14 | addProseMirrorPlugins() {
15 | const self = this; // eslint-disable-line @typescript-eslint/no-this-alias
16 | return [
17 | new Plugin({
18 | key: new PluginKey(self.name),
19 | view(editor) {
20 | const pluginKey = this.key;
21 | invariant(pluginKey);
22 | return {
23 | update(editor, oldState) {
24 | const next = pluginKey.getState(editor.state);
25 | const prev = pluginKey.getState(oldState);
26 | const { query, queryResult } = next ?? {};
27 |
28 | // run the query update step
29 | query?.viewUpdate(editor, {
30 | ignoreCanceled: true,
31 | ignoreLoading: true,
32 | });
33 |
34 | // do something when the query data is loaded
35 | if (queryResult && queryResult !== prev?.queryResult) {
36 | console.log("query data loaded", queryResult);
37 | }
38 | },
39 | destroy() {
40 | // run the query destroy step
41 | pluginKey.getState(editor.state)?.query?.viewDestroy();
42 | },
43 | };
44 | },
45 | state: {
46 | init() {
47 | return {
48 | query: AsyncQuery.empty(),
49 | queryResult: null,
50 | };
51 | },
52 | apply(tr, prev, oldState, newState) {
53 | const { query: prevQuery } = prev;
54 | const pluginKey = this.spec.key;
55 | invariant(pluginKey);
56 |
57 | if (prevQuery.statusChanged(tr, "success")) {
58 | return {
59 | ...prev,
60 | queryResult: prevQuery.data!,
61 | };
62 | }
63 |
64 | // get query parameters from the transaction
65 | const newParameters = getTypedCharacter(newState, tr);
66 |
67 | // check if the query parameters have changed
68 | const changed = newParameters && prevQuery.parameters !== newParameters;
69 |
70 | if (!changed) {
71 | return prev;
72 | }
73 |
74 | const next = { ...prev };
75 |
76 | if (changed) {
77 | // cancel the previous query
78 | prevQuery.cancel();
79 |
80 | // create the new query
81 | const newQuery = new AsyncQuery({
82 | query: async () => {
83 | const delay = (ms: number) => new Promise((resolve) => setTimeout(resolve, ms));
84 | await delay(1000);
85 | return newParameters;
86 | },
87 | metaKey: pluginKey,
88 | parameters: newParameters,
89 | });
90 | next.query = newQuery;
91 | }
92 |
93 | return next;
94 | },
95 | },
96 | }),
97 | ];
98 | },
99 | });
100 |
101 | function getTypedCharacter(newState: EditorState, tr: Transaction) {
102 | const { empty, from, to } = newState.selection;
103 | const selectionRange: Range = { from, to };
104 | const changedRanges = computeChangedRanges(tr).changedRanges.filter((cr) => rangeIntersects(cr, selectionRange));
105 | if (empty && changedRanges.length > 0) {
106 | const changedText = tr.doc.textBetween(changedRanges[0].from, changedRanges[0].to);
107 | if (changedText.length > 0) {
108 | // TODO(lukemurray): this should return a string
109 | return changedText[changedText.length - 1];
110 | }
111 | }
112 | return null;
113 | }
114 |
115 | function rangeIntersects(a: Range, b: Range) {
116 | return a.from <= b.to && a.to >= b.from;
117 | }
118 |
--------------------------------------------------------------------------------
/src/LogsContainer.tsx:
--------------------------------------------------------------------------------
1 | import { Console, Hook, Unhook } from "console-feed";
2 | import { HookedConsole, Message } from "console-feed/lib/definitions/Console";
3 | import React, { useEffect, useState } from "react";
4 |
5 | export const LogsContainer = () => {
6 | const [logs, setLogs] = useState([]);
7 |
8 | // run once!
9 | useEffect(() => {
10 | Hook(window.console, (log) => setLogs((currLogs) => [...currLogs, log]), false);
11 | return () => {
12 | Unhook(window.console as HookedConsole);
13 | };
14 | }, []);
15 |
16 | return (
17 | <>
18 | Console
19 |
20 |
27 |
28 | {
31 | setLogs([]);
32 | }}
33 | >
34 | Clear Console
35 |
36 | >
37 | );
38 | };
39 |
--------------------------------------------------------------------------------
/src/SandboxAsyncFlow.tsx:
--------------------------------------------------------------------------------
1 | import Document from "@tiptap/extension-document";
2 | import Paragraph from "@tiptap/extension-paragraph";
3 | import Text from "@tiptap/extension-text";
4 | import { EditorContent, useEditor } from "@tiptap/react";
5 | import React from "react";
6 | import { AsyncFlowExtension } from "./AsyncFlowExtension";
7 | import { LogsContainer } from "./LogsContainer";
8 |
9 | export const SandboxAsyncFlow = () => {
10 | const editor = useEditor({
11 | extensions: [Document, Paragraph, Text, AsyncFlowExtension],
12 | content: `This editor uses queries to implement async behavior. It uses promises to log the last character typed on a 1 second debounce.
`,
13 | });
14 |
15 | return (
16 |
17 |
Prosemirror Async Query
18 |
A simple declarative API for using promises in prosemirror plugin state.
19 |
20 | For more info, check the project out on{" "}
21 | github or{" "}
22 | npm .
23 |
24 |
25 |
26 |
27 |
28 | );
29 | };
30 |
--------------------------------------------------------------------------------
/src/app.scss:
--------------------------------------------------------------------------------
1 | @import "open-color/open-color.scss";
2 | @import url("https://fonts.googleapis.com/css2?family=Roboto&display=swap");
3 |
4 | :root {
5 | --text: #{$oc-gray-7};
6 | --emphasis-text: #{$oc-gray-8};
7 | --disabled-text: #{$oc-gray-5};
8 | --caption-text: #{$oc-gray-6};
9 | --background-surface-0: white;
10 | --background-surface-1: #{$oc-gray-0};
11 | --background-surface-2: #{$oc-gray-1};
12 | --background-surface-0-hover: #{$oc-gray-1};
13 | --background-surface-1-hover: #{$oc-gray-2};
14 | --background-surface-2-hover: #{$oc-gray-3};
15 | --element-border: #{$oc-gray-4};
16 | --divider-border: #{$oc-gray-3};
17 | --disabled-border: #{$oc-gray-2};
18 | --accent: #{$oc-blue-5};
19 | }
20 |
21 | body {
22 | background-color: var(--background-surface-0);
23 | color: var(--text);
24 | font-family: "Roboto", sans-serif;
25 | }
26 |
27 | h1,
28 | h2,
29 | h3,
30 | h4,
31 | h5,
32 | h6,
33 | p {
34 | margin-block-start: 0;
35 | margin-block-end: 0;
36 | }
37 |
38 | // editor and toolbar styles
39 | .tiptap {
40 | display: flex;
41 | flex-direction: column;
42 | gap: 0.5rem;
43 | }
44 |
45 | // editor styles
46 | .editor {
47 | // the root content editable styles
48 | & > div {
49 | background-color: var(--background-surface-1);
50 | border: 1px solid var(--element-border);
51 | padding: 0.5rem;
52 | }
53 | }
54 |
55 | .consoleWrapper {
56 | background-color: $oc-gray-9;
57 | min-height: 2em;
58 |
59 | max-height: 20em;
60 | overflow-y: scroll;
61 | }
62 |
63 | .clearConsoleButton {
64 | background-color: var(--background-surface-2);
65 | border: 0px;
66 | padding: 0.5rem;
67 | border-radius: 0.25rem;
68 |
69 | &:disabled {
70 | color: var(--disabled-text);
71 | }
72 |
73 | &:hover:enabled {
74 | background-color: var(--background-surface-2-hover);
75 | }
76 |
77 | width: max-content;
78 | }
79 |
--------------------------------------------------------------------------------
/src/computeChangedRanges.ts:
--------------------------------------------------------------------------------
1 | import { Range } from "@tiptap/react";
2 | import memoizeOne from "memoize-one";
3 | import { Transaction } from "prosemirror-state";
4 |
5 | /**
6 | * @returns Whether the change is an insertion or a deletion and the ranges
7 | * of the changes
8 | */
9 | function computeChangedRangesInner(transaction: Transaction) {
10 | const changedRanges: Range[] = [];
11 | let isInsertion = false;
12 | let isDeletion = false;
13 | // from https://discuss.prosemirror.net/t/how-to-calculate-the-changed-ranges-for-transactions/3771/4
14 | transaction.mapping.maps.forEach((stepMap) => {
15 | stepMap.forEach((_, __, newFrom, newTo) => {
16 | if (newFrom === newTo) {
17 | isDeletion = true;
18 | } else {
19 | isInsertion = true;
20 | }
21 | changedRanges.push({
22 | from: newFrom,
23 | to: newTo,
24 | });
25 | });
26 | });
27 | return { changedRanges, isInsertion, isDeletion };
28 | }
29 |
30 | /**
31 | * Compute the changed ranges for a transaction. Memoized to avoid
32 | * re-computing the same ranges for the same transaction.
33 | */
34 | export const computeChangedRanges = memoizeOne(computeChangedRangesInner);
35 |
--------------------------------------------------------------------------------
/src/main.tsx:
--------------------------------------------------------------------------------
1 | import React from "react";
2 | import ReactDOM from "react-dom";
3 | import "./app.scss";
4 | import { SandboxAsyncFlow } from "./SandboxAsyncFlow";
5 |
6 | ReactDOM.render(
7 |
8 |
9 | ,
10 | document.getElementById("root"),
11 | );
12 |
--------------------------------------------------------------------------------
/src/vite-env.d.ts:
--------------------------------------------------------------------------------
1 | ///
2 |
--------------------------------------------------------------------------------
/tsconfig.json:
--------------------------------------------------------------------------------
1 | {
2 | "compilerOptions": {
3 | "target": "ESNext",
4 | "useDefineForClassFields": true,
5 | "lib": ["DOM", "DOM.Iterable", "ESNext"],
6 | "allowJs": false,
7 | "skipLibCheck": true,
8 | "esModuleInterop": false,
9 | "allowSyntheticDefaultImports": true,
10 | "strict": true,
11 | "forceConsistentCasingInFileNames": true,
12 | "module": "ESNext",
13 | "moduleResolution": "Node",
14 | "resolveJsonModule": true,
15 | "isolatedModules": true,
16 | "noEmit": true,
17 | "jsx": "react-jsx"
18 | },
19 | "include": ["./src", "./lib"]
20 | }
21 |
--------------------------------------------------------------------------------
/vite.example.config.ts:
--------------------------------------------------------------------------------
1 | import react from "@vitejs/plugin-react";
2 | import { defineConfig } from "vite";
3 |
4 | export default defineConfig({
5 | plugins: [react()],
6 | build: {
7 | outDir: "public",
8 | emptyOutDir: true,
9 | },
10 | define: {
11 | "process.platform": JSON.stringify("win32"),
12 | "process.env": {},
13 | "process.versions": {},
14 | },
15 | });
16 |
--------------------------------------------------------------------------------
/vite.lib.config.ts:
--------------------------------------------------------------------------------
1 | import typescript from "@rollup/plugin-typescript";
2 | import react from "@vitejs/plugin-react";
3 | import path from "path";
4 | import { defineConfig } from "vite";
5 |
6 | // https://vitejs.dev/config/
7 | export default defineConfig({
8 | plugins: [react()],
9 | define: {
10 | "process.platform": JSON.stringify("win32"),
11 | "process.env": {},
12 | },
13 | build: {
14 | lib: {
15 | entry: path.resolve(__dirname, "lib/main.ts"),
16 | name: "prosemirror-async-query",
17 | fileName: (format) => `prosemirror-async-query.${format}.js`,
18 | },
19 | rollupOptions: {
20 | // make sure to externalize deps that shouldn't be bundled
21 | // into your library
22 | external: ["prosemirror-state", "prosemirror-view"],
23 | output: {
24 | // Provide global variables to use in the UMD build
25 | // for externalized deps
26 | globals: {
27 | ["prosemirror-state"]: "prosemirror-state",
28 | ["prosemirror-view"]: "prosemirror-view",
29 | },
30 | },
31 | plugins: [
32 | typescript({
33 | declaration: true,
34 | declarationDir: path.resolve(__dirname, "dist"),
35 | include: ["./lib/**/*"],
36 | }),
37 | ],
38 | },
39 | },
40 | });
41 |
--------------------------------------------------------------------------------
/yarn.lock:
--------------------------------------------------------------------------------
1 | # THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY.
2 | # yarn lockfile v1
3 |
4 |
5 | "@babel/code-frame@7.12.11":
6 | version "7.12.11"
7 | resolved "https://registry.yarnpkg.com/@babel/code-frame/-/code-frame-7.12.11.tgz#f4ad435aa263db935b8f10f2c552d23fb716a63f"
8 | integrity sha512-Zt1yodBx1UcyiePMSkWnU4hPqhwq7hGi2nFL1LeA3EUl+q2LQx16MISgJ0+z7dnmgvP9QtIleuETGOiOH1RcIw==
9 | dependencies:
10 | "@babel/highlight" "^7.10.4"
11 |
12 | "@babel/code-frame@^7.0.0", "@babel/code-frame@^7.16.0":
13 | version "7.16.0"
14 | resolved "https://registry.yarnpkg.com/@babel/code-frame/-/code-frame-7.16.0.tgz#0dfc80309beec8411e65e706461c408b0bb9b431"
15 | integrity sha512-IF4EOMEV+bfYwOmNxGzSnjR2EmQod7f1UXOpZM3l4i4o4QNwzjtJAu/HxdjHq0aYBvdqMuQEY1eg0nqW9ZPORA==
16 | dependencies:
17 | "@babel/highlight" "^7.16.0"
18 |
19 | "@babel/compat-data@^7.16.0":
20 | version "7.16.4"
21 | resolved "https://registry.yarnpkg.com/@babel/compat-data/-/compat-data-7.16.4.tgz#081d6bbc336ec5c2435c6346b2ae1fb98b5ac68e"
22 | integrity sha512-1o/jo7D+kC9ZjHX5v+EHrdjl3PhxMrLSOTGsOdHJ+KL8HCaEK6ehrVL2RS6oHDZp+L7xLirLrPmQtEng769J/Q==
23 |
24 | "@babel/core@^7.16.0":
25 | version "7.16.5"
26 | resolved "https://registry.yarnpkg.com/@babel/core/-/core-7.16.5.tgz#924aa9e1ae56e1e55f7184c8bf073a50d8677f5c"
27 | integrity sha512-wUcenlLzuWMZ9Zt8S0KmFwGlH6QKRh3vsm/dhDA3CHkiTA45YuG1XkHRcNRl73EFPXDp/d5kVOU0/y7x2w6OaQ==
28 | dependencies:
29 | "@babel/code-frame" "^7.16.0"
30 | "@babel/generator" "^7.16.5"
31 | "@babel/helper-compilation-targets" "^7.16.3"
32 | "@babel/helper-module-transforms" "^7.16.5"
33 | "@babel/helpers" "^7.16.5"
34 | "@babel/parser" "^7.16.5"
35 | "@babel/template" "^7.16.0"
36 | "@babel/traverse" "^7.16.5"
37 | "@babel/types" "^7.16.0"
38 | convert-source-map "^1.7.0"
39 | debug "^4.1.0"
40 | gensync "^1.0.0-beta.2"
41 | json5 "^2.1.2"
42 | semver "^6.3.0"
43 | source-map "^0.5.0"
44 |
45 | "@babel/generator@^7.16.5":
46 | version "7.16.5"
47 | resolved "https://registry.yarnpkg.com/@babel/generator/-/generator-7.16.5.tgz#26e1192eb8f78e0a3acaf3eede3c6fc96d22bedf"
48 | integrity sha512-kIvCdjZqcdKqoDbVVdt5R99icaRtrtYhYK/xux5qiWCBmfdvEYMFZ68QCrpE5cbFM1JsuArUNs1ZkuKtTtUcZA==
49 | dependencies:
50 | "@babel/types" "^7.16.0"
51 | jsesc "^2.5.1"
52 | source-map "^0.5.0"
53 |
54 | "@babel/helper-annotate-as-pure@^7.16.0":
55 | version "7.16.0"
56 | resolved "https://registry.yarnpkg.com/@babel/helper-annotate-as-pure/-/helper-annotate-as-pure-7.16.0.tgz#9a1f0ebcda53d9a2d00108c4ceace6a5d5f1f08d"
57 | integrity sha512-ItmYF9vR4zA8cByDocY05o0LGUkp1zhbTQOH1NFyl5xXEqlTJQCEJjieriw+aFpxo16swMxUnUiKS7a/r4vtHg==
58 | dependencies:
59 | "@babel/types" "^7.16.0"
60 |
61 | "@babel/helper-compilation-targets@^7.16.3":
62 | version "7.16.3"
63 | resolved "https://registry.yarnpkg.com/@babel/helper-compilation-targets/-/helper-compilation-targets-7.16.3.tgz#5b480cd13f68363df6ec4dc8ac8e2da11363cbf0"
64 | integrity sha512-vKsoSQAyBmxS35JUOOt+07cLc6Nk/2ljLIHwmq2/NM6hdioUaqEXq/S+nXvbvXbZkNDlWOymPanJGOc4CBjSJA==
65 | dependencies:
66 | "@babel/compat-data" "^7.16.0"
67 | "@babel/helper-validator-option" "^7.14.5"
68 | browserslist "^4.17.5"
69 | semver "^6.3.0"
70 |
71 | "@babel/helper-environment-visitor@^7.16.5":
72 | version "7.16.5"
73 | resolved "https://registry.yarnpkg.com/@babel/helper-environment-visitor/-/helper-environment-visitor-7.16.5.tgz#f6a7f38b3c6d8b07c88faea083c46c09ef5451b8"
74 | integrity sha512-ODQyc5AnxmZWm/R2W7fzhamOk1ey8gSguo5SGvF0zcB3uUzRpTRmM/jmLSm9bDMyPlvbyJ+PwPEK0BWIoZ9wjg==
75 | dependencies:
76 | "@babel/types" "^7.16.0"
77 |
78 | "@babel/helper-function-name@^7.16.0":
79 | version "7.16.0"
80 | resolved "https://registry.yarnpkg.com/@babel/helper-function-name/-/helper-function-name-7.16.0.tgz#b7dd0797d00bbfee4f07e9c4ea5b0e30c8bb1481"
81 | integrity sha512-BZh4mEk1xi2h4HFjWUXRQX5AEx4rvaZxHgax9gcjdLWdkjsY7MKt5p0otjsg5noXw+pB+clMCjw+aEVYADMjog==
82 | dependencies:
83 | "@babel/helper-get-function-arity" "^7.16.0"
84 | "@babel/template" "^7.16.0"
85 | "@babel/types" "^7.16.0"
86 |
87 | "@babel/helper-get-function-arity@^7.16.0":
88 | version "7.16.0"
89 | resolved "https://registry.yarnpkg.com/@babel/helper-get-function-arity/-/helper-get-function-arity-7.16.0.tgz#0088c7486b29a9cb5d948b1a1de46db66e089cfa"
90 | integrity sha512-ASCquNcywC1NkYh/z7Cgp3w31YW8aojjYIlNg4VeJiHkqyP4AzIvr4qx7pYDb4/s8YcsZWqqOSxgkvjUz1kpDQ==
91 | dependencies:
92 | "@babel/types" "^7.16.0"
93 |
94 | "@babel/helper-hoist-variables@^7.16.0":
95 | version "7.16.0"
96 | resolved "https://registry.yarnpkg.com/@babel/helper-hoist-variables/-/helper-hoist-variables-7.16.0.tgz#4c9023c2f1def7e28ff46fc1dbcd36a39beaa81a"
97 | integrity sha512-1AZlpazjUR0EQZQv3sgRNfM9mEVWPK3M6vlalczA+EECcPz3XPh6VplbErL5UoMpChhSck5wAJHthlj1bYpcmg==
98 | dependencies:
99 | "@babel/types" "^7.16.0"
100 |
101 | "@babel/helper-module-imports@^7.0.0", "@babel/helper-module-imports@^7.16.0":
102 | version "7.16.0"
103 | resolved "https://registry.yarnpkg.com/@babel/helper-module-imports/-/helper-module-imports-7.16.0.tgz#90538e60b672ecf1b448f5f4f5433d37e79a3ec3"
104 | integrity sha512-kkH7sWzKPq0xt3H1n+ghb4xEMP8k0U7XV3kkB+ZGy69kDk2ySFW1qPi06sjKzFY3t1j6XbJSqr4mF9L7CYVyhg==
105 | dependencies:
106 | "@babel/types" "^7.16.0"
107 |
108 | "@babel/helper-module-transforms@^7.16.5":
109 | version "7.16.5"
110 | resolved "https://registry.yarnpkg.com/@babel/helper-module-transforms/-/helper-module-transforms-7.16.5.tgz#530ebf6ea87b500f60840578515adda2af470a29"
111 | integrity sha512-CkvMxgV4ZyyioElFwcuWnDCcNIeyqTkCm9BxXZi73RR1ozqlpboqsbGUNvRTflgZtFbbJ1v5Emvm+lkjMYY/LQ==
112 | dependencies:
113 | "@babel/helper-environment-visitor" "^7.16.5"
114 | "@babel/helper-module-imports" "^7.16.0"
115 | "@babel/helper-simple-access" "^7.16.0"
116 | "@babel/helper-split-export-declaration" "^7.16.0"
117 | "@babel/helper-validator-identifier" "^7.15.7"
118 | "@babel/template" "^7.16.0"
119 | "@babel/traverse" "^7.16.5"
120 | "@babel/types" "^7.16.0"
121 |
122 | "@babel/helper-plugin-utils@^7.16.5":
123 | version "7.16.5"
124 | resolved "https://registry.yarnpkg.com/@babel/helper-plugin-utils/-/helper-plugin-utils-7.16.5.tgz#afe37a45f39fce44a3d50a7958129ea5b1a5c074"
125 | integrity sha512-59KHWHXxVA9K4HNF4sbHCf+eJeFe0Te/ZFGqBT4OjXhrwvA04sGfaEGsVTdsjoszq0YTP49RC9UKe5g8uN2RwQ==
126 |
127 | "@babel/helper-simple-access@^7.16.0":
128 | version "7.16.0"
129 | resolved "https://registry.yarnpkg.com/@babel/helper-simple-access/-/helper-simple-access-7.16.0.tgz#21d6a27620e383e37534cf6c10bba019a6f90517"
130 | integrity sha512-o1rjBT/gppAqKsYfUdfHq5Rk03lMQrkPHG1OWzHWpLgVXRH4HnMM9Et9CVdIqwkCQlobnGHEJMsgWP/jE1zUiw==
131 | dependencies:
132 | "@babel/types" "^7.16.0"
133 |
134 | "@babel/helper-split-export-declaration@^7.16.0":
135 | version "7.16.0"
136 | resolved "https://registry.yarnpkg.com/@babel/helper-split-export-declaration/-/helper-split-export-declaration-7.16.0.tgz#29672f43663e936df370aaeb22beddb3baec7438"
137 | integrity sha512-0YMMRpuDFNGTHNRiiqJX19GjNXA4H0E8jZ2ibccfSxaCogbm3am5WN/2nQNj0YnQwGWM1J06GOcQ2qnh3+0paw==
138 | dependencies:
139 | "@babel/types" "^7.16.0"
140 |
141 | "@babel/helper-validator-identifier@^7.15.7":
142 | version "7.15.7"
143 | resolved "https://registry.yarnpkg.com/@babel/helper-validator-identifier/-/helper-validator-identifier-7.15.7.tgz#220df993bfe904a4a6b02ab4f3385a5ebf6e2389"
144 | integrity sha512-K4JvCtQqad9OY2+yTU8w+E82ywk/fe+ELNlt1G8z3bVGlZfn/hOcQQsUhGhW/N+tb3fxK800wLtKOE/aM0m72w==
145 |
146 | "@babel/helper-validator-option@^7.14.5":
147 | version "7.14.5"
148 | resolved "https://registry.yarnpkg.com/@babel/helper-validator-option/-/helper-validator-option-7.14.5.tgz#6e72a1fff18d5dfcb878e1e62f1a021c4b72d5a3"
149 | integrity sha512-OX8D5eeX4XwcroVW45NMvoYaIuFI+GQpA2a8Gi+X/U/cDUIRsV37qQfF905F0htTRCREQIB4KqPeaveRJUl3Ow==
150 |
151 | "@babel/helpers@^7.16.5":
152 | version "7.16.5"
153 | resolved "https://registry.yarnpkg.com/@babel/helpers/-/helpers-7.16.5.tgz#29a052d4b827846dd76ece16f565b9634c554ebd"
154 | integrity sha512-TLgi6Lh71vvMZGEkFuIxzaPsyeYCHQ5jJOOX1f0xXn0uciFuE8cEk0wyBquMcCxBXZ5BJhE2aUB7pnWTD150Tw==
155 | dependencies:
156 | "@babel/template" "^7.16.0"
157 | "@babel/traverse" "^7.16.5"
158 | "@babel/types" "^7.16.0"
159 |
160 | "@babel/highlight@^7.10.4", "@babel/highlight@^7.16.0":
161 | version "7.16.0"
162 | resolved "https://registry.yarnpkg.com/@babel/highlight/-/highlight-7.16.0.tgz#6ceb32b2ca4b8f5f361fb7fd821e3fddf4a1725a"
163 | integrity sha512-t8MH41kUQylBtu2+4IQA3atqevA2lRgqA2wyVB/YiWmsDSuylZZuXOUy9ric30hfzauEFfdsuk/eXTRrGrfd0g==
164 | dependencies:
165 | "@babel/helper-validator-identifier" "^7.15.7"
166 | chalk "^2.0.0"
167 | js-tokens "^4.0.0"
168 |
169 | "@babel/parser@^7.16.0", "@babel/parser@^7.16.5":
170 | version "7.16.6"
171 | resolved "https://registry.yarnpkg.com/@babel/parser/-/parser-7.16.6.tgz#8f194828193e8fa79166f34a4b4e52f3e769a314"
172 | integrity sha512-Gr86ujcNuPDnNOY8mi383Hvi8IYrJVJYuf3XcuBM/Dgd+bINn/7tHqsj+tKkoreMbmGsFLsltI/JJd8fOFWGDQ==
173 |
174 | "@babel/plugin-syntax-jsx@^7.16.5":
175 | version "7.16.5"
176 | resolved "https://registry.yarnpkg.com/@babel/plugin-syntax-jsx/-/plugin-syntax-jsx-7.16.5.tgz#bf255d252f78bc8b77a17cadc37d1aa5b8ed4394"
177 | integrity sha512-42OGssv9NPk4QHKVgIHlzeLgPOW5rGgfV5jzG90AhcXXIv6hu/eqj63w4VgvRxdvZY3AlYeDgPiSJ3BqAd1Y6Q==
178 | dependencies:
179 | "@babel/helper-plugin-utils" "^7.16.5"
180 |
181 | "@babel/plugin-transform-react-jsx-development@^7.16.0":
182 | version "7.16.5"
183 | resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-jsx-development/-/plugin-transform-react-jsx-development-7.16.5.tgz#87da9204c275ffb57f45d192a1120cf104bc1e86"
184 | integrity sha512-uQSLacMZSGLCxOw20dzo1dmLlKkd+DsayoV54q3MHXhbqgPzoiGerZQgNPl/Ro8/OcXV2ugfnkx+rxdS0sN5Uw==
185 | dependencies:
186 | "@babel/plugin-transform-react-jsx" "^7.16.5"
187 |
188 | "@babel/plugin-transform-react-jsx-self@^7.16.0":
189 | version "7.16.5"
190 | resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-jsx-self/-/plugin-transform-react-jsx-self-7.16.5.tgz#e16bf9cd52f2e8ea11f9d7edfb48458586c760bf"
191 | integrity sha512-fvwq+jir1Vn4f5oBS0H/J/gD5CneTD53MHs+NMjlHcha4Sq35fwxI5RtmJGEBXO+M93f/eeD9cAhRPhmLyJiVw==
192 | dependencies:
193 | "@babel/helper-plugin-utils" "^7.16.5"
194 |
195 | "@babel/plugin-transform-react-jsx-source@^7.16.0":
196 | version "7.16.5"
197 | resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-jsx-source/-/plugin-transform-react-jsx-source-7.16.5.tgz#7c2aeb6539780f3312266de3348bbb74ce9d3ce1"
198 | integrity sha512-/eP+nZywJntGLjSPjksAnM9/ELIs3RbiEuTu2/zAOzwwBcfiu+m/iptEq1lERUUtSXubYSHVnVHMr13GR+TwPw==
199 | dependencies:
200 | "@babel/helper-plugin-utils" "^7.16.5"
201 |
202 | "@babel/plugin-transform-react-jsx@^7.16.0", "@babel/plugin-transform-react-jsx@^7.16.5":
203 | version "7.16.5"
204 | resolved "https://registry.yarnpkg.com/@babel/plugin-transform-react-jsx/-/plugin-transform-react-jsx-7.16.5.tgz#5298aedc5f81e02b1cb702e597e8d6a346675765"
205 | integrity sha512-+arLIz1d7kmwX0fKxTxbnoeG85ONSnLpvdODa4P3pc1sS7CV1hfmtYWufkW/oYsPnkDrEeQFxhUWcFnrXW7jQQ==
206 | dependencies:
207 | "@babel/helper-annotate-as-pure" "^7.16.0"
208 | "@babel/helper-module-imports" "^7.16.0"
209 | "@babel/helper-plugin-utils" "^7.16.5"
210 | "@babel/plugin-syntax-jsx" "^7.16.5"
211 | "@babel/types" "^7.16.0"
212 |
213 | "@babel/runtime@^7.0.0", "@babel/runtime@^7.5.5", "@babel/runtime@^7.7.2":
214 | version "7.16.5"
215 | resolved "https://registry.yarnpkg.com/@babel/runtime/-/runtime-7.16.5.tgz#7f3e34bf8bdbbadf03fbb7b1ea0d929569c9487a"
216 | integrity sha512-TXWihFIS3Pyv5hzR7j6ihmeLkZfrXGxAr5UfSl8CHf+6q/wpiYDkUau0czckpYG8QmnCIuPpdLtuA9VmuGGyMA==
217 | dependencies:
218 | regenerator-runtime "^0.13.4"
219 |
220 | "@babel/template@^7.16.0":
221 | version "7.16.0"
222 | resolved "https://registry.yarnpkg.com/@babel/template/-/template-7.16.0.tgz#d16a35ebf4cd74e202083356fab21dd89363ddd6"
223 | integrity sha512-MnZdpFD/ZdYhXwiunMqqgyZyucaYsbL0IrjoGjaVhGilz+x8YB++kRfygSOIj1yOtWKPlx7NBp+9I1RQSgsd5A==
224 | dependencies:
225 | "@babel/code-frame" "^7.16.0"
226 | "@babel/parser" "^7.16.0"
227 | "@babel/types" "^7.16.0"
228 |
229 | "@babel/traverse@^7.16.5":
230 | version "7.16.5"
231 | resolved "https://registry.yarnpkg.com/@babel/traverse/-/traverse-7.16.5.tgz#d7d400a8229c714a59b87624fc67b0f1fbd4b2b3"
232 | integrity sha512-FOCODAzqUMROikDYLYxl4nmwiLlu85rNqBML/A5hKRVXG2LV8d0iMqgPzdYTcIpjZEBB7D6UDU9vxRZiriASdQ==
233 | dependencies:
234 | "@babel/code-frame" "^7.16.0"
235 | "@babel/generator" "^7.16.5"
236 | "@babel/helper-environment-visitor" "^7.16.5"
237 | "@babel/helper-function-name" "^7.16.0"
238 | "@babel/helper-hoist-variables" "^7.16.0"
239 | "@babel/helper-split-export-declaration" "^7.16.0"
240 | "@babel/parser" "^7.16.5"
241 | "@babel/types" "^7.16.0"
242 | debug "^4.1.0"
243 | globals "^11.1.0"
244 |
245 | "@babel/types@^7.16.0":
246 | version "7.16.0"
247 | resolved "https://registry.yarnpkg.com/@babel/types/-/types-7.16.0.tgz#db3b313804f96aadd0b776c4823e127ad67289ba"
248 | integrity sha512-PJgg/k3SdLsGb3hhisFvtLOw5ts113klrpLuIPtCJIU+BB24fqq6lf8RWqKJEjzqXR9AEH1rIb5XTqwBHB+kQg==
249 | dependencies:
250 | "@babel/helper-validator-identifier" "^7.15.7"
251 | to-fast-properties "^2.0.0"
252 |
253 | "@emotion/cache@^10.0.27":
254 | version "10.0.29"
255 | resolved "https://registry.yarnpkg.com/@emotion/cache/-/cache-10.0.29.tgz#87e7e64f412c060102d589fe7c6dc042e6f9d1e0"
256 | integrity sha512-fU2VtSVlHiF27empSbxi1O2JFdNWZO+2NFHfwO0pxgTep6Xa3uGb+3pVKfLww2l/IBGLNEZl5Xf/++A4wAYDYQ==
257 | dependencies:
258 | "@emotion/sheet" "0.9.4"
259 | "@emotion/stylis" "0.8.5"
260 | "@emotion/utils" "0.11.3"
261 | "@emotion/weak-memoize" "0.2.5"
262 |
263 | "@emotion/core@^10.0.10":
264 | version "10.3.1"
265 | resolved "https://registry.yarnpkg.com/@emotion/core/-/core-10.3.1.tgz#4021b6d8b33b3304d48b0bb478485e7d7421c69d"
266 | integrity sha512-447aUEjPIm0MnE6QYIaFz9VQOHSXf4Iu6EWOIqq11EAPqinkSZmfymPTmlOE3QjLv846lH4JVZBUOtwGbuQoww==
267 | dependencies:
268 | "@babel/runtime" "^7.5.5"
269 | "@emotion/cache" "^10.0.27"
270 | "@emotion/css" "^10.0.27"
271 | "@emotion/serialize" "^0.11.15"
272 | "@emotion/sheet" "0.9.4"
273 | "@emotion/utils" "0.11.3"
274 |
275 | "@emotion/css@^10.0.27":
276 | version "10.0.27"
277 | resolved "https://registry.yarnpkg.com/@emotion/css/-/css-10.0.27.tgz#3a7458198fbbebb53b01b2b87f64e5e21241e14c"
278 | integrity sha512-6wZjsvYeBhyZQYNrGoR5yPMYbMBNEnanDrqmsqS1mzDm1cOTu12shvl2j4QHNS36UaTE0USIJawCH9C8oW34Zw==
279 | dependencies:
280 | "@emotion/serialize" "^0.11.15"
281 | "@emotion/utils" "0.11.3"
282 | babel-plugin-emotion "^10.0.27"
283 |
284 | "@emotion/hash@0.8.0":
285 | version "0.8.0"
286 | resolved "https://registry.yarnpkg.com/@emotion/hash/-/hash-0.8.0.tgz#bbbff68978fefdbe68ccb533bc8cbe1d1afb5413"
287 | integrity sha512-kBJtf7PH6aWwZ6fka3zQ0p6SBYzx4fl1LoZXE2RrnYST9Xljm7WfKJrU4g/Xr3Beg72MLrp1AWNUmuYJTL7Cow==
288 |
289 | "@emotion/is-prop-valid@0.8.8":
290 | version "0.8.8"
291 | resolved "https://registry.yarnpkg.com/@emotion/is-prop-valid/-/is-prop-valid-0.8.8.tgz#db28b1c4368a259b60a97311d6a952d4fd01ac1a"
292 | integrity sha512-u5WtneEAr5IDG2Wv65yhunPSMLIpuKsbuOktRojfrEiEvRyC85LgPMZI63cr7NUqT8ZIGdSVg8ZKGxIug4lXcA==
293 | dependencies:
294 | "@emotion/memoize" "0.7.4"
295 |
296 | "@emotion/memoize@0.7.4":
297 | version "0.7.4"
298 | resolved "https://registry.yarnpkg.com/@emotion/memoize/-/memoize-0.7.4.tgz#19bf0f5af19149111c40d98bb0cf82119f5d9eeb"
299 | integrity sha512-Ja/Vfqe3HpuzRsG1oBtWTHk2PGZ7GR+2Vz5iYGelAw8dx32K0y7PjVuxK6z1nMpZOqAFsRUPCkK1YjJ56qJlgw==
300 |
301 | "@emotion/serialize@^0.11.15", "@emotion/serialize@^0.11.16":
302 | version "0.11.16"
303 | resolved "https://registry.yarnpkg.com/@emotion/serialize/-/serialize-0.11.16.tgz#dee05f9e96ad2fb25a5206b6d759b2d1ed3379ad"
304 | integrity sha512-G3J4o8by0VRrO+PFeSc3js2myYNOXVJ3Ya+RGVxnshRYgsvErfAOglKAiy1Eo1vhzxqtUvjCyS5gtewzkmvSSg==
305 | dependencies:
306 | "@emotion/hash" "0.8.0"
307 | "@emotion/memoize" "0.7.4"
308 | "@emotion/unitless" "0.7.5"
309 | "@emotion/utils" "0.11.3"
310 | csstype "^2.5.7"
311 |
312 | "@emotion/sheet@0.9.4":
313 | version "0.9.4"
314 | resolved "https://registry.yarnpkg.com/@emotion/sheet/-/sheet-0.9.4.tgz#894374bea39ec30f489bbfc3438192b9774d32e5"
315 | integrity sha512-zM9PFmgVSqBw4zL101Q0HrBVTGmpAxFZH/pYx/cjJT5advXguvcgjHFTCaIO3enL/xr89vK2bh0Mfyj9aa0ANA==
316 |
317 | "@emotion/styled-base@^10.3.0":
318 | version "10.3.0"
319 | resolved "https://registry.yarnpkg.com/@emotion/styled-base/-/styled-base-10.3.0.tgz#9aa2c946100f78b47316e4bc6048321afa6d4e36"
320 | integrity sha512-PBRqsVKR7QRNkmfH78hTSSwHWcwDpecH9W6heujWAcyp2wdz/64PP73s7fWS1dIPm8/Exc8JAzYS8dEWXjv60w==
321 | dependencies:
322 | "@babel/runtime" "^7.5.5"
323 | "@emotion/is-prop-valid" "0.8.8"
324 | "@emotion/serialize" "^0.11.15"
325 | "@emotion/utils" "0.11.3"
326 |
327 | "@emotion/styled@^10.0.12":
328 | version "10.3.0"
329 | resolved "https://registry.yarnpkg.com/@emotion/styled/-/styled-10.3.0.tgz#8ee959bf75730789abb5f67f7c3ded0c30aec876"
330 | integrity sha512-GgcUpXBBEU5ido+/p/mCT2/Xx+Oqmp9JzQRuC+a4lYM4i4LBBn/dWvc0rQ19N9ObA8/T4NWMrPNe79kMBDJqoQ==
331 | dependencies:
332 | "@emotion/styled-base" "^10.3.0"
333 | babel-plugin-emotion "^10.0.27"
334 |
335 | "@emotion/stylis@0.8.5":
336 | version "0.8.5"
337 | resolved "https://registry.yarnpkg.com/@emotion/stylis/-/stylis-0.8.5.tgz#deacb389bd6ee77d1e7fcaccce9e16c5c7e78e04"
338 | integrity sha512-h6KtPihKFn3T9fuIrwvXXUOwlx3rfUvfZIcP5a6rh8Y7zjE3O06hT5Ss4S/YI1AYhuZ1kjaE/5EaOOI2NqSylQ==
339 |
340 | "@emotion/unitless@0.7.5":
341 | version "0.7.5"
342 | resolved "https://registry.yarnpkg.com/@emotion/unitless/-/unitless-0.7.5.tgz#77211291c1900a700b8a78cfafda3160d76949ed"
343 | integrity sha512-OWORNpfjMsSSUBVrRBVGECkhWcULOAJz9ZW8uK9qgxD+87M7jHRcvh/A96XXNhXTLmKcoYSQtBEX7lHMO7YRwg==
344 |
345 | "@emotion/utils@0.11.3":
346 | version "0.11.3"
347 | resolved "https://registry.yarnpkg.com/@emotion/utils/-/utils-0.11.3.tgz#a759863867befa7e583400d322652a3f44820924"
348 | integrity sha512-0o4l6pZC+hI88+bzuaX/6BgOvQVhbt2PfmxauVaYOGgbsAw14wdKyvMCZXnsnsHys94iadcF+RG/wZyx6+ZZBw==
349 |
350 | "@emotion/weak-memoize@0.2.5":
351 | version "0.2.5"
352 | resolved "https://registry.yarnpkg.com/@emotion/weak-memoize/-/weak-memoize-0.2.5.tgz#8eed982e2ee6f7f4e44c253e12962980791efd46"
353 | integrity sha512-6U71C2Wp7r5XtFtQzYrW5iKFT67OixrSxjI4MptCHzdSVlgabczzqLe0ZSgnub/5Kp4hSbpDB1tMytZY9pwxxA==
354 |
355 | "@eslint/eslintrc@^0.4.3":
356 | version "0.4.3"
357 | resolved "https://registry.yarnpkg.com/@eslint/eslintrc/-/eslintrc-0.4.3.tgz#9e42981ef035beb3dd49add17acb96e8ff6f394c"
358 | integrity sha512-J6KFFz5QCYUJq3pf0mjEcCJVERbzv71PUIDczuh9JkwGEzced6CO5ADLHB1rbf/+oPBtoPfMYNOpGDzCANlbXw==
359 | dependencies:
360 | ajv "^6.12.4"
361 | debug "^4.1.1"
362 | espree "^7.3.0"
363 | globals "^13.9.0"
364 | ignore "^4.0.6"
365 | import-fresh "^3.2.1"
366 | js-yaml "^3.13.1"
367 | minimatch "^3.0.4"
368 | strip-json-comments "^3.1.1"
369 |
370 | "@humanwhocodes/config-array@^0.5.0":
371 | version "0.5.0"
372 | resolved "https://registry.yarnpkg.com/@humanwhocodes/config-array/-/config-array-0.5.0.tgz#1407967d4c6eecd7388f83acf1eaf4d0c6e58ef9"
373 | integrity sha512-FagtKFz74XrTl7y6HCzQpwDfXP0yhxe9lHLD1UZxjvZIcbyRz8zTFF/yYNfSfzU414eDwZ1SrO0Qvtyf+wFMQg==
374 | dependencies:
375 | "@humanwhocodes/object-schema" "^1.2.0"
376 | debug "^4.1.1"
377 | minimatch "^3.0.4"
378 |
379 | "@humanwhocodes/object-schema@^1.2.0":
380 | version "1.2.1"
381 | resolved "https://registry.yarnpkg.com/@humanwhocodes/object-schema/-/object-schema-1.2.1.tgz#b520529ec21d8e5945a1851dfd1c32e94e39ff45"
382 | integrity sha512-ZnQMnLV4e7hDlUvw8H+U8ASL02SS2Gn6+9Ac3wGGLIe7+je2AeAOxPY+izIPJDfFDb7eDjev0Us8MO1iFRN8hA==
383 |
384 | "@nodelib/fs.scandir@2.1.5":
385 | version "2.1.5"
386 | resolved "https://registry.yarnpkg.com/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz#7619c2eb21b25483f6d167548b4cfd5a7488c3d5"
387 | integrity sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==
388 | dependencies:
389 | "@nodelib/fs.stat" "2.0.5"
390 | run-parallel "^1.1.9"
391 |
392 | "@nodelib/fs.stat@2.0.5", "@nodelib/fs.stat@^2.0.2":
393 | version "2.0.5"
394 | resolved "https://registry.yarnpkg.com/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz#5bd262af94e9d25bd1e71b05deed44876a222e8b"
395 | integrity sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==
396 |
397 | "@nodelib/fs.walk@^1.2.3":
398 | version "1.2.8"
399 | resolved "https://registry.yarnpkg.com/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz#e95737e8bb6746ddedf69c556953494f196fe69a"
400 | integrity sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==
401 | dependencies:
402 | "@nodelib/fs.scandir" "2.1.5"
403 | fastq "^1.6.0"
404 |
405 | "@popperjs/core@^2.9.0":
406 | version "2.11.0"
407 | resolved "https://registry.yarnpkg.com/@popperjs/core/-/core-2.11.0.tgz#6734f8ebc106a0860dff7f92bf90df193f0935d7"
408 | integrity sha512-zrsUxjLOKAzdewIDRWy9nsV1GQsKBCWaGwsZQlCgr6/q+vjyZhFgqedLfFBuI9anTPEUT4APq9Mu0SZBTzIcGQ==
409 |
410 | "@rollup/plugin-typescript@^8.3.0":
411 | version "8.3.0"
412 | resolved "https://registry.yarnpkg.com/@rollup/plugin-typescript/-/plugin-typescript-8.3.0.tgz#bc1077fa5897b980fc27e376c4e377882c63e68b"
413 | integrity sha512-I5FpSvLbtAdwJ+naznv+B4sjXZUcIvLLceYpITAn7wAP8W0wqc5noLdGIp9HGVntNhRWXctwPYrSSFQxtl0FPA==
414 | dependencies:
415 | "@rollup/pluginutils" "^3.1.0"
416 | resolve "^1.17.0"
417 |
418 | "@rollup/pluginutils@^3.1.0":
419 | version "3.1.0"
420 | resolved "https://registry.yarnpkg.com/@rollup/pluginutils/-/pluginutils-3.1.0.tgz#706b4524ee6dc8b103b3c995533e5ad680c02b9b"
421 | integrity sha512-GksZ6pr6TpIjHm8h9lSQ8pi8BE9VeubNT0OMJ3B5uZJ8pz73NPiqOtCog/x2/QzM1ENChPKxMDhiQuRHsqc+lg==
422 | dependencies:
423 | "@types/estree" "0.0.39"
424 | estree-walker "^1.0.1"
425 | picomatch "^2.2.2"
426 |
427 | "@rollup/pluginutils@^4.1.1":
428 | version "4.1.2"
429 | resolved "https://registry.yarnpkg.com/@rollup/pluginutils/-/pluginutils-4.1.2.tgz#ed5821c15e5e05e32816f5fb9ec607cdf5a75751"
430 | integrity sha512-ROn4qvkxP9SyPeHaf7uQC/GPFY6L/OWy9+bd9AwcjOAWQwxRscoEyAUD8qCY5o5iL4jqQwoLk2kaTKJPb/HwzQ==
431 | dependencies:
432 | estree-walker "^2.0.1"
433 | picomatch "^2.2.2"
434 |
435 | "@tiptap/core@^2.0.0-beta.158":
436 | version "2.0.0-beta.158"
437 | resolved "https://registry.yarnpkg.com/@tiptap/core/-/core-2.0.0-beta.158.tgz#9e2e66248f76a6ee8ba95cb4424befc15f7b91e0"
438 | integrity sha512-hNyvL3Lnu0WqUxdTu29P5YxV48uXZXUCkVxQ2zT/ZRNx0PvX2ucs4F0I9QJsZK+PsPUkfKGNvj4NPCKooUv2gg==
439 | dependencies:
440 | "@types/prosemirror-commands" "^1.0.4"
441 | "@types/prosemirror-keymap" "^1.0.4"
442 | "@types/prosemirror-model" "^1.13.2"
443 | "@types/prosemirror-schema-list" "^1.0.3"
444 | "@types/prosemirror-state" "^1.2.8"
445 | "@types/prosemirror-transform" "^1.1.5"
446 | "@types/prosemirror-view" "^1.19.2"
447 | prosemirror-commands "^1.1.12"
448 | prosemirror-keymap "^1.1.5"
449 | prosemirror-model "^1.15.0"
450 | prosemirror-schema-list "^1.1.6"
451 | prosemirror-state "^1.3.4"
452 | prosemirror-transform "^1.3.3"
453 | prosemirror-view "^1.23.3"
454 |
455 | "@tiptap/extension-bubble-menu@^2.0.0-beta.52":
456 | version "2.0.0-beta.52"
457 | resolved "https://registry.yarnpkg.com/@tiptap/extension-bubble-menu/-/extension-bubble-menu-2.0.0-beta.52.tgz#19f9a253330c2346edf4273f399c58ece4f95450"
458 | integrity sha512-fOFFEcrfClX0d0/sNvlaOcEempHXARXrmZnGEV8GwlVuC8BY9Di+kkpG+dMl903FZte5WZa1W1XI3DCuSTU0kQ==
459 | dependencies:
460 | prosemirror-state "^1.3.4"
461 | prosemirror-view "^1.23.3"
462 | tippy.js "^6.3.7"
463 |
464 | "@tiptap/extension-document@^2.0.0-beta.15":
465 | version "2.0.0-beta.15"
466 | resolved "https://registry.yarnpkg.com/@tiptap/extension-document/-/extension-document-2.0.0-beta.15.tgz#5d17a0289244a913ab2ef08e8495a1e46950711e"
467 | integrity sha512-ypENC+xUYD5m2t+KOKNYqyXnanXd5fxyIyhR1qeEEwwQwMXGNrO3kCH6O4mIDCpy+/WqHvVay2tV5dVsXnvY8w==
468 |
469 | "@tiptap/extension-floating-menu@^2.0.0-beta.47":
470 | version "2.0.0-beta.47"
471 | resolved "https://registry.yarnpkg.com/@tiptap/extension-floating-menu/-/extension-floating-menu-2.0.0-beta.47.tgz#601bf848a5cd79888e48d74e434dcd3f4569b793"
472 | integrity sha512-V98UzavO8RhX/ZE9FKGWwUhk/NDU52a9z0VN6kkwqNN0c8V/voVoDgVK9iWgzG0ji7OhuYR0YDSVhSkgpg0Sww==
473 | dependencies:
474 | prosemirror-state "^1.3.4"
475 | prosemirror-view "^1.23.3"
476 | tippy.js "^6.3.7"
477 |
478 | "@tiptap/extension-history@^2.0.0-beta.21":
479 | version "2.0.0-beta.21"
480 | resolved "https://registry.yarnpkg.com/@tiptap/extension-history/-/extension-history-2.0.0-beta.21.tgz#5d96a17a83a7130744f0757a3275dd5b11eb1bf7"
481 | integrity sha512-0v8Cl30V4dsabdpspLdk+f+lMoIvLFlJN5WRxtc7RRZ5gfJVxPHwooIKdvC51brfh/oJtWFCNMRjhoz0fRaF9A==
482 | dependencies:
483 | "@types/prosemirror-history" "^1.0.3"
484 | prosemirror-history "^1.2.0"
485 |
486 | "@tiptap/extension-paragraph@^2.0.0-beta.23":
487 | version "2.0.0-beta.23"
488 | resolved "https://registry.yarnpkg.com/@tiptap/extension-paragraph/-/extension-paragraph-2.0.0-beta.23.tgz#2ab77308519494994d7a9e5a4acd14042f45f28c"
489 | integrity sha512-VWAxyzecErYWk97Kv/Gkghh97zAQTcaVOisEnYYArZAlyYDaYM48qVssAC/vnRRynP2eQxb1EkppbAxE+bMHAA==
490 |
491 | "@tiptap/extension-text@^2.0.0-beta.15":
492 | version "2.0.0-beta.15"
493 | resolved "https://registry.yarnpkg.com/@tiptap/extension-text/-/extension-text-2.0.0-beta.15.tgz#f08cff1b78f1c6996464dfba1fef8ec1e107617f"
494 | integrity sha512-S3j2+HyV2gsXZP8Wg/HA+YVXQsZ3nrXgBM9HmGAxB0ESOO50l7LWfip0f3qcw1oRlh5H3iLPkA6/f7clD2/TFA==
495 |
496 | "@tiptap/react@^2.0.0-beta.101":
497 | version "2.0.0-beta.101"
498 | resolved "https://registry.yarnpkg.com/@tiptap/react/-/react-2.0.0-beta.101.tgz#f80b8971111dc8d2577d1f85edb47a35599d5c2e"
499 | integrity sha512-W/Rt7eumbDGsHT8WDRivw+DXFJauWZ4R19nqbrtt3FxHzGfCyWYYM7fdbpkMM/Vxx6hSVjD4mgDB030jyYsu5Q==
500 | dependencies:
501 | "@tiptap/extension-bubble-menu" "^2.0.0-beta.52"
502 | "@tiptap/extension-floating-menu" "^2.0.0-beta.47"
503 | prosemirror-view "^1.23.3"
504 |
505 | "@types/estree@0.0.39":
506 | version "0.0.39"
507 | resolved "https://registry.yarnpkg.com/@types/estree/-/estree-0.0.39.tgz#e177e699ee1b8c22d23174caaa7422644389509f"
508 | integrity sha512-EYNwp3bU+98cpU4lAWYYL7Zz+2gryWH1qbdDTidVd6hkiR6weksdbMadyXKXNPEkQFhXM+hVO9ZygomHXp+AIw==
509 |
510 | "@types/json-schema@^7.0.9":
511 | version "7.0.9"
512 | resolved "https://registry.yarnpkg.com/@types/json-schema/-/json-schema-7.0.9.tgz#97edc9037ea0c38585320b28964dde3b39e4660d"
513 | integrity sha512-qcUXuemtEu+E5wZSJHNxUXeCZhAfXKQ41D+duX+VYPde7xyEVZci+/oXKJL13tnRs9lR2pr4fod59GT6/X1/yQ==
514 |
515 | "@types/orderedmap@*":
516 | version "1.0.0"
517 | resolved "https://registry.yarnpkg.com/@types/orderedmap/-/orderedmap-1.0.0.tgz#807455a192bba52cbbb4517044bc82bdbfa8c596"
518 | integrity sha512-dxKo80TqYx3YtBipHwA/SdFmMMyLCnP+5mkEqN0eMjcTBzHkiiX0ES118DsjDBjvD+zeSsSU9jULTZ+frog+Gw==
519 |
520 | "@types/parse-json@^4.0.0":
521 | version "4.0.0"
522 | resolved "https://registry.yarnpkg.com/@types/parse-json/-/parse-json-4.0.0.tgz#2f8bb441434d163b35fb8ffdccd7138927ffb8c0"
523 | integrity sha512-//oorEZjL6sbPcKUaCdIGlIUeH26mgzimjBB77G6XRgnDl/L5wOnpyBGRe/Mmf5CVW3PwEBE1NjiMZ/ssFh4wA==
524 |
525 | "@types/prop-types@*":
526 | version "15.7.4"
527 | resolved "https://registry.yarnpkg.com/@types/prop-types/-/prop-types-15.7.4.tgz#fcf7205c25dff795ee79af1e30da2c9790808f11"
528 | integrity sha512-rZ5drC/jWjrArrS8BR6SIr4cWpW09RNTYt9AMZo3Jwwif+iacXAqgVjm0B0Bv/S1jhDXKHqRVNCbACkJ89RAnQ==
529 |
530 | "@types/prosemirror-commands@*", "@types/prosemirror-commands@^1.0.4":
531 | version "1.0.4"
532 | resolved "https://registry.yarnpkg.com/@types/prosemirror-commands/-/prosemirror-commands-1.0.4.tgz#d08551415127d93ae62e7239d30db0b5e7208e22"
533 | integrity sha512-utDNYB3EXLjAfYIcRWJe6pn3kcQ5kG4RijbT/0Y/TFOm6yhvYS/D9eJVnijdg9LDjykapcezchxGRqFD5LcyaQ==
534 | dependencies:
535 | "@types/prosemirror-model" "*"
536 | "@types/prosemirror-state" "*"
537 | "@types/prosemirror-view" "*"
538 |
539 | "@types/prosemirror-history@^1.0.3":
540 | version "1.0.3"
541 | resolved "https://registry.yarnpkg.com/@types/prosemirror-history/-/prosemirror-history-1.0.3.tgz#f1110efbe758129b5475e466ff077f0a8d9b964f"
542 | integrity sha512-5TloMDRavgLjOAKXp1Li8u0xcsspzbT1Cm9F2pwHOkgvQOz1jWQb2VIXO7RVNsFjLBZdIXlyfSLivro3DuMWXg==
543 | dependencies:
544 | "@types/prosemirror-model" "*"
545 | "@types/prosemirror-state" "*"
546 |
547 | "@types/prosemirror-keymap@^1.0.4":
548 | version "1.0.4"
549 | resolved "https://registry.yarnpkg.com/@types/prosemirror-keymap/-/prosemirror-keymap-1.0.4.tgz#f73c79810e8d0e0a20d153d84f998f02e5afbc0c"
550 | integrity sha512-ycevwkqUh+jEQtPwqO7sWGcm+Sybmhu8MpBsM8DlO3+YTKnXbKA6SDz/+q14q1wK3UA8lHJyfR+v+GPxfUSemg==
551 | dependencies:
552 | "@types/prosemirror-commands" "*"
553 | "@types/prosemirror-model" "*"
554 | "@types/prosemirror-state" "*"
555 | "@types/prosemirror-view" "*"
556 |
557 | "@types/prosemirror-model@*", "@types/prosemirror-model@^1.13.2":
558 | version "1.13.2"
559 | resolved "https://registry.yarnpkg.com/@types/prosemirror-model/-/prosemirror-model-1.13.2.tgz#2adad3ec478f83204f155d7fb94c9dfde2fc3296"
560 | integrity sha512-a2rDB0aZ+7aIP7uBqQq1wLb4Hg4qqEvpkCqvhsgT/gG8IWC0peCAZfQ24sgTco0qSJLeDgIbtPeU6mgr869/kg==
561 | dependencies:
562 | "@types/orderedmap" "*"
563 |
564 | "@types/prosemirror-schema-list@^1.0.3":
565 | version "1.0.3"
566 | resolved "https://registry.yarnpkg.com/@types/prosemirror-schema-list/-/prosemirror-schema-list-1.0.3.tgz#bdf1893a7915fbdc5c49b3cac9368e96213d70de"
567 | integrity sha512-uWybOf+M2Ea7rlbs0yLsS4YJYNGXYtn4N+w8HCw3Vvfl6wBAROzlMt0gV/D/VW/7J/LlAjwMezuGe8xi24HzXA==
568 | dependencies:
569 | "@types/orderedmap" "*"
570 | "@types/prosemirror-model" "*"
571 | "@types/prosemirror-state" "*"
572 |
573 | "@types/prosemirror-state@*", "@types/prosemirror-state@^1.2.8":
574 | version "1.2.8"
575 | resolved "https://registry.yarnpkg.com/@types/prosemirror-state/-/prosemirror-state-1.2.8.tgz#65080eeec52f63c50bf7034377f07773b4f6b2ac"
576 | integrity sha512-mq9uyQWcpu8jeamO6Callrdvf/e1H/aRLR2kZWSpZrPHctEsxWHBbluD/wqVjXBRIOoMHLf6ZvOkrkmGLoCHVA==
577 | dependencies:
578 | "@types/prosemirror-model" "*"
579 | "@types/prosemirror-transform" "*"
580 | "@types/prosemirror-view" "*"
581 |
582 | "@types/prosemirror-transform@*", "@types/prosemirror-transform@^1.1.5":
583 | version "1.1.5"
584 | resolved "https://registry.yarnpkg.com/@types/prosemirror-transform/-/prosemirror-transform-1.1.5.tgz#e6949398c64a5d3ca53e6081352751aa9e9ce76e"
585 | integrity sha512-Wr2HXaEF4JPklWpC17RTxE6PxyU54Taqk5FMhK1ojgcN93J+GpkYW8s0mD3rl7KfTmlhVwZPCHE9o0cYf2Go5A==
586 | dependencies:
587 | "@types/prosemirror-model" "*"
588 |
589 | "@types/prosemirror-view@*", "@types/prosemirror-view@^1.19.2":
590 | version "1.19.2"
591 | resolved "https://registry.yarnpkg.com/@types/prosemirror-view/-/prosemirror-view-1.19.2.tgz#1bab4daf0f1f14313fe0d3f6b57f0a3b4ef6c50d"
592 | integrity sha512-pmh2DuMJzva4D7SxspRKIzkV6FK2o52uAqGjq2dPYcQFPwu4+5RcS1TMjFVCh1R+Ia1Rx8wsCNIId/5+6DB0Bg==
593 | dependencies:
594 | "@types/prosemirror-model" "*"
595 | "@types/prosemirror-state" "*"
596 | "@types/prosemirror-transform" "*"
597 |
598 | "@types/react-dom@^17.0.10":
599 | version "17.0.11"
600 | resolved "https://registry.yarnpkg.com/@types/react-dom/-/react-dom-17.0.11.tgz#e1eadc3c5e86bdb5f7684e00274ae228e7bcc466"
601 | integrity sha512-f96K3k+24RaLGVu/Y2Ng3e1EbZ8/cVJvypZWd7cy0ofCBaf2lcM46xNhycMZ2xGwbBjRql7hOlZ+e2WlJ5MH3Q==
602 | dependencies:
603 | "@types/react" "*"
604 |
605 | "@types/react@*", "@types/react@^17.0.33":
606 | version "17.0.37"
607 | resolved "https://registry.yarnpkg.com/@types/react/-/react-17.0.37.tgz#6884d0aa402605935c397ae689deed115caad959"
608 | integrity sha512-2FS1oTqBGcH/s0E+CjrCCR9+JMpsu9b69RTFO+40ua43ZqP5MmQ4iUde/dMjWR909KxZwmOQIFq6AV6NjEG5xg==
609 | dependencies:
610 | "@types/prop-types" "*"
611 | "@types/scheduler" "*"
612 | csstype "^3.0.2"
613 |
614 | "@types/scheduler@*":
615 | version "0.16.2"
616 | resolved "https://registry.yarnpkg.com/@types/scheduler/-/scheduler-0.16.2.tgz#1a62f89525723dde24ba1b01b092bf5df8ad4d39"
617 | integrity sha512-hppQEBDmlwhFAXKJX2KnWLYu5yMfi91yazPb2l+lbJiwW+wdo1gNeRA+3RgNSO39WYX2euey41KEwnqesU2Jew==
618 |
619 | "@typescript-eslint/eslint-plugin@^5.8.0":
620 | version "5.8.0"
621 | resolved "https://registry.yarnpkg.com/@typescript-eslint/eslint-plugin/-/eslint-plugin-5.8.0.tgz#52cd9305ceef98a5333f9492d519e6c6c7fe7d43"
622 | integrity sha512-spu1UW7QuBn0nJ6+psnfCc3iVoQAifjKORgBngKOmC8U/1tbe2YJMzYQqDGYB4JCss7L8+RM2kKLb1B1Aw9BNA==
623 | dependencies:
624 | "@typescript-eslint/experimental-utils" "5.8.0"
625 | "@typescript-eslint/scope-manager" "5.8.0"
626 | debug "^4.3.2"
627 | functional-red-black-tree "^1.0.1"
628 | ignore "^5.1.8"
629 | regexpp "^3.2.0"
630 | semver "^7.3.5"
631 | tsutils "^3.21.0"
632 |
633 | "@typescript-eslint/experimental-utils@5.8.0":
634 | version "5.8.0"
635 | resolved "https://registry.yarnpkg.com/@typescript-eslint/experimental-utils/-/experimental-utils-5.8.0.tgz#0916ffe98d34b3c95e3652efa0cace61a7b25728"
636 | integrity sha512-KN5FvNH71bhZ8fKtL+lhW7bjm7cxs1nt+hrDZWIqb6ViCffQcWyLunGrgvISgkRojIDcXIsH+xlFfI4RCDA0xA==
637 | dependencies:
638 | "@types/json-schema" "^7.0.9"
639 | "@typescript-eslint/scope-manager" "5.8.0"
640 | "@typescript-eslint/types" "5.8.0"
641 | "@typescript-eslint/typescript-estree" "5.8.0"
642 | eslint-scope "^5.1.1"
643 | eslint-utils "^3.0.0"
644 |
645 | "@typescript-eslint/parser@^5.8.0":
646 | version "5.8.0"
647 | resolved "https://registry.yarnpkg.com/@typescript-eslint/parser/-/parser-5.8.0.tgz#b39970b21c1d7bc4a6018507fb29b380328d2587"
648 | integrity sha512-Gleacp/ZhRtJRYs5/T8KQR3pAQjQI89Dn/k+OzyCKOsLiZH2/Vh60cFBTnFsHNI6WAD+lNUo/xGZ4NeA5u0Ipw==
649 | dependencies:
650 | "@typescript-eslint/scope-manager" "5.8.0"
651 | "@typescript-eslint/types" "5.8.0"
652 | "@typescript-eslint/typescript-estree" "5.8.0"
653 | debug "^4.3.2"
654 |
655 | "@typescript-eslint/scope-manager@5.8.0":
656 | version "5.8.0"
657 | resolved "https://registry.yarnpkg.com/@typescript-eslint/scope-manager/-/scope-manager-5.8.0.tgz#2371095b4fa4c7be6a80b380f4e1b49c715e16f4"
658 | integrity sha512-x82CYJsLOjPCDuFFEbS6e7K1QEWj7u5Wk1alw8A+gnJiYwNnDJk0ib6PCegbaPMjrfBvFKa7SxE3EOnnIQz2Gg==
659 | dependencies:
660 | "@typescript-eslint/types" "5.8.0"
661 | "@typescript-eslint/visitor-keys" "5.8.0"
662 |
663 | "@typescript-eslint/types@5.8.0":
664 | version "5.8.0"
665 | resolved "https://registry.yarnpkg.com/@typescript-eslint/types/-/types-5.8.0.tgz#e7fa74ec35d9dbe3560d039d3d8734986c3971e0"
666 | integrity sha512-LdCYOqeqZWqCMOmwFnum6YfW9F3nKuxJiR84CdIRN5nfHJ7gyvGpXWqL/AaW0k3Po0+wm93ARAsOdzlZDPCcXg==
667 |
668 | "@typescript-eslint/typescript-estree@5.8.0":
669 | version "5.8.0"
670 | resolved "https://registry.yarnpkg.com/@typescript-eslint/typescript-estree/-/typescript-estree-5.8.0.tgz#900469ba9d5a37f4482b014ecce4a5dbb86cb4dd"
671 | integrity sha512-srfeZ3URdEcUsSLbkOFqS7WoxOqn8JNil2NSLO9O+I2/Uyc85+UlfpEvQHIpj5dVts7KKOZnftoJD/Fdv0L7nQ==
672 | dependencies:
673 | "@typescript-eslint/types" "5.8.0"
674 | "@typescript-eslint/visitor-keys" "5.8.0"
675 | debug "^4.3.2"
676 | globby "^11.0.4"
677 | is-glob "^4.0.3"
678 | semver "^7.3.5"
679 | tsutils "^3.21.0"
680 |
681 | "@typescript-eslint/visitor-keys@5.8.0":
682 | version "5.8.0"
683 | resolved "https://registry.yarnpkg.com/@typescript-eslint/visitor-keys/-/visitor-keys-5.8.0.tgz#22d4ed96fe2451135299239feedb9fe1dcec780c"
684 | integrity sha512-+HDIGOEMnqbxdAHegxvnOqESUH6RWFRR2b8qxP1W9CZnnYh4Usz6MBL+2KMAgPk/P0o9c1HqnYtwzVH6GTIqug==
685 | dependencies:
686 | "@typescript-eslint/types" "5.8.0"
687 | eslint-visitor-keys "^3.0.0"
688 |
689 | "@vitejs/plugin-react@^1.0.7":
690 | version "1.1.3"
691 | resolved "https://registry.yarnpkg.com/@vitejs/plugin-react/-/plugin-react-1.1.3.tgz#0a649db2ea4637fd188adb36502b59da05ff6303"
692 | integrity sha512-xv8QujX/uR4ti8qpt0hMriM2bdpxX4jm4iU6GAZfCwHjh/ewkX/8DJgnmQpE0HSJmgz8dixyUnRJKi2Pf1nNoQ==
693 | dependencies:
694 | "@babel/core" "^7.16.0"
695 | "@babel/plugin-transform-react-jsx" "^7.16.0"
696 | "@babel/plugin-transform-react-jsx-development" "^7.16.0"
697 | "@babel/plugin-transform-react-jsx-self" "^7.16.0"
698 | "@babel/plugin-transform-react-jsx-source" "^7.16.0"
699 | "@rollup/pluginutils" "^4.1.1"
700 | react-refresh "^0.11.0"
701 | resolve "^1.20.0"
702 |
703 | acorn-jsx@^5.3.1:
704 | version "5.3.2"
705 | resolved "https://registry.yarnpkg.com/acorn-jsx/-/acorn-jsx-5.3.2.tgz#7ed5bb55908b3b2f1bc55c6af1653bada7f07937"
706 | integrity sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==
707 |
708 | acorn@^7.4.0:
709 | version "7.4.1"
710 | resolved "https://registry.yarnpkg.com/acorn/-/acorn-7.4.1.tgz#feaed255973d2e77555b83dbc08851a6c63520fa"
711 | integrity sha512-nQyp0o1/mNdbTO1PO6kHkwSrmgZ0MT/jCCpNiwbUjGoRN4dlBhqJtoQuCnEOKzgTVwg0ZWiCoQy6SxMebQVh8A==
712 |
713 | ajv@^6.10.0, ajv@^6.12.4:
714 | version "6.12.6"
715 | resolved "https://registry.yarnpkg.com/ajv/-/ajv-6.12.6.tgz#baf5a62e802b07d977034586f8c3baf5adf26df4"
716 | integrity sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==
717 | dependencies:
718 | fast-deep-equal "^3.1.1"
719 | fast-json-stable-stringify "^2.0.0"
720 | json-schema-traverse "^0.4.1"
721 | uri-js "^4.2.2"
722 |
723 | ajv@^8.0.1:
724 | version "8.8.2"
725 | resolved "https://registry.yarnpkg.com/ajv/-/ajv-8.8.2.tgz#01b4fef2007a28bf75f0b7fc009f62679de4abbb"
726 | integrity sha512-x9VuX+R/jcFj1DHo/fCp99esgGDWiHENrKxaCENuCxpoMCmAt/COCGVDwA7kleEpEzJjDnvh3yGoOuLu0Dtllw==
727 | dependencies:
728 | fast-deep-equal "^3.1.1"
729 | json-schema-traverse "^1.0.0"
730 | require-from-string "^2.0.2"
731 | uri-js "^4.2.2"
732 |
733 | ansi-colors@^4.1.1:
734 | version "4.1.1"
735 | resolved "https://registry.yarnpkg.com/ansi-colors/-/ansi-colors-4.1.1.tgz#cbb9ae256bf750af1eab344f229aa27fe94ba348"
736 | integrity sha512-JoX0apGbHaUJBNl6yF+p6JAFYZ666/hhCGKN5t9QFjbJQKUU/g8MNbFDbvfrgKXvI1QpZplPOnwIo99lX/AAmA==
737 |
738 | ansi-regex@^5.0.1:
739 | version "5.0.1"
740 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-5.0.1.tgz#082cb2c89c9fe8659a311a53bd6a4dc5301db304"
741 | integrity sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==
742 |
743 | ansi-styles@^3.2.1:
744 | version "3.2.1"
745 | resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-3.2.1.tgz#41fbb20243e50b12be0f04b8dedbf07520ce841d"
746 | integrity sha512-VT0ZI6kZRdTh8YyJw3SMbYm/u+NqfsAxEpWO0Pf9sq8/e94WxxOpPKx9FR1FlyCtOVDNOQ+8ntlqFxiRc+r5qA==
747 | dependencies:
748 | color-convert "^1.9.0"
749 |
750 | ansi-styles@^4.0.0, ansi-styles@^4.1.0:
751 | version "4.3.0"
752 | resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-4.3.0.tgz#edd803628ae71c04c85ae7a0906edad34b648937"
753 | integrity sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==
754 | dependencies:
755 | color-convert "^2.0.1"
756 |
757 | anymatch@~3.1.2:
758 | version "3.1.2"
759 | resolved "https://registry.yarnpkg.com/anymatch/-/anymatch-3.1.2.tgz#c0557c096af32f106198f4f4e2a383537e378716"
760 | integrity sha512-P43ePfOAIupkguHUycrc4qJ9kz8ZiuOUijaETwX7THt0Y/GNK7v0aa8rY816xWjZ7rJdA5XdMcpVFTKMq+RvWg==
761 | dependencies:
762 | normalize-path "^3.0.0"
763 | picomatch "^2.0.4"
764 |
765 | argparse@^1.0.7:
766 | version "1.0.10"
767 | resolved "https://registry.yarnpkg.com/argparse/-/argparse-1.0.10.tgz#bcd6791ea5ae09725e17e5ad988134cd40b3d911"
768 | integrity sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg==
769 | dependencies:
770 | sprintf-js "~1.0.2"
771 |
772 | array-includes@^3.1.3, array-includes@^3.1.4:
773 | version "3.1.4"
774 | resolved "https://registry.yarnpkg.com/array-includes/-/array-includes-3.1.4.tgz#f5b493162c760f3539631f005ba2bb46acb45ba9"
775 | integrity sha512-ZTNSQkmWumEbiHO2GF4GmWxYVTiQyJy2XOTa15sdQSrvKn7l+180egQMqlrMOUMCyLMD7pmyQe4mMDUT6Behrw==
776 | dependencies:
777 | call-bind "^1.0.2"
778 | define-properties "^1.1.3"
779 | es-abstract "^1.19.1"
780 | get-intrinsic "^1.1.1"
781 | is-string "^1.0.7"
782 |
783 | array-union@^2.1.0:
784 | version "2.1.0"
785 | resolved "https://registry.yarnpkg.com/array-union/-/array-union-2.1.0.tgz#b798420adbeb1de828d84acd8a2e23d3efe85e8d"
786 | integrity sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw==
787 |
788 | array.prototype.flatmap@^1.2.5:
789 | version "1.2.5"
790 | resolved "https://registry.yarnpkg.com/array.prototype.flatmap/-/array.prototype.flatmap-1.2.5.tgz#908dc82d8a406930fdf38598d51e7411d18d4446"
791 | integrity sha512-08u6rVyi1Lj7oqWbS9nUxliETrtIROT4XGTA4D/LWGten6E3ocm7cy9SIrmNHOL5XVbVuckUp3X6Xyg8/zpvHA==
792 | dependencies:
793 | call-bind "^1.0.0"
794 | define-properties "^1.1.3"
795 | es-abstract "^1.19.0"
796 |
797 | astral-regex@^2.0.0:
798 | version "2.0.0"
799 | resolved "https://registry.yarnpkg.com/astral-regex/-/astral-regex-2.0.0.tgz#483143c567aeed4785759c0865786dc77d7d2e31"
800 | integrity sha512-Z7tMw1ytTXt5jqMcOP+OQteU1VuNK9Y02uuJtKQ1Sv69jXQKKg5cibLwGJow8yzZP+eAc18EmLGPal0bp36rvQ==
801 |
802 | babel-plugin-emotion@^10.0.27:
803 | version "10.2.2"
804 | resolved "https://registry.yarnpkg.com/babel-plugin-emotion/-/babel-plugin-emotion-10.2.2.tgz#a1fe3503cff80abfd0bdda14abd2e8e57a79d17d"
805 | integrity sha512-SMSkGoqTbTyUTDeuVuPIWifPdUGkTk1Kf9BWRiXIOIcuyMfsdp2EjeiiFvOzX8NOBvEh/ypKYvUh2rkgAJMCLA==
806 | dependencies:
807 | "@babel/helper-module-imports" "^7.0.0"
808 | "@emotion/hash" "0.8.0"
809 | "@emotion/memoize" "0.7.4"
810 | "@emotion/serialize" "^0.11.16"
811 | babel-plugin-macros "^2.0.0"
812 | babel-plugin-syntax-jsx "^6.18.0"
813 | convert-source-map "^1.5.0"
814 | escape-string-regexp "^1.0.5"
815 | find-root "^1.1.0"
816 | source-map "^0.5.7"
817 |
818 | babel-plugin-macros@^2.0.0:
819 | version "2.8.0"
820 | resolved "https://registry.yarnpkg.com/babel-plugin-macros/-/babel-plugin-macros-2.8.0.tgz#0f958a7cc6556b1e65344465d99111a1e5e10138"
821 | integrity sha512-SEP5kJpfGYqYKpBrj5XU3ahw5p5GOHJ0U5ssOSQ/WBVdwkD2Dzlce95exQTs3jOVWPPKLBN2rlEWkCK7dSmLvg==
822 | dependencies:
823 | "@babel/runtime" "^7.7.2"
824 | cosmiconfig "^6.0.0"
825 | resolve "^1.12.0"
826 |
827 | babel-plugin-syntax-jsx@^6.18.0:
828 | version "6.18.0"
829 | resolved "https://registry.yarnpkg.com/babel-plugin-syntax-jsx/-/babel-plugin-syntax-jsx-6.18.0.tgz#0af32a9a6e13ca7a3fd5069e62d7b0f58d0d8946"
830 | integrity sha1-CvMqmm4Tyno/1QaeYtew9Y0NiUY=
831 |
832 | balanced-match@^1.0.0:
833 | version "1.0.2"
834 | resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-1.0.2.tgz#e83e3a7e3f300b34cb9d87f615fa0cbf357690ee"
835 | integrity sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==
836 |
837 | binary-extensions@^2.0.0:
838 | version "2.2.0"
839 | resolved "https://registry.yarnpkg.com/binary-extensions/-/binary-extensions-2.2.0.tgz#75f502eeaf9ffde42fc98829645be4ea76bd9e2d"
840 | integrity sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA==
841 |
842 | brace-expansion@^1.1.7:
843 | version "1.1.11"
844 | resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.11.tgz#3c7fcbf529d87226f3d2f52b966ff5271eb441dd"
845 | integrity sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==
846 | dependencies:
847 | balanced-match "^1.0.0"
848 | concat-map "0.0.1"
849 |
850 | braces@^3.0.1, braces@~3.0.2:
851 | version "3.0.2"
852 | resolved "https://registry.yarnpkg.com/braces/-/braces-3.0.2.tgz#3454e1a462ee8d599e236df336cd9ea4f8afe107"
853 | integrity sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==
854 | dependencies:
855 | fill-range "^7.0.1"
856 |
857 | browserslist@^4.17.5:
858 | version "4.19.1"
859 | resolved "https://registry.yarnpkg.com/browserslist/-/browserslist-4.19.1.tgz#4ac0435b35ab655896c31d53018b6dd5e9e4c9a3"
860 | integrity sha512-u2tbbG5PdKRTUoctO3NBD8FQ5HdPh1ZXPHzp1rwaa5jTc+RV9/+RlWiAIKmjRPQF+xbGM9Kklj5bZQFa2s/38A==
861 | dependencies:
862 | caniuse-lite "^1.0.30001286"
863 | electron-to-chromium "^1.4.17"
864 | escalade "^3.1.1"
865 | node-releases "^2.0.1"
866 | picocolors "^1.0.0"
867 |
868 | call-bind@^1.0.0, call-bind@^1.0.2:
869 | version "1.0.2"
870 | resolved "https://registry.yarnpkg.com/call-bind/-/call-bind-1.0.2.tgz#b1d4e89e688119c3c9a903ad30abb2f6a919be3c"
871 | integrity sha512-7O+FbCihrB5WGbFYesctwmTKae6rOiIzmz1icreWJ+0aA7LJfuqhEso2T9ncpcFtzMQtzXf2QGGueWJGTYsqrA==
872 | dependencies:
873 | function-bind "^1.1.1"
874 | get-intrinsic "^1.0.2"
875 |
876 | callsites@^3.0.0:
877 | version "3.1.0"
878 | resolved "https://registry.yarnpkg.com/callsites/-/callsites-3.1.0.tgz#b3630abd8943432f54b3f0519238e33cd7df2f73"
879 | integrity sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==
880 |
881 | caniuse-lite@^1.0.30001286:
882 | version "1.0.30001291"
883 | resolved "https://registry.yarnpkg.com/caniuse-lite/-/caniuse-lite-1.0.30001291.tgz#08a8d2cfea0b2cf2e1d94dd795942d0daef6108c"
884 | integrity sha512-roMV5V0HNGgJ88s42eE70sstqGW/gwFndosYrikHthw98N5tLnOTxFqMLQjZVRxTWFlJ4rn+MsgXrR7MDPY4jA==
885 |
886 | chalk@^2.0.0:
887 | version "2.4.2"
888 | resolved "https://registry.yarnpkg.com/chalk/-/chalk-2.4.2.tgz#cd42541677a54333cf541a49108c1432b44c9424"
889 | integrity sha512-Mti+f9lpJNcwF4tWV8/OrTTtF1gZi+f8FqlyAdouralcFWFQWF2+NgCHShjkCb+IFBLq9buZwE1xckQU4peSuQ==
890 | dependencies:
891 | ansi-styles "^3.2.1"
892 | escape-string-regexp "^1.0.5"
893 | supports-color "^5.3.0"
894 |
895 | chalk@^4.0.0:
896 | version "4.1.2"
897 | resolved "https://registry.yarnpkg.com/chalk/-/chalk-4.1.2.tgz#aac4e2b7734a740867aeb16bf02aad556a1e7a01"
898 | integrity sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==
899 | dependencies:
900 | ansi-styles "^4.1.0"
901 | supports-color "^7.1.0"
902 |
903 | "chokidar@>=3.0.0 <4.0.0":
904 | version "3.5.2"
905 | resolved "https://registry.yarnpkg.com/chokidar/-/chokidar-3.5.2.tgz#dba3976fcadb016f66fd365021d91600d01c1e75"
906 | integrity sha512-ekGhOnNVPgT77r4K/U3GDhu+FQ2S8TnK/s2KbIGXi0SZWuwkZ2QNyfWdZW+TVfn84DpEP7rLeCt2UI6bJ8GwbQ==
907 | dependencies:
908 | anymatch "~3.1.2"
909 | braces "~3.0.2"
910 | glob-parent "~5.1.2"
911 | is-binary-path "~2.1.0"
912 | is-glob "~4.0.1"
913 | normalize-path "~3.0.0"
914 | readdirp "~3.6.0"
915 | optionalDependencies:
916 | fsevents "~2.3.2"
917 |
918 | color-convert@^1.9.0:
919 | version "1.9.3"
920 | resolved "https://registry.yarnpkg.com/color-convert/-/color-convert-1.9.3.tgz#bb71850690e1f136567de629d2d5471deda4c1e8"
921 | integrity sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==
922 | dependencies:
923 | color-name "1.1.3"
924 |
925 | color-convert@^2.0.1:
926 | version "2.0.1"
927 | resolved "https://registry.yarnpkg.com/color-convert/-/color-convert-2.0.1.tgz#72d3a68d598c9bdb3af2ad1e84f21d896abd4de3"
928 | integrity sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==
929 | dependencies:
930 | color-name "~1.1.4"
931 |
932 | color-name@1.1.3:
933 | version "1.1.3"
934 | resolved "https://registry.yarnpkg.com/color-name/-/color-name-1.1.3.tgz#a7d0558bd89c42f795dd42328f740831ca53bc25"
935 | integrity sha1-p9BVi9icQveV3UIyj3QIMcpTvCU=
936 |
937 | color-name@~1.1.4:
938 | version "1.1.4"
939 | resolved "https://registry.yarnpkg.com/color-name/-/color-name-1.1.4.tgz#c2a09a87acbde69543de6f63fa3995c826c536a2"
940 | integrity sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==
941 |
942 | concat-map@0.0.1:
943 | version "0.0.1"
944 | resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b"
945 | integrity sha1-2Klr13/Wjfd5OnMDajug1UBdR3s=
946 |
947 | console-feed@^3.2.2:
948 | version "3.2.2"
949 | resolved "https://registry.yarnpkg.com/console-feed/-/console-feed-3.2.2.tgz#fc19a9ba5eedea2985b4add45f7be2a1d0536fe6"
950 | integrity sha512-/DxoNG48E+eIMhD9/lBftpJoFQI1e5TOXCwmwG9VIMXAVJPDyGRoY844eClkZBC4b4Ae24ndua6ui/E0jfrH9Q==
951 | dependencies:
952 | "@emotion/core" "^10.0.10"
953 | "@emotion/styled" "^10.0.12"
954 | emotion-theming "^10.0.10"
955 | linkifyjs "^2.1.6"
956 | react-inspector "^5.1.0"
957 |
958 | convert-source-map@^1.5.0, convert-source-map@^1.7.0:
959 | version "1.8.0"
960 | resolved "https://registry.yarnpkg.com/convert-source-map/-/convert-source-map-1.8.0.tgz#f3373c32d21b4d780dd8004514684fb791ca4369"
961 | integrity sha512-+OQdjP49zViI/6i7nIJpA8rAl4sV/JdPfU9nZs3VqOwGIgizICvuN2ru6fMd+4llL0tar18UYJXfZ/TWtmhUjA==
962 | dependencies:
963 | safe-buffer "~5.1.1"
964 |
965 | cosmiconfig@^6.0.0:
966 | version "6.0.0"
967 | resolved "https://registry.yarnpkg.com/cosmiconfig/-/cosmiconfig-6.0.0.tgz#da4fee853c52f6b1e6935f41c1a2fc50bd4a9982"
968 | integrity sha512-xb3ZL6+L8b9JLLCx3ZdoZy4+2ECphCMo2PwqgP1tlfVq6M6YReyzBJtvWWtbDSpNr9hn96pkCiZqUcFEc+54Qg==
969 | dependencies:
970 | "@types/parse-json" "^4.0.0"
971 | import-fresh "^3.1.0"
972 | parse-json "^5.0.0"
973 | path-type "^4.0.0"
974 | yaml "^1.7.2"
975 |
976 | cross-spawn@^7.0.2:
977 | version "7.0.3"
978 | resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-7.0.3.tgz#f73a85b9d5d41d045551c177e2882d4ac85728a6"
979 | integrity sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==
980 | dependencies:
981 | path-key "^3.1.0"
982 | shebang-command "^2.0.0"
983 | which "^2.0.1"
984 |
985 | csstype@^2.5.7:
986 | version "2.6.19"
987 | resolved "https://registry.yarnpkg.com/csstype/-/csstype-2.6.19.tgz#feeb5aae89020bb389e1f63669a5ed490e391caa"
988 | integrity sha512-ZVxXaNy28/k3kJg0Fou5MiYpp88j7H9hLZp8PDC3jV0WFjfH5E9xHb56L0W59cPbKbcHXeP4qyT8PrHp8t6LcQ==
989 |
990 | csstype@^3.0.2:
991 | version "3.0.10"
992 | resolved "https://registry.yarnpkg.com/csstype/-/csstype-3.0.10.tgz#2ad3a7bed70f35b965707c092e5f30b327c290e5"
993 | integrity sha512-2u44ZG2OcNUO9HDp/Jl8C07x6pU/eTR3ncV91SiK3dhG9TWvRVsCoJw14Ckx5DgWkzGA3waZWO3d7pgqpUI/XA==
994 |
995 | debug@^4.0.1, debug@^4.1.0, debug@^4.1.1, debug@^4.3.2:
996 | version "4.3.3"
997 | resolved "https://registry.yarnpkg.com/debug/-/debug-4.3.3.tgz#04266e0b70a98d4462e6e288e38259213332b664"
998 | integrity sha512-/zxw5+vh1Tfv+4Qn7a5nsbcJKPaSvCDhojn6FEl9vupwK2VCSDtEiEtqr8DFtzYFOdz63LBkxec7DYuc2jon6Q==
999 | dependencies:
1000 | ms "2.1.2"
1001 |
1002 | deep-is@^0.1.3:
1003 | version "0.1.4"
1004 | resolved "https://registry.yarnpkg.com/deep-is/-/deep-is-0.1.4.tgz#a6f2dce612fadd2ef1f519b73551f17e85199831"
1005 | integrity sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==
1006 |
1007 | define-properties@^1.1.3:
1008 | version "1.1.3"
1009 | resolved "https://registry.yarnpkg.com/define-properties/-/define-properties-1.1.3.tgz#cf88da6cbee26fe6db7094f61d870cbd84cee9f1"
1010 | integrity sha512-3MqfYKj2lLzdMSf8ZIZE/V+Zuy+BgD6f164e8K2w7dgnpKArBDerGYpM46IYYcjnkdPNMjPk9A6VFB8+3SKlXQ==
1011 | dependencies:
1012 | object-keys "^1.0.12"
1013 |
1014 | dir-glob@^3.0.1:
1015 | version "3.0.1"
1016 | resolved "https://registry.yarnpkg.com/dir-glob/-/dir-glob-3.0.1.tgz#56dbf73d992a4a93ba1584f4534063fd2e41717f"
1017 | integrity sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA==
1018 | dependencies:
1019 | path-type "^4.0.0"
1020 |
1021 | doctrine@^2.1.0:
1022 | version "2.1.0"
1023 | resolved "https://registry.yarnpkg.com/doctrine/-/doctrine-2.1.0.tgz#5cd01fc101621b42c4cd7f5d1a66243716d3f39d"
1024 | integrity sha512-35mSku4ZXK0vfCuHEDAwt55dg2jNajHZ1odvF+8SSr82EsZY4QmXfuWso8oEd8zRhVObSN18aM0CjSdoBX7zIw==
1025 | dependencies:
1026 | esutils "^2.0.2"
1027 |
1028 | doctrine@^3.0.0:
1029 | version "3.0.0"
1030 | resolved "https://registry.yarnpkg.com/doctrine/-/doctrine-3.0.0.tgz#addebead72a6574db783639dc87a121773973961"
1031 | integrity sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==
1032 | dependencies:
1033 | esutils "^2.0.2"
1034 |
1035 | electron-to-chromium@^1.4.17:
1036 | version "1.4.24"
1037 | resolved "https://registry.yarnpkg.com/electron-to-chromium/-/electron-to-chromium-1.4.24.tgz#9cf8a92d5729c480ee47ff0aa5555f57467ae2fa"
1038 | integrity sha512-erwx5r69B/WFfFuF2jcNN0817BfDBdC4765kQ6WltOMuwsimlQo3JTEq0Cle+wpHralwdeX3OfAtw/mHxPK0Wg==
1039 |
1040 | emoji-regex@^8.0.0:
1041 | version "8.0.0"
1042 | resolved "https://registry.yarnpkg.com/emoji-regex/-/emoji-regex-8.0.0.tgz#e818fd69ce5ccfcb404594f842963bf53164cc37"
1043 | integrity sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==
1044 |
1045 | emotion-theming@^10.0.10:
1046 | version "10.3.0"
1047 | resolved "https://registry.yarnpkg.com/emotion-theming/-/emotion-theming-10.3.0.tgz#7f84d7099581d7ffe808aab5cd870e30843db72a"
1048 | integrity sha512-mXiD2Oj7N9b6+h/dC6oLf9hwxbtKHQjoIqtodEyL8CpkN4F3V4IK/BT4D0C7zSs4BBFOu4UlPJbvvBLa88SGEA==
1049 | dependencies:
1050 | "@babel/runtime" "^7.5.5"
1051 | "@emotion/weak-memoize" "0.2.5"
1052 | hoist-non-react-statics "^3.3.0"
1053 |
1054 | enquirer@^2.3.5:
1055 | version "2.3.6"
1056 | resolved "https://registry.yarnpkg.com/enquirer/-/enquirer-2.3.6.tgz#2a7fe5dd634a1e4125a975ec994ff5456dc3734d"
1057 | integrity sha512-yjNnPr315/FjS4zIsUxYguYUPP2e1NK4d7E7ZOLiyYCcbFBiTMyID+2wvm2w6+pZ/odMA7cRkjhsPbltwBOrLg==
1058 | dependencies:
1059 | ansi-colors "^4.1.1"
1060 |
1061 | error-ex@^1.3.1:
1062 | version "1.3.2"
1063 | resolved "https://registry.yarnpkg.com/error-ex/-/error-ex-1.3.2.tgz#b4ac40648107fdcdcfae242f428bea8a14d4f1bf"
1064 | integrity sha512-7dFHNmqeFSEt2ZBsCriorKnn3Z2pj+fd9kmI6QoWw4//DL+icEBfc0U7qJCisqrTsKTjw4fNFy2pW9OqStD84g==
1065 | dependencies:
1066 | is-arrayish "^0.2.1"
1067 |
1068 | es-abstract@^1.19.0, es-abstract@^1.19.1:
1069 | version "1.19.1"
1070 | resolved "https://registry.yarnpkg.com/es-abstract/-/es-abstract-1.19.1.tgz#d4885796876916959de78edaa0df456627115ec3"
1071 | integrity sha512-2vJ6tjA/UfqLm2MPs7jxVybLoB8i1t1Jd9R3kISld20sIxPcTbLuggQOUxeWeAvIUkduv/CfMjuh4WmiXr2v9w==
1072 | dependencies:
1073 | call-bind "^1.0.2"
1074 | es-to-primitive "^1.2.1"
1075 | function-bind "^1.1.1"
1076 | get-intrinsic "^1.1.1"
1077 | get-symbol-description "^1.0.0"
1078 | has "^1.0.3"
1079 | has-symbols "^1.0.2"
1080 | internal-slot "^1.0.3"
1081 | is-callable "^1.2.4"
1082 | is-negative-zero "^2.0.1"
1083 | is-regex "^1.1.4"
1084 | is-shared-array-buffer "^1.0.1"
1085 | is-string "^1.0.7"
1086 | is-weakref "^1.0.1"
1087 | object-inspect "^1.11.0"
1088 | object-keys "^1.1.1"
1089 | object.assign "^4.1.2"
1090 | string.prototype.trimend "^1.0.4"
1091 | string.prototype.trimstart "^1.0.4"
1092 | unbox-primitive "^1.0.1"
1093 |
1094 | es-to-primitive@^1.2.1:
1095 | version "1.2.1"
1096 | resolved "https://registry.yarnpkg.com/es-to-primitive/-/es-to-primitive-1.2.1.tgz#e55cd4c9cdc188bcefb03b366c736323fc5c898a"
1097 | integrity sha512-QCOllgZJtaUo9miYBcLChTUaHNjJF3PYs1VidD7AwiEj1kYxKeQTctLAezAOH5ZKRH0g2IgPn6KwB4IT8iRpvA==
1098 | dependencies:
1099 | is-callable "^1.1.4"
1100 | is-date-object "^1.0.1"
1101 | is-symbol "^1.0.2"
1102 |
1103 | esbuild-android-arm64@0.13.15:
1104 | version "0.13.15"
1105 | resolved "https://registry.yarnpkg.com/esbuild-android-arm64/-/esbuild-android-arm64-0.13.15.tgz#3fc3ff0bab76fe35dd237476b5d2b32bb20a3d44"
1106 | integrity sha512-m602nft/XXeO8YQPUDVoHfjyRVPdPgjyyXOxZ44MK/agewFFkPa8tUo6lAzSWh5Ui5PB4KR9UIFTSBKh/RrCmg==
1107 |
1108 | esbuild-darwin-64@0.13.15:
1109 | version "0.13.15"
1110 | resolved "https://registry.yarnpkg.com/esbuild-darwin-64/-/esbuild-darwin-64-0.13.15.tgz#8e9169c16baf444eacec60d09b24d11b255a8e72"
1111 | integrity sha512-ihOQRGs2yyp7t5bArCwnvn2Atr6X4axqPpEdCFPVp7iUj4cVSdisgvEKdNR7yH3JDjW6aQDw40iQFoTqejqxvQ==
1112 |
1113 | esbuild-darwin-arm64@0.13.15:
1114 | version "0.13.15"
1115 | resolved "https://registry.yarnpkg.com/esbuild-darwin-arm64/-/esbuild-darwin-arm64-0.13.15.tgz#1b07f893b632114f805e188ddfca41b2b778229a"
1116 | integrity sha512-i1FZssTVxUqNlJ6cBTj5YQj4imWy3m49RZRnHhLpefFIh0To05ow9DTrXROTE1urGTQCloFUXTX8QfGJy1P8dQ==
1117 |
1118 | esbuild-freebsd-64@0.13.15:
1119 | version "0.13.15"
1120 | resolved "https://registry.yarnpkg.com/esbuild-freebsd-64/-/esbuild-freebsd-64-0.13.15.tgz#0b8b7eca1690c8ec94c75680c38c07269c1f4a85"
1121 | integrity sha512-G3dLBXUI6lC6Z09/x+WtXBXbOYQZ0E8TDBqvn7aMaOCzryJs8LyVXKY4CPnHFXZAbSwkCbqiPuSQ1+HhrNk7EA==
1122 |
1123 | esbuild-freebsd-arm64@0.13.15:
1124 | version "0.13.15"
1125 | resolved "https://registry.yarnpkg.com/esbuild-freebsd-arm64/-/esbuild-freebsd-arm64-0.13.15.tgz#2e1a6c696bfdcd20a99578b76350b41db1934e52"
1126 | integrity sha512-KJx0fzEDf1uhNOZQStV4ujg30WlnwqUASaGSFPhznLM/bbheu9HhqZ6mJJZM32lkyfGJikw0jg7v3S0oAvtvQQ==
1127 |
1128 | esbuild-linux-32@0.13.15:
1129 | version "0.13.15"
1130 | resolved "https://registry.yarnpkg.com/esbuild-linux-32/-/esbuild-linux-32-0.13.15.tgz#6fd39f36fc66dd45b6b5f515728c7bbebc342a69"
1131 | integrity sha512-ZvTBPk0YWCLMCXiFmD5EUtB30zIPvC5Itxz0mdTu/xZBbbHJftQgLWY49wEPSn2T/TxahYCRDWun5smRa0Tu+g==
1132 |
1133 | esbuild-linux-64@0.13.15:
1134 | version "0.13.15"
1135 | resolved "https://registry.yarnpkg.com/esbuild-linux-64/-/esbuild-linux-64-0.13.15.tgz#9cb8e4bcd7574e67946e4ee5f1f1e12386bb6dd3"
1136 | integrity sha512-eCKzkNSLywNeQTRBxJRQ0jxRCl2YWdMB3+PkWFo2BBQYC5mISLIVIjThNtn6HUNqua1pnvgP5xX0nHbZbPj5oA==
1137 |
1138 | esbuild-linux-arm64@0.13.15:
1139 | version "0.13.15"
1140 | resolved "https://registry.yarnpkg.com/esbuild-linux-arm64/-/esbuild-linux-arm64-0.13.15.tgz#3891aa3704ec579a1b92d2a586122e5b6a2bfba1"
1141 | integrity sha512-bYpuUlN6qYU9slzr/ltyLTR9YTBS7qUDymO8SV7kjeNext61OdmqFAzuVZom+OLW1HPHseBfJ/JfdSlx8oTUoA==
1142 |
1143 | esbuild-linux-arm@0.13.15:
1144 | version "0.13.15"
1145 | resolved "https://registry.yarnpkg.com/esbuild-linux-arm/-/esbuild-linux-arm-0.13.15.tgz#8a00e99e6a0c6c9a6b7f334841364d8a2b4aecfe"
1146 | integrity sha512-wUHttDi/ol0tD8ZgUMDH8Ef7IbDX+/UsWJOXaAyTdkT7Yy9ZBqPg8bgB/Dn3CZ9SBpNieozrPRHm0BGww7W/jA==
1147 |
1148 | esbuild-linux-mips64le@0.13.15:
1149 | version "0.13.15"
1150 | resolved "https://registry.yarnpkg.com/esbuild-linux-mips64le/-/esbuild-linux-mips64le-0.13.15.tgz#36b07cc47c3d21e48db3bb1f4d9ef8f46aead4f7"
1151 | integrity sha512-KlVjIG828uFPyJkO/8gKwy9RbXhCEUeFsCGOJBepUlpa7G8/SeZgncUEz/tOOUJTcWMTmFMtdd3GElGyAtbSWg==
1152 |
1153 | esbuild-linux-ppc64le@0.13.15:
1154 | version "0.13.15"
1155 | resolved "https://registry.yarnpkg.com/esbuild-linux-ppc64le/-/esbuild-linux-ppc64le-0.13.15.tgz#f7e6bba40b9a11eb9dcae5b01550ea04670edad2"
1156 | integrity sha512-h6gYF+OsaqEuBjeesTBtUPw0bmiDu7eAeuc2OEH9S6mV9/jPhPdhOWzdeshb0BskRZxPhxPOjqZ+/OqLcxQwEQ==
1157 |
1158 | esbuild-netbsd-64@0.13.15:
1159 | version "0.13.15"
1160 | resolved "https://registry.yarnpkg.com/esbuild-netbsd-64/-/esbuild-netbsd-64-0.13.15.tgz#a2fedc549c2b629d580a732d840712b08d440038"
1161 | integrity sha512-3+yE9emwoevLMyvu+iR3rsa+Xwhie7ZEHMGDQ6dkqP/ndFzRHkobHUKTe+NCApSqG5ce2z4rFu+NX/UHnxlh3w==
1162 |
1163 | esbuild-openbsd-64@0.13.15:
1164 | version "0.13.15"
1165 | resolved "https://registry.yarnpkg.com/esbuild-openbsd-64/-/esbuild-openbsd-64-0.13.15.tgz#b22c0e5806d3a1fbf0325872037f885306b05cd7"
1166 | integrity sha512-wTfvtwYJYAFL1fSs8yHIdf5GEE4NkbtbXtjLWjM3Cw8mmQKqsg8kTiqJ9NJQe5NX/5Qlo7Xd9r1yKMMkHllp5g==
1167 |
1168 | esbuild-sunos-64@0.13.15:
1169 | version "0.13.15"
1170 | resolved "https://registry.yarnpkg.com/esbuild-sunos-64/-/esbuild-sunos-64-0.13.15.tgz#d0b6454a88375ee8d3964daeff55c85c91c7cef4"
1171 | integrity sha512-lbivT9Bx3t1iWWrSnGyBP9ODriEvWDRiweAs69vI+miJoeKwHWOComSRukttbuzjZ8r1q0mQJ8Z7yUsDJ3hKdw==
1172 |
1173 | esbuild-windows-32@0.13.15:
1174 | version "0.13.15"
1175 | resolved "https://registry.yarnpkg.com/esbuild-windows-32/-/esbuild-windows-32-0.13.15.tgz#c96d0b9bbb52f3303322582ef8e4847c5ad375a7"
1176 | integrity sha512-fDMEf2g3SsJ599MBr50cY5ve5lP1wyVwTe6aLJsM01KtxyKkB4UT+fc5MXQFn3RLrAIAZOG+tHC+yXObpSn7Nw==
1177 |
1178 | esbuild-windows-64@0.13.15:
1179 | version "0.13.15"
1180 | resolved "https://registry.yarnpkg.com/esbuild-windows-64/-/esbuild-windows-64-0.13.15.tgz#1f79cb9b1e1bb02fb25cd414cb90d4ea2892c294"
1181 | integrity sha512-9aMsPRGDWCd3bGjUIKG/ZOJPKsiztlxl/Q3C1XDswO6eNX/Jtwu4M+jb6YDH9hRSUflQWX0XKAfWzgy5Wk54JQ==
1182 |
1183 | esbuild-windows-arm64@0.13.15:
1184 | version "0.13.15"
1185 | resolved "https://registry.yarnpkg.com/esbuild-windows-arm64/-/esbuild-windows-arm64-0.13.15.tgz#482173070810df22a752c686509c370c3be3b3c3"
1186 | integrity sha512-zzvyCVVpbwQQATaf3IG8mu1IwGEiDxKkYUdA4FpoCHi1KtPa13jeScYDjlW0Qh+ebWzpKfR2ZwvqAQkSWNcKjA==
1187 |
1188 | esbuild@^0.13.12:
1189 | version "0.13.15"
1190 | resolved "https://registry.yarnpkg.com/esbuild/-/esbuild-0.13.15.tgz#db56a88166ee373f87dbb2d8798ff449e0450cdf"
1191 | integrity sha512-raCxt02HBKv8RJxE8vkTSCXGIyKHdEdGfUmiYb8wnabnaEmHzyW7DCHb5tEN0xU8ryqg5xw54mcwnYkC4x3AIw==
1192 | optionalDependencies:
1193 | esbuild-android-arm64 "0.13.15"
1194 | esbuild-darwin-64 "0.13.15"
1195 | esbuild-darwin-arm64 "0.13.15"
1196 | esbuild-freebsd-64 "0.13.15"
1197 | esbuild-freebsd-arm64 "0.13.15"
1198 | esbuild-linux-32 "0.13.15"
1199 | esbuild-linux-64 "0.13.15"
1200 | esbuild-linux-arm "0.13.15"
1201 | esbuild-linux-arm64 "0.13.15"
1202 | esbuild-linux-mips64le "0.13.15"
1203 | esbuild-linux-ppc64le "0.13.15"
1204 | esbuild-netbsd-64 "0.13.15"
1205 | esbuild-openbsd-64 "0.13.15"
1206 | esbuild-sunos-64 "0.13.15"
1207 | esbuild-windows-32 "0.13.15"
1208 | esbuild-windows-64 "0.13.15"
1209 | esbuild-windows-arm64 "0.13.15"
1210 |
1211 | escalade@^3.1.1:
1212 | version "3.1.1"
1213 | resolved "https://registry.yarnpkg.com/escalade/-/escalade-3.1.1.tgz#d8cfdc7000965c5a0174b4a82eaa5c0552742e40"
1214 | integrity sha512-k0er2gUkLf8O0zKJiAhmkTnJlTvINGv7ygDNPbeIsX/TJjGJZHuh9B2UxbsaEkmlEo9MfhrSzmhIlhRlI2GXnw==
1215 |
1216 | escape-string-regexp@^1.0.5:
1217 | version "1.0.5"
1218 | resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-1.0.5.tgz#1b61c0562190a8dff6ae3bb2cf0200ca130b86d4"
1219 | integrity sha1-G2HAViGQqN/2rjuyzwIAyhMLhtQ=
1220 |
1221 | escape-string-regexp@^4.0.0:
1222 | version "4.0.0"
1223 | resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz#14ba83a5d373e3d311e5afca29cf5bfad965bf34"
1224 | integrity sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==
1225 |
1226 | eslint-config-prettier@^8.3.0:
1227 | version "8.3.0"
1228 | resolved "https://registry.yarnpkg.com/eslint-config-prettier/-/eslint-config-prettier-8.3.0.tgz#f7471b20b6fe8a9a9254cc684454202886a2dd7a"
1229 | integrity sha512-BgZuLUSeKzvlL/VUjx/Yb787VQ26RU3gGjA3iiFvdsp/2bMfVIWUVP7tjxtjS0e+HP409cPlPvNkQloz8C91ew==
1230 |
1231 | eslint-plugin-prettier@^3.4.0:
1232 | version "3.4.1"
1233 | resolved "https://registry.yarnpkg.com/eslint-plugin-prettier/-/eslint-plugin-prettier-3.4.1.tgz#e9ddb200efb6f3d05ffe83b1665a716af4a387e5"
1234 | integrity sha512-htg25EUYUeIhKHXjOinK4BgCcDwtLHjqaxCDsMy5nbnUMkKFvIhMVCp+5GFUXQ4Nr8lBsPqtGAqBenbpFqAA2g==
1235 | dependencies:
1236 | prettier-linter-helpers "^1.0.0"
1237 |
1238 | eslint-plugin-react-hooks@^4.2.0:
1239 | version "4.3.0"
1240 | resolved "https://registry.yarnpkg.com/eslint-plugin-react-hooks/-/eslint-plugin-react-hooks-4.3.0.tgz#318dbf312e06fab1c835a4abef00121751ac1172"
1241 | integrity sha512-XslZy0LnMn+84NEG9jSGR6eGqaZB3133L8xewQo3fQagbQuGt7a63gf+P1NGKZavEYEC3UXaWEAA/AqDkuN6xA==
1242 |
1243 | eslint-plugin-react@^7.24.0:
1244 | version "7.27.1"
1245 | resolved "https://registry.yarnpkg.com/eslint-plugin-react/-/eslint-plugin-react-7.27.1.tgz#469202442506616f77a854d91babaae1ec174b45"
1246 | integrity sha512-meyunDjMMYeWr/4EBLTV1op3iSG3mjT/pz5gti38UzfM4OPpNc2m0t2xvKCOMU5D6FSdd34BIMFOvQbW+i8GAA==
1247 | dependencies:
1248 | array-includes "^3.1.4"
1249 | array.prototype.flatmap "^1.2.5"
1250 | doctrine "^2.1.0"
1251 | estraverse "^5.3.0"
1252 | jsx-ast-utils "^2.4.1 || ^3.0.0"
1253 | minimatch "^3.0.4"
1254 | object.entries "^1.1.5"
1255 | object.fromentries "^2.0.5"
1256 | object.hasown "^1.1.0"
1257 | object.values "^1.1.5"
1258 | prop-types "^15.7.2"
1259 | resolve "^2.0.0-next.3"
1260 | semver "^6.3.0"
1261 | string.prototype.matchall "^4.0.6"
1262 |
1263 | eslint-scope@^5.1.1:
1264 | version "5.1.1"
1265 | resolved "https://registry.yarnpkg.com/eslint-scope/-/eslint-scope-5.1.1.tgz#e786e59a66cb92b3f6c1fb0d508aab174848f48c"
1266 | integrity sha512-2NxwbF/hZ0KpepYN0cNbo+FN6XoK7GaHlQhgx/hIZl6Va0bF45RQOOwhLIy8lQDbuCiadSLCBnH2CFYquit5bw==
1267 | dependencies:
1268 | esrecurse "^4.3.0"
1269 | estraverse "^4.1.1"
1270 |
1271 | eslint-utils@^2.1.0:
1272 | version "2.1.0"
1273 | resolved "https://registry.yarnpkg.com/eslint-utils/-/eslint-utils-2.1.0.tgz#d2de5e03424e707dc10c74068ddedae708741b27"
1274 | integrity sha512-w94dQYoauyvlDc43XnGB8lU3Zt713vNChgt4EWwhXAP2XkBvndfxF0AgIqKOOasjPIPzj9JqgwkwbCYD0/V3Zg==
1275 | dependencies:
1276 | eslint-visitor-keys "^1.1.0"
1277 |
1278 | eslint-utils@^3.0.0:
1279 | version "3.0.0"
1280 | resolved "https://registry.yarnpkg.com/eslint-utils/-/eslint-utils-3.0.0.tgz#8aebaface7345bb33559db0a1f13a1d2d48c3672"
1281 | integrity sha512-uuQC43IGctw68pJA1RgbQS8/NP7rch6Cwd4j3ZBtgo4/8Flj4eGE7ZYSZRN3iq5pVUv6GPdW5Z1RFleo84uLDA==
1282 | dependencies:
1283 | eslint-visitor-keys "^2.0.0"
1284 |
1285 | eslint-visitor-keys@^1.1.0, eslint-visitor-keys@^1.3.0:
1286 | version "1.3.0"
1287 | resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-1.3.0.tgz#30ebd1ef7c2fdff01c3a4f151044af25fab0523e"
1288 | integrity sha512-6J72N8UNa462wa/KFODt/PJ3IU60SDpC3QXC1Hjc1BXXpfL2C9R5+AU7jhe0F6GREqVMh4Juu+NY7xn+6dipUQ==
1289 |
1290 | eslint-visitor-keys@^2.0.0:
1291 | version "2.1.0"
1292 | resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-2.1.0.tgz#f65328259305927392c938ed44eb0a5c9b2bd303"
1293 | integrity sha512-0rSmRBzXgDzIsD6mGdJgevzgezI534Cer5L/vyMX0kHzT/jiB43jRhd9YUlMGYLQy2zprNmoT8qasCGtY+QaKw==
1294 |
1295 | eslint-visitor-keys@^3.0.0:
1296 | version "3.1.0"
1297 | resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-3.1.0.tgz#eee4acea891814cda67a7d8812d9647dd0179af2"
1298 | integrity sha512-yWJFpu4DtjsWKkt5GeNBBuZMlNcYVs6vRCLoCVEJrTjaSB6LC98gFipNK/erM2Heg/E8mIK+hXG/pJMLK+eRZA==
1299 |
1300 | eslint@^7.31.0:
1301 | version "7.32.0"
1302 | resolved "https://registry.yarnpkg.com/eslint/-/eslint-7.32.0.tgz#c6d328a14be3fb08c8d1d21e12c02fdb7a2a812d"
1303 | integrity sha512-VHZ8gX+EDfz+97jGcgyGCyRia/dPOd6Xh9yPv8Bl1+SoaIwD+a/vlrOmGRUyOYu7MwUhc7CxqeaDZU13S4+EpA==
1304 | dependencies:
1305 | "@babel/code-frame" "7.12.11"
1306 | "@eslint/eslintrc" "^0.4.3"
1307 | "@humanwhocodes/config-array" "^0.5.0"
1308 | ajv "^6.10.0"
1309 | chalk "^4.0.0"
1310 | cross-spawn "^7.0.2"
1311 | debug "^4.0.1"
1312 | doctrine "^3.0.0"
1313 | enquirer "^2.3.5"
1314 | escape-string-regexp "^4.0.0"
1315 | eslint-scope "^5.1.1"
1316 | eslint-utils "^2.1.0"
1317 | eslint-visitor-keys "^2.0.0"
1318 | espree "^7.3.1"
1319 | esquery "^1.4.0"
1320 | esutils "^2.0.2"
1321 | fast-deep-equal "^3.1.3"
1322 | file-entry-cache "^6.0.1"
1323 | functional-red-black-tree "^1.0.1"
1324 | glob-parent "^5.1.2"
1325 | globals "^13.6.0"
1326 | ignore "^4.0.6"
1327 | import-fresh "^3.0.0"
1328 | imurmurhash "^0.1.4"
1329 | is-glob "^4.0.0"
1330 | js-yaml "^3.13.1"
1331 | json-stable-stringify-without-jsonify "^1.0.1"
1332 | levn "^0.4.1"
1333 | lodash.merge "^4.6.2"
1334 | minimatch "^3.0.4"
1335 | natural-compare "^1.4.0"
1336 | optionator "^0.9.1"
1337 | progress "^2.0.0"
1338 | regexpp "^3.1.0"
1339 | semver "^7.2.1"
1340 | strip-ansi "^6.0.0"
1341 | strip-json-comments "^3.1.0"
1342 | table "^6.0.9"
1343 | text-table "^0.2.0"
1344 | v8-compile-cache "^2.0.3"
1345 |
1346 | espree@^7.3.0, espree@^7.3.1:
1347 | version "7.3.1"
1348 | resolved "https://registry.yarnpkg.com/espree/-/espree-7.3.1.tgz#f2df330b752c6f55019f8bd89b7660039c1bbbb6"
1349 | integrity sha512-v3JCNCE64umkFpmkFGqzVKsOT0tN1Zr+ueqLZfpV1Ob8e+CEgPWa+OxCoGH3tnhimMKIaBm4m/vaRpJ/krRz2g==
1350 | dependencies:
1351 | acorn "^7.4.0"
1352 | acorn-jsx "^5.3.1"
1353 | eslint-visitor-keys "^1.3.0"
1354 |
1355 | esprima@^4.0.0:
1356 | version "4.0.1"
1357 | resolved "https://registry.yarnpkg.com/esprima/-/esprima-4.0.1.tgz#13b04cdb3e6c5d19df91ab6987a8695619b0aa71"
1358 | integrity sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A==
1359 |
1360 | esquery@^1.4.0:
1361 | version "1.4.0"
1362 | resolved "https://registry.yarnpkg.com/esquery/-/esquery-1.4.0.tgz#2148ffc38b82e8c7057dfed48425b3e61f0f24a5"
1363 | integrity sha512-cCDispWt5vHHtwMY2YrAQ4ibFkAL8RbH5YGBnZBc90MolvvfkkQcJro/aZiAQUlQ3qgrYS6D6v8Gc5G5CQsc9w==
1364 | dependencies:
1365 | estraverse "^5.1.0"
1366 |
1367 | esrecurse@^4.3.0:
1368 | version "4.3.0"
1369 | resolved "https://registry.yarnpkg.com/esrecurse/-/esrecurse-4.3.0.tgz#7ad7964d679abb28bee72cec63758b1c5d2c9921"
1370 | integrity sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==
1371 | dependencies:
1372 | estraverse "^5.2.0"
1373 |
1374 | estraverse@^4.1.1:
1375 | version "4.3.0"
1376 | resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-4.3.0.tgz#398ad3f3c5a24948be7725e83d11a7de28cdbd1d"
1377 | integrity sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==
1378 |
1379 | estraverse@^5.1.0, estraverse@^5.2.0, estraverse@^5.3.0:
1380 | version "5.3.0"
1381 | resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-5.3.0.tgz#2eea5290702f26ab8fe5370370ff86c965d21123"
1382 | integrity sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==
1383 |
1384 | estree-walker@^1.0.1:
1385 | version "1.0.1"
1386 | resolved "https://registry.yarnpkg.com/estree-walker/-/estree-walker-1.0.1.tgz#31bc5d612c96b704106b477e6dd5d8aa138cb700"
1387 | integrity sha512-1fMXF3YP4pZZVozF8j/ZLfvnR8NSIljt56UhbZ5PeeDmmGHpgpdwQt7ITlGvYaQukCvuBRMLEiKiYC+oeIg4cg==
1388 |
1389 | estree-walker@^2.0.1:
1390 | version "2.0.2"
1391 | resolved "https://registry.yarnpkg.com/estree-walker/-/estree-walker-2.0.2.tgz#52f010178c2a4c117a7757cfe942adb7d2da4cac"
1392 | integrity sha512-Rfkk/Mp/DL7JVje3u18FxFujQlTNR2q6QfMSMB7AvCBx91NGj/ba3kCfza0f6dVDbw7YlRf/nDrn7pQrCCyQ/w==
1393 |
1394 | esutils@^2.0.2:
1395 | version "2.0.3"
1396 | resolved "https://registry.yarnpkg.com/esutils/-/esutils-2.0.3.tgz#74d2eb4de0b8da1293711910d50775b9b710ef64"
1397 | integrity sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==
1398 |
1399 | fast-deep-equal@^3.1.1, fast-deep-equal@^3.1.3:
1400 | version "3.1.3"
1401 | resolved "https://registry.yarnpkg.com/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz#3a7d56b559d6cbc3eb512325244e619a65c6c525"
1402 | integrity sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==
1403 |
1404 | fast-diff@^1.1.2:
1405 | version "1.2.0"
1406 | resolved "https://registry.yarnpkg.com/fast-diff/-/fast-diff-1.2.0.tgz#73ee11982d86caaf7959828d519cfe927fac5f03"
1407 | integrity sha512-xJuoT5+L99XlZ8twedaRf6Ax2TgQVxvgZOYoPKqZufmJib0tL2tegPBOZb1pVNgIhlqDlA0eO0c3wBvQcmzx4w==
1408 |
1409 | fast-glob@^3.1.1:
1410 | version "3.2.7"
1411 | resolved "https://registry.yarnpkg.com/fast-glob/-/fast-glob-3.2.7.tgz#fd6cb7a2d7e9aa7a7846111e85a196d6b2f766a1"
1412 | integrity sha512-rYGMRwip6lUMvYD3BTScMwT1HtAs2d71SMv66Vrxs0IekGZEjhM0pcMfjQPnknBt2zeCwQMEupiN02ZP4DiT1Q==
1413 | dependencies:
1414 | "@nodelib/fs.stat" "^2.0.2"
1415 | "@nodelib/fs.walk" "^1.2.3"
1416 | glob-parent "^5.1.2"
1417 | merge2 "^1.3.0"
1418 | micromatch "^4.0.4"
1419 |
1420 | fast-json-stable-stringify@^2.0.0:
1421 | version "2.1.0"
1422 | resolved "https://registry.yarnpkg.com/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz#874bf69c6f404c2b5d99c481341399fd55892633"
1423 | integrity sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==
1424 |
1425 | fast-levenshtein@^2.0.6:
1426 | version "2.0.6"
1427 | resolved "https://registry.yarnpkg.com/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz#3d8a5c66883a16a30ca8643e851f19baa7797917"
1428 | integrity sha1-PYpcZog6FqMMqGQ+hR8Zuqd5eRc=
1429 |
1430 | fastq@^1.6.0:
1431 | version "1.13.0"
1432 | resolved "https://registry.yarnpkg.com/fastq/-/fastq-1.13.0.tgz#616760f88a7526bdfc596b7cab8c18938c36b98c"
1433 | integrity sha512-YpkpUnK8od0o1hmeSc7UUs/eB/vIPWJYjKck2QKIzAf71Vm1AAQ3EbuZB3g2JIy+pg+ERD0vqI79KyZiB2e2Nw==
1434 | dependencies:
1435 | reusify "^1.0.4"
1436 |
1437 | file-entry-cache@^6.0.1:
1438 | version "6.0.1"
1439 | resolved "https://registry.yarnpkg.com/file-entry-cache/-/file-entry-cache-6.0.1.tgz#211b2dd9659cb0394b073e7323ac3c933d522027"
1440 | integrity sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==
1441 | dependencies:
1442 | flat-cache "^3.0.4"
1443 |
1444 | fill-range@^7.0.1:
1445 | version "7.0.1"
1446 | resolved "https://registry.yarnpkg.com/fill-range/-/fill-range-7.0.1.tgz#1919a6a7c75fe38b2c7c77e5198535da9acdda40"
1447 | integrity sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==
1448 | dependencies:
1449 | to-regex-range "^5.0.1"
1450 |
1451 | find-root@^1.1.0:
1452 | version "1.1.0"
1453 | resolved "https://registry.yarnpkg.com/find-root/-/find-root-1.1.0.tgz#abcfc8ba76f708c42a97b3d685b7e9450bfb9ce4"
1454 | integrity sha512-NKfW6bec6GfKc0SGx1e07QZY9PE99u0Bft/0rzSD5k3sO/vwkVUpDUKVm5Gpp5Ue3YfShPFTX2070tDs5kB9Ng==
1455 |
1456 | flat-cache@^3.0.4:
1457 | version "3.0.4"
1458 | resolved "https://registry.yarnpkg.com/flat-cache/-/flat-cache-3.0.4.tgz#61b0338302b2fe9f957dcc32fc2a87f1c3048b11"
1459 | integrity sha512-dm9s5Pw7Jc0GvMYbshN6zchCA9RgQlzzEZX3vylR9IqFfS8XciblUXOKfW6SiuJ0e13eDYZoZV5wdrev7P3Nwg==
1460 | dependencies:
1461 | flatted "^3.1.0"
1462 | rimraf "^3.0.2"
1463 |
1464 | flatted@^3.1.0:
1465 | version "3.2.4"
1466 | resolved "https://registry.yarnpkg.com/flatted/-/flatted-3.2.4.tgz#28d9969ea90661b5134259f312ab6aa7929ac5e2"
1467 | integrity sha512-8/sOawo8tJ4QOBX8YlQBMxL8+RLZfxMQOif9o0KUKTNTjMYElWPE0r/m5VNFxTRd0NSw8qSy8dajrwX4RYI1Hw==
1468 |
1469 | fs.realpath@^1.0.0:
1470 | version "1.0.0"
1471 | resolved "https://registry.yarnpkg.com/fs.realpath/-/fs.realpath-1.0.0.tgz#1504ad2523158caa40db4a2787cb01411994ea4f"
1472 | integrity sha1-FQStJSMVjKpA20onh8sBQRmU6k8=
1473 |
1474 | fsevents@~2.3.2:
1475 | version "2.3.2"
1476 | resolved "https://registry.yarnpkg.com/fsevents/-/fsevents-2.3.2.tgz#8a526f78b8fdf4623b709e0b975c52c24c02fd1a"
1477 | integrity sha512-xiqMQR4xAeHTuB9uWm+fFRcIOgKBMiOBP+eXiyT7jsgVCq1bkVygt00oASowB7EdtpOHaaPgKt812P9ab+DDKA==
1478 |
1479 | function-bind@^1.1.1:
1480 | version "1.1.1"
1481 | resolved "https://registry.yarnpkg.com/function-bind/-/function-bind-1.1.1.tgz#a56899d3ea3c9bab874bb9773b7c5ede92f4895d"
1482 | integrity sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==
1483 |
1484 | functional-red-black-tree@^1.0.1:
1485 | version "1.0.1"
1486 | resolved "https://registry.yarnpkg.com/functional-red-black-tree/-/functional-red-black-tree-1.0.1.tgz#1b0ab3bd553b2a0d6399d29c0e3ea0b252078327"
1487 | integrity sha1-GwqzvVU7Kg1jmdKcDj6gslIHgyc=
1488 |
1489 | gensync@^1.0.0-beta.2:
1490 | version "1.0.0-beta.2"
1491 | resolved "https://registry.yarnpkg.com/gensync/-/gensync-1.0.0-beta.2.tgz#32a6ee76c3d7f52d46b2b1ae5d93fea8580a25e0"
1492 | integrity sha512-3hN7NaskYvMDLQY55gnW3NQ+mesEAepTqlg+VEbj7zzqEMBVNhzcGYYeqFo/TlYz6eQiFcp1HcsCZO+nGgS8zg==
1493 |
1494 | get-intrinsic@^1.0.2, get-intrinsic@^1.1.0, get-intrinsic@^1.1.1:
1495 | version "1.1.1"
1496 | resolved "https://registry.yarnpkg.com/get-intrinsic/-/get-intrinsic-1.1.1.tgz#15f59f376f855c446963948f0d24cd3637b4abc6"
1497 | integrity sha512-kWZrnVM42QCiEA2Ig1bG8zjoIMOgxWwYCEeNdwY6Tv/cOSeGpcoX4pXHfKUxNKVoArnrEr2e9srnAxxGIraS9Q==
1498 | dependencies:
1499 | function-bind "^1.1.1"
1500 | has "^1.0.3"
1501 | has-symbols "^1.0.1"
1502 |
1503 | get-symbol-description@^1.0.0:
1504 | version "1.0.0"
1505 | resolved "https://registry.yarnpkg.com/get-symbol-description/-/get-symbol-description-1.0.0.tgz#7fdb81c900101fbd564dd5f1a30af5aadc1e58d6"
1506 | integrity sha512-2EmdH1YvIQiZpltCNgkuiUnyukzxM/R6NDJX31Ke3BG1Nq5b0S2PhX59UKi9vZpPDQVdqn+1IcaAwnzTT5vCjw==
1507 | dependencies:
1508 | call-bind "^1.0.2"
1509 | get-intrinsic "^1.1.1"
1510 |
1511 | glob-parent@^5.1.2, glob-parent@~5.1.2:
1512 | version "5.1.2"
1513 | resolved "https://registry.yarnpkg.com/glob-parent/-/glob-parent-5.1.2.tgz#869832c58034fe68a4093c17dc15e8340d8401c4"
1514 | integrity sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==
1515 | dependencies:
1516 | is-glob "^4.0.1"
1517 |
1518 | glob@^7.1.3:
1519 | version "7.2.0"
1520 | resolved "https://registry.yarnpkg.com/glob/-/glob-7.2.0.tgz#d15535af7732e02e948f4c41628bd910293f6023"
1521 | integrity sha512-lmLf6gtyrPq8tTjSmrO94wBeQbFR3HbLHbuyD69wuyQkImp2hWqMGB47OX65FBkPffO641IP9jWa1z4ivqG26Q==
1522 | dependencies:
1523 | fs.realpath "^1.0.0"
1524 | inflight "^1.0.4"
1525 | inherits "2"
1526 | minimatch "^3.0.4"
1527 | once "^1.3.0"
1528 | path-is-absolute "^1.0.0"
1529 |
1530 | globals@^11.1.0:
1531 | version "11.12.0"
1532 | resolved "https://registry.yarnpkg.com/globals/-/globals-11.12.0.tgz#ab8795338868a0babd8525758018c2a7eb95c42e"
1533 | integrity sha512-WOBp/EEGUiIsJSp7wcv/y6MO+lV9UoncWqxuFfm8eBwzWNgyfBd6Gz+IeKQ9jCmyhoH99g15M3T+QaVHFjizVA==
1534 |
1535 | globals@^13.6.0, globals@^13.9.0:
1536 | version "13.12.0"
1537 | resolved "https://registry.yarnpkg.com/globals/-/globals-13.12.0.tgz#4d733760304230a0082ed96e21e5c565f898089e"
1538 | integrity sha512-uS8X6lSKN2JumVoXrbUz+uG4BYG+eiawqm3qFcT7ammfbUHeCBoJMlHcec/S3krSk73/AE/f0szYFmgAA3kYZg==
1539 | dependencies:
1540 | type-fest "^0.20.2"
1541 |
1542 | globby@^11.0.4:
1543 | version "11.0.4"
1544 | resolved "https://registry.yarnpkg.com/globby/-/globby-11.0.4.tgz#2cbaff77c2f2a62e71e9b2813a67b97a3a3001a5"
1545 | integrity sha512-9O4MVG9ioZJ08ffbcyVYyLOJLk5JQ688pJ4eMGLpdWLHq/Wr1D9BlriLQyL0E+jbkuePVZXYFj47QM/v093wHg==
1546 | dependencies:
1547 | array-union "^2.1.0"
1548 | dir-glob "^3.0.1"
1549 | fast-glob "^3.1.1"
1550 | ignore "^5.1.4"
1551 | merge2 "^1.3.0"
1552 | slash "^3.0.0"
1553 |
1554 | has-bigints@^1.0.1:
1555 | version "1.0.1"
1556 | resolved "https://registry.yarnpkg.com/has-bigints/-/has-bigints-1.0.1.tgz#64fe6acb020673e3b78db035a5af69aa9d07b113"
1557 | integrity sha512-LSBS2LjbNBTf6287JEbEzvJgftkF5qFkmCo9hDRpAzKhUOlJ+hx8dd4USs00SgsUNwc4617J9ki5YtEClM2ffA==
1558 |
1559 | has-flag@^3.0.0:
1560 | version "3.0.0"
1561 | resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-3.0.0.tgz#b5d454dc2199ae225699f3467e5a07f3b955bafd"
1562 | integrity sha1-tdRU3CGZriJWmfNGfloH87lVuv0=
1563 |
1564 | has-flag@^4.0.0:
1565 | version "4.0.0"
1566 | resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-4.0.0.tgz#944771fd9c81c81265c4d6941860da06bb59479b"
1567 | integrity sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==
1568 |
1569 | has-symbols@^1.0.1, has-symbols@^1.0.2:
1570 | version "1.0.2"
1571 | resolved "https://registry.yarnpkg.com/has-symbols/-/has-symbols-1.0.2.tgz#165d3070c00309752a1236a479331e3ac56f1423"
1572 | integrity sha512-chXa79rL/UC2KlX17jo3vRGz0azaWEx5tGqZg5pO3NUyEJVB17dMruQlzCCOfUvElghKcm5194+BCRvi2Rv/Gw==
1573 |
1574 | has-tostringtag@^1.0.0:
1575 | version "1.0.0"
1576 | resolved "https://registry.yarnpkg.com/has-tostringtag/-/has-tostringtag-1.0.0.tgz#7e133818a7d394734f941e73c3d3f9291e658b25"
1577 | integrity sha512-kFjcSNhnlGV1kyoGk7OXKSawH5JOb/LzUc5w9B02hOTO0dfFRjbHQKvg1d6cf3HbeUmtU9VbbV3qzZ2Teh97WQ==
1578 | dependencies:
1579 | has-symbols "^1.0.2"
1580 |
1581 | has@^1.0.3:
1582 | version "1.0.3"
1583 | resolved "https://registry.yarnpkg.com/has/-/has-1.0.3.tgz#722d7cbfc1f6aa8241f16dd814e011e1f41e8796"
1584 | integrity sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==
1585 | dependencies:
1586 | function-bind "^1.1.1"
1587 |
1588 | hoist-non-react-statics@^3.3.0:
1589 | version "3.3.2"
1590 | resolved "https://registry.yarnpkg.com/hoist-non-react-statics/-/hoist-non-react-statics-3.3.2.tgz#ece0acaf71d62c2969c2ec59feff42a4b1a85b45"
1591 | integrity sha512-/gGivxi8JPKWNm/W0jSmzcMPpfpPLc3dY/6GxhX2hQ9iGj3aDfklV4ET7NjKpSinLpJ5vafa9iiGIEZg10SfBw==
1592 | dependencies:
1593 | react-is "^16.7.0"
1594 |
1595 | ignore@^4.0.6:
1596 | version "4.0.6"
1597 | resolved "https://registry.yarnpkg.com/ignore/-/ignore-4.0.6.tgz#750e3db5862087b4737ebac8207ffd1ef27b25fc"
1598 | integrity sha512-cyFDKrqc/YdcWFniJhzI42+AzS+gNwmUzOSFcRCQYwySuBBBy/KjuxWLZ/FHEH6Moq1NizMOBWyTcv8O4OZIMg==
1599 |
1600 | ignore@^5.1.4, ignore@^5.1.8:
1601 | version "5.2.0"
1602 | resolved "https://registry.yarnpkg.com/ignore/-/ignore-5.2.0.tgz#6d3bac8fa7fe0d45d9f9be7bac2fc279577e345a"
1603 | integrity sha512-CmxgYGiEPCLhfLnpPp1MoRmifwEIOgjcHXxOBjv7mY96c+eWScsOP9c112ZyLdWHi0FxHjI+4uVhKYp/gcdRmQ==
1604 |
1605 | immutable@^4.0.0:
1606 | version "4.0.0"
1607 | resolved "https://registry.yarnpkg.com/immutable/-/immutable-4.0.0.tgz#b86f78de6adef3608395efb269a91462797e2c23"
1608 | integrity sha512-zIE9hX70qew5qTUjSS7wi1iwj/l7+m54KWU247nhM3v806UdGj1yDndXj+IOYxxtW9zyLI+xqFNZjTuDaLUqFw==
1609 |
1610 | import-fresh@^3.0.0, import-fresh@^3.1.0, import-fresh@^3.2.1:
1611 | version "3.3.0"
1612 | resolved "https://registry.yarnpkg.com/import-fresh/-/import-fresh-3.3.0.tgz#37162c25fcb9ebaa2e6e53d5b4d88ce17d9e0c2b"
1613 | integrity sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==
1614 | dependencies:
1615 | parent-module "^1.0.0"
1616 | resolve-from "^4.0.0"
1617 |
1618 | imurmurhash@^0.1.4:
1619 | version "0.1.4"
1620 | resolved "https://registry.yarnpkg.com/imurmurhash/-/imurmurhash-0.1.4.tgz#9218b9b2b928a238b13dc4fb6b6d576f231453ea"
1621 | integrity sha1-khi5srkoojixPcT7a21XbyMUU+o=
1622 |
1623 | inflight@^1.0.4:
1624 | version "1.0.6"
1625 | resolved "https://registry.yarnpkg.com/inflight/-/inflight-1.0.6.tgz#49bd6331d7d02d0c09bc910a1075ba8165b56df9"
1626 | integrity sha1-Sb1jMdfQLQwJvJEKEHW6gWW1bfk=
1627 | dependencies:
1628 | once "^1.3.0"
1629 | wrappy "1"
1630 |
1631 | inherits@2:
1632 | version "2.0.4"
1633 | resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.4.tgz#0fa2c64f932917c3433a0ded55363aae37416b7c"
1634 | integrity sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==
1635 |
1636 | internal-slot@^1.0.3:
1637 | version "1.0.3"
1638 | resolved "https://registry.yarnpkg.com/internal-slot/-/internal-slot-1.0.3.tgz#7347e307deeea2faac2ac6205d4bc7d34967f59c"
1639 | integrity sha512-O0DB1JC/sPyZl7cIo78n5dR7eUSwwpYPiXRhTzNxZVAMUuB8vlnRFyLxdrVToks6XPLVnFfbzaVd5WLjhgg+vA==
1640 | dependencies:
1641 | get-intrinsic "^1.1.0"
1642 | has "^1.0.3"
1643 | side-channel "^1.0.4"
1644 |
1645 | is-arrayish@^0.2.1:
1646 | version "0.2.1"
1647 | resolved "https://registry.yarnpkg.com/is-arrayish/-/is-arrayish-0.2.1.tgz#77c99840527aa8ecb1a8ba697b80645a7a926a9d"
1648 | integrity sha1-d8mYQFJ6qOyxqLppe4BkWnqSap0=
1649 |
1650 | is-bigint@^1.0.1:
1651 | version "1.0.4"
1652 | resolved "https://registry.yarnpkg.com/is-bigint/-/is-bigint-1.0.4.tgz#08147a1875bc2b32005d41ccd8291dffc6691df3"
1653 | integrity sha512-zB9CruMamjym81i2JZ3UMn54PKGsQzsJeo6xvN3HJJ4CAsQNB6iRutp2To77OfCNuoxspsIhzaPoO1zyCEhFOg==
1654 | dependencies:
1655 | has-bigints "^1.0.1"
1656 |
1657 | is-binary-path@~2.1.0:
1658 | version "2.1.0"
1659 | resolved "https://registry.yarnpkg.com/is-binary-path/-/is-binary-path-2.1.0.tgz#ea1f7f3b80f064236e83470f86c09c254fb45b09"
1660 | integrity sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==
1661 | dependencies:
1662 | binary-extensions "^2.0.0"
1663 |
1664 | is-boolean-object@^1.1.0:
1665 | version "1.1.2"
1666 | resolved "https://registry.yarnpkg.com/is-boolean-object/-/is-boolean-object-1.1.2.tgz#5c6dc200246dd9321ae4b885a114bb1f75f63719"
1667 | integrity sha512-gDYaKHJmnj4aWxyj6YHyXVpdQawtVLHU5cb+eztPGczf6cjuTdwve5ZIEfgXqH4e57An1D1AKf8CZ3kYrQRqYA==
1668 | dependencies:
1669 | call-bind "^1.0.2"
1670 | has-tostringtag "^1.0.0"
1671 |
1672 | is-callable@^1.1.4, is-callable@^1.2.4:
1673 | version "1.2.4"
1674 | resolved "https://registry.yarnpkg.com/is-callable/-/is-callable-1.2.4.tgz#47301d58dd0259407865547853df6d61fe471945"
1675 | integrity sha512-nsuwtxZfMX67Oryl9LCQ+upnC0Z0BgpwntpS89m1H/TLF0zNfzfLMV/9Wa/6MZsj0acpEjAO0KF1xT6ZdLl95w==
1676 |
1677 | is-core-module@^2.2.0:
1678 | version "2.8.0"
1679 | resolved "https://registry.yarnpkg.com/is-core-module/-/is-core-module-2.8.0.tgz#0321336c3d0925e497fd97f5d95cb114a5ccd548"
1680 | integrity sha512-vd15qHsaqrRL7dtH6QNuy0ndJmRDrS9HAM1CAiSifNUFv4x1a0CCVsj18hJ1mShxIG6T2i1sO78MkP56r0nYRw==
1681 | dependencies:
1682 | has "^1.0.3"
1683 |
1684 | is-date-object@^1.0.1:
1685 | version "1.0.5"
1686 | resolved "https://registry.yarnpkg.com/is-date-object/-/is-date-object-1.0.5.tgz#0841d5536e724c25597bf6ea62e1bd38298df31f"
1687 | integrity sha512-9YQaSxsAiSwcvS33MBk3wTCVnWK+HhF8VZR2jRxehM16QcVOdHqPn4VPHmRK4lSr38n9JriurInLcP90xsYNfQ==
1688 | dependencies:
1689 | has-tostringtag "^1.0.0"
1690 |
1691 | is-dom@^1.0.0:
1692 | version "1.1.0"
1693 | resolved "https://registry.yarnpkg.com/is-dom/-/is-dom-1.1.0.tgz#af1fced292742443bb59ca3f76ab5e80907b4e8a"
1694 | integrity sha512-u82f6mvhYxRPKpw8V1N0W8ce1xXwOrQtgGcxl6UCL5zBmZu3is/18K0rR7uFCnMDuAsS/3W54mGL4vsaFUQlEQ==
1695 | dependencies:
1696 | is-object "^1.0.1"
1697 | is-window "^1.0.2"
1698 |
1699 | is-extglob@^2.1.1:
1700 | version "2.1.1"
1701 | resolved "https://registry.yarnpkg.com/is-extglob/-/is-extglob-2.1.1.tgz#a88c02535791f02ed37c76a1b9ea9773c833f8c2"
1702 | integrity sha1-qIwCU1eR8C7TfHahueqXc8gz+MI=
1703 |
1704 | is-fullwidth-code-point@^3.0.0:
1705 | version "3.0.0"
1706 | resolved "https://registry.yarnpkg.com/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz#f116f8064fe90b3f7844a38997c0b75051269f1d"
1707 | integrity sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==
1708 |
1709 | is-glob@^4.0.0, is-glob@^4.0.1, is-glob@^4.0.3, is-glob@~4.0.1:
1710 | version "4.0.3"
1711 | resolved "https://registry.yarnpkg.com/is-glob/-/is-glob-4.0.3.tgz#64f61e42cbbb2eec2071a9dac0b28ba1e65d5084"
1712 | integrity sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==
1713 | dependencies:
1714 | is-extglob "^2.1.1"
1715 |
1716 | is-negative-zero@^2.0.1:
1717 | version "2.0.2"
1718 | resolved "https://registry.yarnpkg.com/is-negative-zero/-/is-negative-zero-2.0.2.tgz#7bf6f03a28003b8b3965de3ac26f664d765f3150"
1719 | integrity sha512-dqJvarLawXsFbNDeJW7zAz8ItJ9cd28YufuuFzh0G8pNHjJMnY08Dv7sYX2uF5UpQOwieAeOExEYAWWfu7ZZUA==
1720 |
1721 | is-number-object@^1.0.4:
1722 | version "1.0.6"
1723 | resolved "https://registry.yarnpkg.com/is-number-object/-/is-number-object-1.0.6.tgz#6a7aaf838c7f0686a50b4553f7e54a96494e89f0"
1724 | integrity sha512-bEVOqiRcvo3zO1+G2lVMy+gkkEm9Yh7cDMRusKKu5ZJKPUYSJwICTKZrNKHA2EbSP0Tu0+6B/emsYNHZyn6K8g==
1725 | dependencies:
1726 | has-tostringtag "^1.0.0"
1727 |
1728 | is-number@^7.0.0:
1729 | version "7.0.0"
1730 | resolved "https://registry.yarnpkg.com/is-number/-/is-number-7.0.0.tgz#7535345b896734d5f80c4d06c50955527a14f12b"
1731 | integrity sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==
1732 |
1733 | is-object@^1.0.1:
1734 | version "1.0.2"
1735 | resolved "https://registry.yarnpkg.com/is-object/-/is-object-1.0.2.tgz#a56552e1c665c9e950b4a025461da87e72f86fcf"
1736 | integrity sha512-2rRIahhZr2UWb45fIOuvZGpFtz0TyOZLf32KxBbSoUCeZR495zCKlWUKKUByk3geS2eAs7ZAABt0Y/Rx0GiQGA==
1737 |
1738 | is-regex@^1.1.4:
1739 | version "1.1.4"
1740 | resolved "https://registry.yarnpkg.com/is-regex/-/is-regex-1.1.4.tgz#eef5663cd59fa4c0ae339505323df6854bb15958"
1741 | integrity sha512-kvRdxDsxZjhzUX07ZnLydzS1TU/TJlTUHHY4YLL87e37oUA49DfkLqgy+VjFocowy29cKvcSiu+kIv728jTTVg==
1742 | dependencies:
1743 | call-bind "^1.0.2"
1744 | has-tostringtag "^1.0.0"
1745 |
1746 | is-shared-array-buffer@^1.0.1:
1747 | version "1.0.1"
1748 | resolved "https://registry.yarnpkg.com/is-shared-array-buffer/-/is-shared-array-buffer-1.0.1.tgz#97b0c85fbdacb59c9c446fe653b82cf2b5b7cfe6"
1749 | integrity sha512-IU0NmyknYZN0rChcKhRO1X8LYz5Isj/Fsqh8NJOSf+N/hCOTwy29F32Ik7a+QszE63IdvmwdTPDd6cZ5pg4cwA==
1750 |
1751 | is-string@^1.0.5, is-string@^1.0.7:
1752 | version "1.0.7"
1753 | resolved "https://registry.yarnpkg.com/is-string/-/is-string-1.0.7.tgz#0dd12bf2006f255bb58f695110eff7491eebc0fd"
1754 | integrity sha512-tE2UXzivje6ofPW7l23cjDOMa09gb7xlAqG6jG5ej6uPV32TlWP3NKPigtaGeHNu9fohccRYvIiZMfOOnOYUtg==
1755 | dependencies:
1756 | has-tostringtag "^1.0.0"
1757 |
1758 | is-symbol@^1.0.2, is-symbol@^1.0.3:
1759 | version "1.0.4"
1760 | resolved "https://registry.yarnpkg.com/is-symbol/-/is-symbol-1.0.4.tgz#a6dac93b635b063ca6872236de88910a57af139c"
1761 | integrity sha512-C/CPBqKWnvdcxqIARxyOh4v1UUEOCHpgDa0WYgpKDFMszcrPcffg5uhwSgPCLD2WWxmq6isisz87tzT01tuGhg==
1762 | dependencies:
1763 | has-symbols "^1.0.2"
1764 |
1765 | is-weakref@^1.0.1:
1766 | version "1.0.2"
1767 | resolved "https://registry.yarnpkg.com/is-weakref/-/is-weakref-1.0.2.tgz#9529f383a9338205e89765e0392efc2f100f06f2"
1768 | integrity sha512-qctsuLZmIQ0+vSSMfoVvyFe2+GSEvnmZ2ezTup1SBse9+twCCeial6EEi3Nc2KFcf6+qz2FBPnjXsk8xhKSaPQ==
1769 | dependencies:
1770 | call-bind "^1.0.2"
1771 |
1772 | is-window@^1.0.2:
1773 | version "1.0.2"
1774 | resolved "https://registry.yarnpkg.com/is-window/-/is-window-1.0.2.tgz#2c896ca53db97de45d3c33133a65d8c9f563480d"
1775 | integrity sha1-LIlspT25feRdPDMTOmXYyfVjSA0=
1776 |
1777 | isexe@^2.0.0:
1778 | version "2.0.0"
1779 | resolved "https://registry.yarnpkg.com/isexe/-/isexe-2.0.0.tgz#e8fbf374dc556ff8947a10dcb0572d633f2cfa10"
1780 | integrity sha1-6PvzdNxVb/iUehDcsFctYz8s+hA=
1781 |
1782 | "js-tokens@^3.0.0 || ^4.0.0", js-tokens@^4.0.0:
1783 | version "4.0.0"
1784 | resolved "https://registry.yarnpkg.com/js-tokens/-/js-tokens-4.0.0.tgz#19203fb59991df98e3a287050d4647cdeaf32499"
1785 | integrity sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==
1786 |
1787 | js-yaml@^3.13.1:
1788 | version "3.14.1"
1789 | resolved "https://registry.yarnpkg.com/js-yaml/-/js-yaml-3.14.1.tgz#dae812fdb3825fa306609a8717383c50c36a0537"
1790 | integrity sha512-okMH7OXXJ7YrN9Ok3/SXrnu4iX9yOk+25nqX4imS2npuvTYDmo/QEZoqwZkYaIDk3jVvBOTOIEgEhaLOynBS9g==
1791 | dependencies:
1792 | argparse "^1.0.7"
1793 | esprima "^4.0.0"
1794 |
1795 | jsesc@^2.5.1:
1796 | version "2.5.2"
1797 | resolved "https://registry.yarnpkg.com/jsesc/-/jsesc-2.5.2.tgz#80564d2e483dacf6e8ef209650a67df3f0c283a4"
1798 | integrity sha512-OYu7XEzjkCQ3C5Ps3QIZsQfNpqoJyZZA99wd9aWd05NCtC5pWOkShK2mkL6HXQR6/Cy2lbNdPlZBpuQHXE63gA==
1799 |
1800 | json-parse-even-better-errors@^2.3.0:
1801 | version "2.3.1"
1802 | resolved "https://registry.yarnpkg.com/json-parse-even-better-errors/-/json-parse-even-better-errors-2.3.1.tgz#7c47805a94319928e05777405dc12e1f7a4ee02d"
1803 | integrity sha512-xyFwyhro/JEof6Ghe2iz2NcXoj2sloNsWr/XsERDK/oiPCfaNhl5ONfp+jQdAZRQQ0IJWNzH9zIZF7li91kh2w==
1804 |
1805 | json-schema-traverse@^0.4.1:
1806 | version "0.4.1"
1807 | resolved "https://registry.yarnpkg.com/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz#69f6a87d9513ab8bb8fe63bdb0979c448e684660"
1808 | integrity sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==
1809 |
1810 | json-schema-traverse@^1.0.0:
1811 | version "1.0.0"
1812 | resolved "https://registry.yarnpkg.com/json-schema-traverse/-/json-schema-traverse-1.0.0.tgz#ae7bcb3656ab77a73ba5c49bf654f38e6b6860e2"
1813 | integrity sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug==
1814 |
1815 | json-stable-stringify-without-jsonify@^1.0.1:
1816 | version "1.0.1"
1817 | resolved "https://registry.yarnpkg.com/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz#9db7b59496ad3f3cfef30a75142d2d930ad72651"
1818 | integrity sha1-nbe1lJatPzz+8wp1FC0tkwrXJlE=
1819 |
1820 | json5@^2.1.2:
1821 | version "2.2.0"
1822 | resolved "https://registry.yarnpkg.com/json5/-/json5-2.2.0.tgz#2dfefe720c6ba525d9ebd909950f0515316c89a3"
1823 | integrity sha512-f+8cldu7X/y7RAJurMEJmdoKXGB/X550w2Nr3tTbezL6RwEE/iMcm+tZnXeoZtKuOq6ft8+CqzEkrIgx1fPoQA==
1824 | dependencies:
1825 | minimist "^1.2.5"
1826 |
1827 | "jsx-ast-utils@^2.4.1 || ^3.0.0":
1828 | version "3.2.1"
1829 | resolved "https://registry.yarnpkg.com/jsx-ast-utils/-/jsx-ast-utils-3.2.1.tgz#720b97bfe7d901b927d87c3773637ae8ea48781b"
1830 | integrity sha512-uP5vu8xfy2F9A6LGC22KO7e2/vGTS1MhP+18f++ZNlf0Ohaxbc9nIEwHAsejlJKyzfZzU5UIhe5ItYkitcZnZA==
1831 | dependencies:
1832 | array-includes "^3.1.3"
1833 | object.assign "^4.1.2"
1834 |
1835 | levn@^0.4.1:
1836 | version "0.4.1"
1837 | resolved "https://registry.yarnpkg.com/levn/-/levn-0.4.1.tgz#ae4562c007473b932a6200d403268dd2fffc6ade"
1838 | integrity sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==
1839 | dependencies:
1840 | prelude-ls "^1.2.1"
1841 | type-check "~0.4.0"
1842 |
1843 | lines-and-columns@^1.1.6:
1844 | version "1.2.4"
1845 | resolved "https://registry.yarnpkg.com/lines-and-columns/-/lines-and-columns-1.2.4.tgz#eca284f75d2965079309dc0ad9255abb2ebc1632"
1846 | integrity sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg==
1847 |
1848 | linkifyjs@^2.1.6:
1849 | version "2.1.9"
1850 | resolved "https://registry.yarnpkg.com/linkifyjs/-/linkifyjs-2.1.9.tgz#af06e45a2866ff06c4766582590d098a4d584702"
1851 | integrity sha512-74ivurkK6WHvHFozVaGtQWV38FzBwSTGNmJolEgFp7QgR2bl6ArUWlvT4GcHKbPe1z3nWYi+VUdDZk16zDOVug==
1852 |
1853 | lodash.merge@^4.6.2:
1854 | version "4.6.2"
1855 | resolved "https://registry.yarnpkg.com/lodash.merge/-/lodash.merge-4.6.2.tgz#558aa53b43b661e1925a0afdfa36a9a1085fe57a"
1856 | integrity sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==
1857 |
1858 | lodash.truncate@^4.4.2:
1859 | version "4.4.2"
1860 | resolved "https://registry.yarnpkg.com/lodash.truncate/-/lodash.truncate-4.4.2.tgz#5a350da0b1113b837ecfffd5812cbe58d6eae193"
1861 | integrity sha1-WjUNoLERO4N+z//VgSy+WNbq4ZM=
1862 |
1863 | loose-envify@^1.1.0, loose-envify@^1.4.0:
1864 | version "1.4.0"
1865 | resolved "https://registry.yarnpkg.com/loose-envify/-/loose-envify-1.4.0.tgz#71ee51fa7be4caec1a63839f7e682d8132d30caf"
1866 | integrity sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q==
1867 | dependencies:
1868 | js-tokens "^3.0.0 || ^4.0.0"
1869 |
1870 | lru-cache@^6.0.0:
1871 | version "6.0.0"
1872 | resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-6.0.0.tgz#6d6fe6570ebd96aaf90fcad1dafa3b2566db3a94"
1873 | integrity sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==
1874 | dependencies:
1875 | yallist "^4.0.0"
1876 |
1877 | memoize-one@^6.0.0:
1878 | version "6.0.0"
1879 | resolved "https://registry.yarnpkg.com/memoize-one/-/memoize-one-6.0.0.tgz#b2591b871ed82948aee4727dc6abceeeac8c1045"
1880 | integrity sha512-rkpe71W0N0c0Xz6QD0eJETuWAJGnJ9afsl1srmwPrI+yBCkge5EycXXbYRyvL29zZVUWQCY7InPRCv3GDXuZNw==
1881 |
1882 | merge2@^1.3.0:
1883 | version "1.4.1"
1884 | resolved "https://registry.yarnpkg.com/merge2/-/merge2-1.4.1.tgz#4368892f885e907455a6fd7dc55c0c9d404990ae"
1885 | integrity sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==
1886 |
1887 | micromatch@^4.0.4:
1888 | version "4.0.4"
1889 | resolved "https://registry.yarnpkg.com/micromatch/-/micromatch-4.0.4.tgz#896d519dfe9db25fce94ceb7a500919bf881ebf9"
1890 | integrity sha512-pRmzw/XUcwXGpD9aI9q/0XOwLNygjETJ8y0ao0wdqprrzDa4YnxLcz7fQRZr8voh8V10kGhABbNcHVk5wHgWwg==
1891 | dependencies:
1892 | braces "^3.0.1"
1893 | picomatch "^2.2.3"
1894 |
1895 | minimatch@^3.0.4:
1896 | version "3.0.4"
1897 | resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.0.4.tgz#5166e286457f03306064be5497e8dbb0c3d32083"
1898 | integrity sha512-yJHVQEhyqPLUTgt9B83PXu6W3rx4MvvHvSUvToogpwoGDOUQ+yDrR0HRot+yOCdCO7u4hX3pWft6kWBBcqh0UA==
1899 | dependencies:
1900 | brace-expansion "^1.1.7"
1901 |
1902 | minimist@^1.2.5:
1903 | version "1.2.5"
1904 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.5.tgz#67d66014b66a6a8aaa0c083c5fd58df4e4e97602"
1905 | integrity sha512-FM9nNUYrRBAELZQT3xeZQ7fmMOBg6nWNmJKTcgsJeaLstP/UODVpGsr5OhXhhXg6f+qtJ8uiZ+PUxkDWcgIXLw==
1906 |
1907 | ms@2.1.2:
1908 | version "2.1.2"
1909 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.2.tgz#d09d1f357b443f493382a8eb3ccd183872ae6009"
1910 | integrity sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==
1911 |
1912 | nanoid@^3.1.30:
1913 | version "3.1.30"
1914 | resolved "https://registry.yarnpkg.com/nanoid/-/nanoid-3.1.30.tgz#63f93cc548d2a113dc5dfbc63bfa09e2b9b64362"
1915 | integrity sha512-zJpuPDwOv8D2zq2WRoMe1HsfZthVewpel9CAvTfc/2mBD1uUT/agc5f7GHGWXlYkFvi1mVxe4IjvP2HNrop7nQ==
1916 |
1917 | natural-compare@^1.4.0:
1918 | version "1.4.0"
1919 | resolved "https://registry.yarnpkg.com/natural-compare/-/natural-compare-1.4.0.tgz#4abebfeed7541f2c27acfb29bdbbd15c8d5ba4f7"
1920 | integrity sha1-Sr6/7tdUHywnrPspvbvRXI1bpPc=
1921 |
1922 | node-releases@^2.0.1:
1923 | version "2.0.1"
1924 | resolved "https://registry.yarnpkg.com/node-releases/-/node-releases-2.0.1.tgz#3d1d395f204f1f2f29a54358b9fb678765ad2fc5"
1925 | integrity sha512-CqyzN6z7Q6aMeF/ktcMVTzhAHCEpf8SOarwpzpf8pNBY2k5/oM34UHldUwp8VKI7uxct2HxSRdJjBaZeESzcxA==
1926 |
1927 | normalize-path@^3.0.0, normalize-path@~3.0.0:
1928 | version "3.0.0"
1929 | resolved "https://registry.yarnpkg.com/normalize-path/-/normalize-path-3.0.0.tgz#0dcd69ff23a1c9b11fd0978316644a0388216a65"
1930 | integrity sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==
1931 |
1932 | object-assign@^4.1.1:
1933 | version "4.1.1"
1934 | resolved "https://registry.yarnpkg.com/object-assign/-/object-assign-4.1.1.tgz#2109adc7965887cfc05cbbd442cac8bfbb360863"
1935 | integrity sha1-IQmtx5ZYh8/AXLvUQsrIv7s2CGM=
1936 |
1937 | object-inspect@^1.11.0, object-inspect@^1.9.0:
1938 | version "1.12.0"
1939 | resolved "https://registry.yarnpkg.com/object-inspect/-/object-inspect-1.12.0.tgz#6e2c120e868fd1fd18cb4f18c31741d0d6e776f0"
1940 | integrity sha512-Ho2z80bVIvJloH+YzRmpZVQe87+qASmBUKZDWgx9cu+KDrX2ZDH/3tMy+gXbZETVGs2M8YdxObOh7XAtim9Y0g==
1941 |
1942 | object-keys@^1.0.12, object-keys@^1.1.1:
1943 | version "1.1.1"
1944 | resolved "https://registry.yarnpkg.com/object-keys/-/object-keys-1.1.1.tgz#1c47f272df277f3b1daf061677d9c82e2322c60e"
1945 | integrity sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==
1946 |
1947 | object.assign@^4.1.2:
1948 | version "4.1.2"
1949 | resolved "https://registry.yarnpkg.com/object.assign/-/object.assign-4.1.2.tgz#0ed54a342eceb37b38ff76eb831a0e788cb63940"
1950 | integrity sha512-ixT2L5THXsApyiUPYKmW+2EHpXXe5Ii3M+f4e+aJFAHao5amFRW6J0OO6c/LU8Be47utCx2GL89hxGB6XSmKuQ==
1951 | dependencies:
1952 | call-bind "^1.0.0"
1953 | define-properties "^1.1.3"
1954 | has-symbols "^1.0.1"
1955 | object-keys "^1.1.1"
1956 |
1957 | object.entries@^1.1.5:
1958 | version "1.1.5"
1959 | resolved "https://registry.yarnpkg.com/object.entries/-/object.entries-1.1.5.tgz#e1acdd17c4de2cd96d5a08487cfb9db84d881861"
1960 | integrity sha512-TyxmjUoZggd4OrrU1W66FMDG6CuqJxsFvymeyXI51+vQLN67zYfZseptRge703kKQdo4uccgAKebXFcRCzk4+g==
1961 | dependencies:
1962 | call-bind "^1.0.2"
1963 | define-properties "^1.1.3"
1964 | es-abstract "^1.19.1"
1965 |
1966 | object.fromentries@^2.0.5:
1967 | version "2.0.5"
1968 | resolved "https://registry.yarnpkg.com/object.fromentries/-/object.fromentries-2.0.5.tgz#7b37b205109c21e741e605727fe8b0ad5fa08251"
1969 | integrity sha512-CAyG5mWQRRiBU57Re4FKoTBjXfDoNwdFVH2Y1tS9PqCsfUTymAohOkEMSG3aRNKmv4lV3O7p1et7c187q6bynw==
1970 | dependencies:
1971 | call-bind "^1.0.2"
1972 | define-properties "^1.1.3"
1973 | es-abstract "^1.19.1"
1974 |
1975 | object.hasown@^1.1.0:
1976 | version "1.1.0"
1977 | resolved "https://registry.yarnpkg.com/object.hasown/-/object.hasown-1.1.0.tgz#7232ed266f34d197d15cac5880232f7a4790afe5"
1978 | integrity sha512-MhjYRfj3GBlhSkDHo6QmvgjRLXQ2zndabdf3nX0yTyZK9rPfxb6uRpAac8HXNLy1GpqWtZ81Qh4v3uOls2sRAg==
1979 | dependencies:
1980 | define-properties "^1.1.3"
1981 | es-abstract "^1.19.1"
1982 |
1983 | object.values@^1.1.5:
1984 | version "1.1.5"
1985 | resolved "https://registry.yarnpkg.com/object.values/-/object.values-1.1.5.tgz#959f63e3ce9ef108720333082131e4a459b716ac"
1986 | integrity sha512-QUZRW0ilQ3PnPpbNtgdNV1PDbEqLIiSFB3l+EnGtBQ/8SUTLj1PZwtQHABZtLgwpJZTSZhuGLOGk57Drx2IvYg==
1987 | dependencies:
1988 | call-bind "^1.0.2"
1989 | define-properties "^1.1.3"
1990 | es-abstract "^1.19.1"
1991 |
1992 | once@^1.3.0:
1993 | version "1.4.0"
1994 | resolved "https://registry.yarnpkg.com/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1"
1995 | integrity sha1-WDsap3WWHUsROsF9nFC6753Xa9E=
1996 | dependencies:
1997 | wrappy "1"
1998 |
1999 | open-color@^1.9.1:
2000 | version "1.9.1"
2001 | resolved "https://registry.yarnpkg.com/open-color/-/open-color-1.9.1.tgz#a6e6328f60eff7aa60e3e8fcfa50f53ff3eece35"
2002 | integrity sha512-vCseG/EQ6/RcvxhUcGJiHViOgrtz4x0XbZepXvKik66TMGkvbmjeJrKFyBEx6daG5rNyyd14zYXhz0hZVwQFOw==
2003 |
2004 | optionator@^0.9.1:
2005 | version "0.9.1"
2006 | resolved "https://registry.yarnpkg.com/optionator/-/optionator-0.9.1.tgz#4f236a6373dae0566a6d43e1326674f50c291499"
2007 | integrity sha512-74RlY5FCnhq4jRxVUPKDaRwrVNXMqsGsiW6AJw4XK8hmtm10wC0ypZBLw5IIp85NZMr91+qd1RvvENwg7jjRFw==
2008 | dependencies:
2009 | deep-is "^0.1.3"
2010 | fast-levenshtein "^2.0.6"
2011 | levn "^0.4.1"
2012 | prelude-ls "^1.2.1"
2013 | type-check "^0.4.0"
2014 | word-wrap "^1.2.3"
2015 |
2016 | orderedmap@^1.1.0:
2017 | version "1.1.1"
2018 | resolved "https://registry.yarnpkg.com/orderedmap/-/orderedmap-1.1.1.tgz#c618e77611b3b21d0fe3edc92586265e0059c789"
2019 | integrity sha512-3Ux8um0zXbVacKUkcytc0u3HgC0b0bBLT+I60r2J/En72cI0nZffqrA7Xtf2Hqs27j1g82llR5Mhbd0Z1XW4AQ==
2020 |
2021 | parent-module@^1.0.0:
2022 | version "1.0.1"
2023 | resolved "https://registry.yarnpkg.com/parent-module/-/parent-module-1.0.1.tgz#691d2709e78c79fae3a156622452d00762caaaa2"
2024 | integrity sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==
2025 | dependencies:
2026 | callsites "^3.0.0"
2027 |
2028 | parse-json@^5.0.0:
2029 | version "5.2.0"
2030 | resolved "https://registry.yarnpkg.com/parse-json/-/parse-json-5.2.0.tgz#c76fc66dee54231c962b22bcc8a72cf2f99753cd"
2031 | integrity sha512-ayCKvm/phCGxOkYRSCM82iDwct8/EonSEgCSxWxD7ve6jHggsFl4fZVQBPRNgQoKiuV/odhFrGzQXZwbifC8Rg==
2032 | dependencies:
2033 | "@babel/code-frame" "^7.0.0"
2034 | error-ex "^1.3.1"
2035 | json-parse-even-better-errors "^2.3.0"
2036 | lines-and-columns "^1.1.6"
2037 |
2038 | path-is-absolute@^1.0.0:
2039 | version "1.0.1"
2040 | resolved "https://registry.yarnpkg.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f"
2041 | integrity sha1-F0uSaHNVNP+8es5r9TpanhtcX18=
2042 |
2043 | path-key@^3.1.0:
2044 | version "3.1.1"
2045 | resolved "https://registry.yarnpkg.com/path-key/-/path-key-3.1.1.tgz#581f6ade658cbba65a0d3380de7753295054f375"
2046 | integrity sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==
2047 |
2048 | path-parse@^1.0.6:
2049 | version "1.0.7"
2050 | resolved "https://registry.yarnpkg.com/path-parse/-/path-parse-1.0.7.tgz#fbc114b60ca42b30d9daf5858e4bd68bbedb6735"
2051 | integrity sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==
2052 |
2053 | path-type@^4.0.0:
2054 | version "4.0.0"
2055 | resolved "https://registry.yarnpkg.com/path-type/-/path-type-4.0.0.tgz#84ed01c0a7ba380afe09d90a8c180dcd9d03043b"
2056 | integrity sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==
2057 |
2058 | picocolors@^1.0.0:
2059 | version "1.0.0"
2060 | resolved "https://registry.yarnpkg.com/picocolors/-/picocolors-1.0.0.tgz#cb5bdc74ff3f51892236eaf79d68bc44564ab81c"
2061 | integrity sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ==
2062 |
2063 | picomatch@^2.0.4, picomatch@^2.2.1, picomatch@^2.2.2, picomatch@^2.2.3:
2064 | version "2.3.0"
2065 | resolved "https://registry.yarnpkg.com/picomatch/-/picomatch-2.3.0.tgz#f1f061de8f6a4bf022892e2d128234fb98302972"
2066 | integrity sha512-lY1Q/PiJGC2zOv/z391WOTD+Z02bCgsFfvxoXXf6h7kv9o+WmsmzYqrAwY63sNgOxE4xEdq0WyUnXfKeBrSvYw==
2067 |
2068 | postcss@^8.4.5:
2069 | version "8.4.5"
2070 | resolved "https://registry.yarnpkg.com/postcss/-/postcss-8.4.5.tgz#bae665764dfd4c6fcc24dc0fdf7e7aa00cc77f95"
2071 | integrity sha512-jBDboWM8qpaqwkMwItqTQTiFikhs/67OYVvblFFTM7MrZjt6yMKd6r2kgXizEbTTljacm4NldIlZnhbjr84QYg==
2072 | dependencies:
2073 | nanoid "^3.1.30"
2074 | picocolors "^1.0.0"
2075 | source-map-js "^1.0.1"
2076 |
2077 | prelude-ls@^1.2.1:
2078 | version "1.2.1"
2079 | resolved "https://registry.yarnpkg.com/prelude-ls/-/prelude-ls-1.2.1.tgz#debc6489d7a6e6b0e7611888cec880337d316396"
2080 | integrity sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==
2081 |
2082 | prettier-linter-helpers@^1.0.0:
2083 | version "1.0.0"
2084 | resolved "https://registry.yarnpkg.com/prettier-linter-helpers/-/prettier-linter-helpers-1.0.0.tgz#d23d41fe1375646de2d0104d3454a3008802cf7b"
2085 | integrity sha512-GbK2cP9nraSSUF9N2XwUwqfzlAFlMNYYl+ShE/V+H8a9uNl/oUqB1w2EL54Jh0OlyRSd8RfWYJ3coVS4TROP2w==
2086 | dependencies:
2087 | fast-diff "^1.1.2"
2088 |
2089 | prettier@^2.3.2:
2090 | version "2.5.1"
2091 | resolved "https://registry.yarnpkg.com/prettier/-/prettier-2.5.1.tgz#fff75fa9d519c54cf0fce328c1017d94546bc56a"
2092 | integrity sha512-vBZcPRUR5MZJwoyi3ZoyQlc1rXeEck8KgeC9AwwOn+exuxLxq5toTRDTSaVrXHxelDMHy9zlicw8u66yxoSUFg==
2093 |
2094 | progress@^2.0.0:
2095 | version "2.0.3"
2096 | resolved "https://registry.yarnpkg.com/progress/-/progress-2.0.3.tgz#7e8cf8d8f5b8f239c1bc68beb4eb78567d572ef8"
2097 | integrity sha512-7PiHtLll5LdnKIMw100I+8xJXR5gW2QwWYkT6iJva0bXitZKa/XMrSbdmg3r2Xnaidz9Qumd0VPaMrZlF9V9sA==
2098 |
2099 | prop-types@^15.0.0, prop-types@^15.7.2:
2100 | version "15.7.2"
2101 | resolved "https://registry.yarnpkg.com/prop-types/-/prop-types-15.7.2.tgz#52c41e75b8c87e72b9d9360e0206b99dcbffa6c5"
2102 | integrity sha512-8QQikdH7//R2vurIJSutZ1smHYTcLpRWEOlHnzcWHmBYrOGUysKwSsrC89BCiFj3CbrfJ/nXFdJepOVrY1GCHQ==
2103 | dependencies:
2104 | loose-envify "^1.4.0"
2105 | object-assign "^4.1.1"
2106 | react-is "^16.8.1"
2107 |
2108 | prosemirror-commands@^1.1.12:
2109 | version "1.1.12"
2110 | resolved "https://registry.yarnpkg.com/prosemirror-commands/-/prosemirror-commands-1.1.12.tgz#5cb0fef4e5a0039e2fa19b42a5626af03d7c2ec3"
2111 | integrity sha512-+CrMs3w/ZVPSkR+REg8KL/clyFLv/1+SgY/OMN+CB22Z24j9TZDje72vL36lOZ/E4NeRXuiCcmENcW/vAcG67A==
2112 | dependencies:
2113 | prosemirror-model "^1.0.0"
2114 | prosemirror-state "^1.0.0"
2115 | prosemirror-transform "^1.0.0"
2116 |
2117 | prosemirror-history@^1.2.0:
2118 | version "1.2.0"
2119 | resolved "https://registry.yarnpkg.com/prosemirror-history/-/prosemirror-history-1.2.0.tgz#04cc4df8d2f7b2a46651a2780de191ada6d465ea"
2120 | integrity sha512-B9v9xtf4fYbKxQwIr+3wtTDNLDZcmMMmGiI3TAPShnUzvo+Rmv1GiUrsQChY1meetHl7rhML2cppF3FTs7f7UQ==
2121 | dependencies:
2122 | prosemirror-state "^1.2.2"
2123 | prosemirror-transform "^1.0.0"
2124 | rope-sequence "^1.3.0"
2125 |
2126 | prosemirror-keymap@^1.1.5:
2127 | version "1.1.5"
2128 | resolved "https://registry.yarnpkg.com/prosemirror-keymap/-/prosemirror-keymap-1.1.5.tgz#b5984c7d30f5c75956c853126c54e9e624c0327b"
2129 | integrity sha512-8SZgPH3K+GLsHL2wKuwBD9rxhsbnVBTwpHCO4VUO5GmqUQlxd/2GtBVWTsyLq4Dp3N9nGgPd3+lZFKUDuVp+Vw==
2130 | dependencies:
2131 | prosemirror-state "^1.0.0"
2132 | w3c-keyname "^2.2.0"
2133 |
2134 | prosemirror-model@^1.0.0, prosemirror-model@^1.14.3, prosemirror-model@^1.15.0:
2135 | version "1.15.0"
2136 | resolved "https://registry.yarnpkg.com/prosemirror-model/-/prosemirror-model-1.15.0.tgz#23bc09098daa7c309dba90a76a1b989ce6f61405"
2137 | integrity sha512-hQJv7SnIhlAy9ga3lhPPgaufhvCbQB9tHwscJ9E1H1pPHmN8w5V/lURueoYv9Kc3/bpNWoyHa8r3g//m7N0ChQ==
2138 | dependencies:
2139 | orderedmap "^1.1.0"
2140 |
2141 | prosemirror-schema-list@^1.1.6:
2142 | version "1.1.6"
2143 | resolved "https://registry.yarnpkg.com/prosemirror-schema-list/-/prosemirror-schema-list-1.1.6.tgz#c3e13fe2f74750e4a53ff88d798dc0c4ccca6707"
2144 | integrity sha512-aFGEdaCWmJzouZ8DwedmvSsL50JpRkqhQ6tcpThwJONVVmCgI36LJHtoQ4VGZbusMavaBhXXr33zyD2IVsTlkw==
2145 | dependencies:
2146 | prosemirror-model "^1.0.0"
2147 | prosemirror-transform "^1.0.0"
2148 |
2149 | prosemirror-state@^1.0.0, prosemirror-state@^1.2.2, prosemirror-state@^1.3.4:
2150 | version "1.3.4"
2151 | resolved "https://registry.yarnpkg.com/prosemirror-state/-/prosemirror-state-1.3.4.tgz#4c6b52628216e753fc901c6d2bfd84ce109e8952"
2152 | integrity sha512-Xkkrpd1y/TQ6HKzN3agsQIGRcLckUMA9u3j207L04mt8ToRgpGeyhbVv0HI7omDORIBHjR29b7AwlATFFf2GLA==
2153 | dependencies:
2154 | prosemirror-model "^1.0.0"
2155 | prosemirror-transform "^1.0.0"
2156 |
2157 | prosemirror-transform@^1.0.0, prosemirror-transform@^1.1.0, prosemirror-transform@^1.3.3:
2158 | version "1.3.3"
2159 | resolved "https://registry.yarnpkg.com/prosemirror-transform/-/prosemirror-transform-1.3.3.tgz#5f6712b0577a119cc418686fe7588b6dd9b7464d"
2160 | integrity sha512-9NLVXy1Sfa2G6qPqhWMkEvwQQMTw7OyTqOZbJaGQWsCeH3hH5Cw+c5eNaLM1Uu75EyKLsEZhJ93XpHJBa6RX8A==
2161 | dependencies:
2162 | prosemirror-model "^1.0.0"
2163 |
2164 | prosemirror-view@^1.23.3:
2165 | version "1.23.3"
2166 | resolved "https://registry.yarnpkg.com/prosemirror-view/-/prosemirror-view-1.23.3.tgz#9ba85fefaf45e813c46562b694fc5f6f9a5cba9c"
2167 | integrity sha512-89icyMdXXwxmTxYj0TIuG5M/d0iKeu79tr+PVtC/4qtCOoHrPSPrblJcFOuOWcxGlA/Ei8PqJB4g5HkKR8jWvQ==
2168 | dependencies:
2169 | prosemirror-model "^1.14.3"
2170 | prosemirror-state "^1.0.0"
2171 | prosemirror-transform "^1.1.0"
2172 |
2173 | punycode@^2.1.0:
2174 | version "2.1.1"
2175 | resolved "https://registry.yarnpkg.com/punycode/-/punycode-2.1.1.tgz#b58b010ac40c22c5657616c8d2c2c02c7bf479ec"
2176 | integrity sha512-XRsRjdf+j5ml+y/6GKHPZbrF/8p2Yga0JPtdqTIY2Xe5ohJPD9saDJJLPvp9+NSBprVvevdXZybnj2cv8OEd0A==
2177 |
2178 | queue-microtask@^1.2.2:
2179 | version "1.2.3"
2180 | resolved "https://registry.yarnpkg.com/queue-microtask/-/queue-microtask-1.2.3.tgz#4929228bbc724dfac43e0efb058caf7b6cfb6243"
2181 | integrity sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==
2182 |
2183 | react-dom@^17.0.2:
2184 | version "17.0.2"
2185 | resolved "https://registry.yarnpkg.com/react-dom/-/react-dom-17.0.2.tgz#ecffb6845e3ad8dbfcdc498f0d0a939736502c23"
2186 | integrity sha512-s4h96KtLDUQlsENhMn1ar8t2bEa+q/YAtj8pPPdIjPDGBDIVNsrD9aXNWqspUe6AzKCIG0C1HZZLqLV7qpOBGA==
2187 | dependencies:
2188 | loose-envify "^1.1.0"
2189 | object-assign "^4.1.1"
2190 | scheduler "^0.20.2"
2191 |
2192 | react-inspector@^5.1.0:
2193 | version "5.1.1"
2194 | resolved "https://registry.yarnpkg.com/react-inspector/-/react-inspector-5.1.1.tgz#58476c78fde05d5055646ed8ec02030af42953c8"
2195 | integrity sha512-GURDaYzoLbW8pMGXwYPDBIv6nqei4kK7LPRZ9q9HCZF54wqXz/dnylBp/kfE9XmekBhHvLDdcYeyIwSrvtOiWg==
2196 | dependencies:
2197 | "@babel/runtime" "^7.0.0"
2198 | is-dom "^1.0.0"
2199 | prop-types "^15.0.0"
2200 |
2201 | react-is@^16.7.0, react-is@^16.8.1:
2202 | version "16.13.1"
2203 | resolved "https://registry.yarnpkg.com/react-is/-/react-is-16.13.1.tgz#789729a4dc36de2999dc156dd6c1d9c18cea56a4"
2204 | integrity sha512-24e6ynE2H+OKt4kqsOvNd8kBpV65zoxbA4BVsEOB3ARVWQki/DHzaUoC5KuON/BiccDaCCTZBuOcfZs70kR8bQ==
2205 |
2206 | react-refresh@^0.11.0:
2207 | version "0.11.0"
2208 | resolved "https://registry.yarnpkg.com/react-refresh/-/react-refresh-0.11.0.tgz#77198b944733f0f1f1a90e791de4541f9f074046"
2209 | integrity sha512-F27qZr8uUqwhWZboondsPx8tnC3Ct3SxZA3V5WyEvujRyyNv0VYPhoBg1gZ8/MV5tubQp76Trw8lTv9hzRBa+A==
2210 |
2211 | react@^17.0.2:
2212 | version "17.0.2"
2213 | resolved "https://registry.yarnpkg.com/react/-/react-17.0.2.tgz#d0b5cc516d29eb3eee383f75b62864cfb6800037"
2214 | integrity sha512-gnhPt75i/dq/z3/6q/0asP78D0u592D5L1pd7M8P+dck6Fu/jJeL6iVVK23fptSUZj8Vjf++7wXA8UNclGQcbA==
2215 | dependencies:
2216 | loose-envify "^1.1.0"
2217 | object-assign "^4.1.1"
2218 |
2219 | readdirp@~3.6.0:
2220 | version "3.6.0"
2221 | resolved "https://registry.yarnpkg.com/readdirp/-/readdirp-3.6.0.tgz#74a370bd857116e245b29cc97340cd431a02a6c7"
2222 | integrity sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==
2223 | dependencies:
2224 | picomatch "^2.2.1"
2225 |
2226 | regenerator-runtime@^0.13.4:
2227 | version "0.13.9"
2228 | resolved "https://registry.yarnpkg.com/regenerator-runtime/-/regenerator-runtime-0.13.9.tgz#8925742a98ffd90814988d7566ad30ca3b263b52"
2229 | integrity sha512-p3VT+cOEgxFsRRA9X4lkI1E+k2/CtnKtU4gcxyaCUreilL/vqI6CdZ3wxVUx3UOUg+gnUOQQcRI7BmSI656MYA==
2230 |
2231 | regexp.prototype.flags@^1.3.1:
2232 | version "1.3.1"
2233 | resolved "https://registry.yarnpkg.com/regexp.prototype.flags/-/regexp.prototype.flags-1.3.1.tgz#7ef352ae8d159e758c0eadca6f8fcb4eef07be26"
2234 | integrity sha512-JiBdRBq91WlY7uRJ0ds7R+dU02i6LKi8r3BuQhNXn+kmeLN+EfHhfjqMRis1zJxnlu88hq/4dx0P2OP3APRTOA==
2235 | dependencies:
2236 | call-bind "^1.0.2"
2237 | define-properties "^1.1.3"
2238 |
2239 | regexpp@^3.1.0, regexpp@^3.2.0:
2240 | version "3.2.0"
2241 | resolved "https://registry.yarnpkg.com/regexpp/-/regexpp-3.2.0.tgz#0425a2768d8f23bad70ca4b90461fa2f1213e1b2"
2242 | integrity sha512-pq2bWo9mVD43nbts2wGv17XLiNLya+GklZ8kaDLV2Z08gDCsGpnKn9BFMepvWuHCbyVvY7J5o5+BVvoQbmlJLg==
2243 |
2244 | require-from-string@^2.0.2:
2245 | version "2.0.2"
2246 | resolved "https://registry.yarnpkg.com/require-from-string/-/require-from-string-2.0.2.tgz#89a7fdd938261267318eafe14f9c32e598c36909"
2247 | integrity sha512-Xf0nWe6RseziFMu+Ap9biiUbmplq6S9/p+7w7YXP/JBHhrUDDUhwa+vANyubuqfZWTveU//DYVGsDG7RKL/vEw==
2248 |
2249 | resolve-from@^4.0.0:
2250 | version "4.0.0"
2251 | resolved "https://registry.yarnpkg.com/resolve-from/-/resolve-from-4.0.0.tgz#4abcd852ad32dd7baabfe9b40e00a36db5f392e6"
2252 | integrity sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==
2253 |
2254 | resolve@^1.12.0, resolve@^1.17.0, resolve@^1.20.0:
2255 | version "1.20.0"
2256 | resolved "https://registry.yarnpkg.com/resolve/-/resolve-1.20.0.tgz#629a013fb3f70755d6f0b7935cc1c2c5378b1975"
2257 | integrity sha512-wENBPt4ySzg4ybFQW2TT1zMQucPK95HSh/nq2CFTZVOGut2+pQvSsgtda4d26YrYcr067wjbmzOG8byDPBX63A==
2258 | dependencies:
2259 | is-core-module "^2.2.0"
2260 | path-parse "^1.0.6"
2261 |
2262 | resolve@^2.0.0-next.3:
2263 | version "2.0.0-next.3"
2264 | resolved "https://registry.yarnpkg.com/resolve/-/resolve-2.0.0-next.3.tgz#d41016293d4a8586a39ca5d9b5f15cbea1f55e46"
2265 | integrity sha512-W8LucSynKUIDu9ylraa7ueVZ7hc0uAgJBxVsQSKOXOyle8a93qXhcz+XAXZ8bIq2d6i4Ehddn6Evt+0/UwKk6Q==
2266 | dependencies:
2267 | is-core-module "^2.2.0"
2268 | path-parse "^1.0.6"
2269 |
2270 | reusify@^1.0.4:
2271 | version "1.0.4"
2272 | resolved "https://registry.yarnpkg.com/reusify/-/reusify-1.0.4.tgz#90da382b1e126efc02146e90845a88db12925d76"
2273 | integrity sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==
2274 |
2275 | rimraf@^3.0.2:
2276 | version "3.0.2"
2277 | resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-3.0.2.tgz#f1a5402ba6220ad52cc1282bac1ae3aa49fd061a"
2278 | integrity sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==
2279 | dependencies:
2280 | glob "^7.1.3"
2281 |
2282 | rollup@^2.59.0:
2283 | version "2.61.1"
2284 | resolved "https://registry.yarnpkg.com/rollup/-/rollup-2.61.1.tgz#1a5491f84543cf9e4caf6c61222d9a3f8f2ba454"
2285 | integrity sha512-BbTXlEvB8d+XFbK/7E5doIcRtxWPRiqr0eb5vQ0+2paMM04Ye4PZY5nHOQef2ix24l/L0SpLd5hwcH15QHPdvA==
2286 | optionalDependencies:
2287 | fsevents "~2.3.2"
2288 |
2289 | rope-sequence@^1.3.0:
2290 | version "1.3.2"
2291 | resolved "https://registry.yarnpkg.com/rope-sequence/-/rope-sequence-1.3.2.tgz#a19e02d72991ca71feb6b5f8a91154e48e3c098b"
2292 | integrity sha512-ku6MFrwEVSVmXLvy3dYph3LAMNS0890K7fabn+0YIRQ2T96T9F4gkFf0vf0WW0JUraNWwGRtInEpH7yO4tbQZg==
2293 |
2294 | run-parallel@^1.1.9:
2295 | version "1.2.0"
2296 | resolved "https://registry.yarnpkg.com/run-parallel/-/run-parallel-1.2.0.tgz#66d1368da7bdf921eb9d95bd1a9229e7f21a43ee"
2297 | integrity sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==
2298 | dependencies:
2299 | queue-microtask "^1.2.2"
2300 |
2301 | safe-buffer@~5.1.1:
2302 | version "5.1.2"
2303 | resolved "https://registry.yarnpkg.com/safe-buffer/-/safe-buffer-5.1.2.tgz#991ec69d296e0313747d59bdfd2b745c35f8828d"
2304 | integrity sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==
2305 |
2306 | sass@^1.45.0:
2307 | version "1.45.0"
2308 | resolved "https://registry.yarnpkg.com/sass/-/sass-1.45.0.tgz#192ede1908324bb293a3e403d1841dbcaafdd323"
2309 | integrity sha512-ONy5bjppoohtNkFJRqdz1gscXamMzN3wQy1YH9qO2FiNpgjLhpz/IPRGg0PpCjyz/pWfCOaNEaiEGCcjOFAjqw==
2310 | dependencies:
2311 | chokidar ">=3.0.0 <4.0.0"
2312 | immutable "^4.0.0"
2313 | source-map-js ">=0.6.2 <2.0.0"
2314 |
2315 | scheduler@^0.20.2:
2316 | version "0.20.2"
2317 | resolved "https://registry.yarnpkg.com/scheduler/-/scheduler-0.20.2.tgz#4baee39436e34aa93b4874bddcbf0fe8b8b50e91"
2318 | integrity sha512-2eWfGgAqqWFGqtdMmcL5zCMK1U8KlXv8SQFGglL3CEtd0aDVDWgeF/YoCmvln55m5zSk3J/20hTaSBeSObsQDQ==
2319 | dependencies:
2320 | loose-envify "^1.1.0"
2321 | object-assign "^4.1.1"
2322 |
2323 | semver@^6.3.0:
2324 | version "6.3.0"
2325 | resolved "https://registry.yarnpkg.com/semver/-/semver-6.3.0.tgz#ee0a64c8af5e8ceea67687b133761e1becbd1d3d"
2326 | integrity sha512-b39TBaTSfV6yBrapU89p5fKekE2m/NwnDocOVruQFS1/veMgdzuPcnOM34M6CwxW8jH/lxEa5rBoDeUwu5HHTw==
2327 |
2328 | semver@^7.2.1, semver@^7.3.5:
2329 | version "7.3.5"
2330 | resolved "https://registry.yarnpkg.com/semver/-/semver-7.3.5.tgz#0b621c879348d8998e4b0e4be94b3f12e6018ef7"
2331 | integrity sha512-PoeGJYh8HK4BTO/a9Tf6ZG3veo/A7ZVsYrSA6J8ny9nb3B1VrpkuN+z9OE5wfE5p6H4LchYZsegiQgbJD94ZFQ==
2332 | dependencies:
2333 | lru-cache "^6.0.0"
2334 |
2335 | shebang-command@^2.0.0:
2336 | version "2.0.0"
2337 | resolved "https://registry.yarnpkg.com/shebang-command/-/shebang-command-2.0.0.tgz#ccd0af4f8835fbdc265b82461aaf0c36663f34ea"
2338 | integrity sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==
2339 | dependencies:
2340 | shebang-regex "^3.0.0"
2341 |
2342 | shebang-regex@^3.0.0:
2343 | version "3.0.0"
2344 | resolved "https://registry.yarnpkg.com/shebang-regex/-/shebang-regex-3.0.0.tgz#ae16f1644d873ecad843b0307b143362d4c42172"
2345 | integrity sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==
2346 |
2347 | side-channel@^1.0.4:
2348 | version "1.0.4"
2349 | resolved "https://registry.yarnpkg.com/side-channel/-/side-channel-1.0.4.tgz#efce5c8fdc104ee751b25c58d4290011fa5ea2cf"
2350 | integrity sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==
2351 | dependencies:
2352 | call-bind "^1.0.0"
2353 | get-intrinsic "^1.0.2"
2354 | object-inspect "^1.9.0"
2355 |
2356 | slash@^3.0.0:
2357 | version "3.0.0"
2358 | resolved "https://registry.yarnpkg.com/slash/-/slash-3.0.0.tgz#6539be870c165adbd5240220dbe361f1bc4d4634"
2359 | integrity sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==
2360 |
2361 | slice-ansi@^4.0.0:
2362 | version "4.0.0"
2363 | resolved "https://registry.yarnpkg.com/slice-ansi/-/slice-ansi-4.0.0.tgz#500e8dd0fd55b05815086255b3195adf2a45fe6b"
2364 | integrity sha512-qMCMfhY040cVHT43K9BFygqYbUPFZKHOg7K73mtTWJRb8pyP3fzf4Ixd5SzdEJQ6MRUg/WBnOLxghZtKKurENQ==
2365 | dependencies:
2366 | ansi-styles "^4.0.0"
2367 | astral-regex "^2.0.0"
2368 | is-fullwidth-code-point "^3.0.0"
2369 |
2370 | "source-map-js@>=0.6.2 <2.0.0", source-map-js@^1.0.1:
2371 | version "1.0.1"
2372 | resolved "https://registry.yarnpkg.com/source-map-js/-/source-map-js-1.0.1.tgz#a1741c131e3c77d048252adfa24e23b908670caf"
2373 | integrity sha512-4+TN2b3tqOCd/kaGRJ/sTYA0tR0mdXx26ipdolxcwtJVqEnqNYvlCAt1q3ypy4QMlYus+Zh34RNtYLoq2oQ4IA==
2374 |
2375 | source-map@^0.5.0, source-map@^0.5.7:
2376 | version "0.5.7"
2377 | resolved "https://registry.yarnpkg.com/source-map/-/source-map-0.5.7.tgz#8a039d2d1021d22d1ea14c80d8ea468ba2ef3fcc"
2378 | integrity sha1-igOdLRAh0i0eoUyA2OpGi6LvP8w=
2379 |
2380 | sprintf-js@~1.0.2:
2381 | version "1.0.3"
2382 | resolved "https://registry.yarnpkg.com/sprintf-js/-/sprintf-js-1.0.3.tgz#04e6926f662895354f3dd015203633b857297e2c"
2383 | integrity sha1-BOaSb2YolTVPPdAVIDYzuFcpfiw=
2384 |
2385 | string-width@^4.2.3:
2386 | version "4.2.3"
2387 | resolved "https://registry.yarnpkg.com/string-width/-/string-width-4.2.3.tgz#269c7117d27b05ad2e536830a8ec895ef9c6d010"
2388 | integrity sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==
2389 | dependencies:
2390 | emoji-regex "^8.0.0"
2391 | is-fullwidth-code-point "^3.0.0"
2392 | strip-ansi "^6.0.1"
2393 |
2394 | string.prototype.matchall@^4.0.6:
2395 | version "4.0.6"
2396 | resolved "https://registry.yarnpkg.com/string.prototype.matchall/-/string.prototype.matchall-4.0.6.tgz#5abb5dabc94c7b0ea2380f65ba610b3a544b15fa"
2397 | integrity sha512-6WgDX8HmQqvEd7J+G6VtAahhsQIssiZ8zl7zKh1VDMFyL3hRTJP4FTNA3RbIp2TOQ9AYNDcc7e3fH0Qbup+DBg==
2398 | dependencies:
2399 | call-bind "^1.0.2"
2400 | define-properties "^1.1.3"
2401 | es-abstract "^1.19.1"
2402 | get-intrinsic "^1.1.1"
2403 | has-symbols "^1.0.2"
2404 | internal-slot "^1.0.3"
2405 | regexp.prototype.flags "^1.3.1"
2406 | side-channel "^1.0.4"
2407 |
2408 | string.prototype.trimend@^1.0.4:
2409 | version "1.0.4"
2410 | resolved "https://registry.yarnpkg.com/string.prototype.trimend/-/string.prototype.trimend-1.0.4.tgz#e75ae90c2942c63504686c18b287b4a0b1a45f80"
2411 | integrity sha512-y9xCjw1P23Awk8EvTpcyL2NIr1j7wJ39f+k6lvRnSMz+mz9CGz9NYPelDk42kOz6+ql8xjfK8oYzy3jAP5QU5A==
2412 | dependencies:
2413 | call-bind "^1.0.2"
2414 | define-properties "^1.1.3"
2415 |
2416 | string.prototype.trimstart@^1.0.4:
2417 | version "1.0.4"
2418 | resolved "https://registry.yarnpkg.com/string.prototype.trimstart/-/string.prototype.trimstart-1.0.4.tgz#b36399af4ab2999b4c9c648bd7a3fb2bb26feeed"
2419 | integrity sha512-jh6e984OBfvxS50tdY2nRZnoC5/mLFKOREQfw8t5yytkoUsJRNxvI/E39qu1sD0OtWI3OC0XgKSmcWwziwYuZw==
2420 | dependencies:
2421 | call-bind "^1.0.2"
2422 | define-properties "^1.1.3"
2423 |
2424 | strip-ansi@^6.0.0, strip-ansi@^6.0.1:
2425 | version "6.0.1"
2426 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-6.0.1.tgz#9e26c63d30f53443e9489495b2105d37b67a85d9"
2427 | integrity sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==
2428 | dependencies:
2429 | ansi-regex "^5.0.1"
2430 |
2431 | strip-json-comments@^3.1.0, strip-json-comments@^3.1.1:
2432 | version "3.1.1"
2433 | resolved "https://registry.yarnpkg.com/strip-json-comments/-/strip-json-comments-3.1.1.tgz#31f1281b3832630434831c310c01cccda8cbe006"
2434 | integrity sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==
2435 |
2436 | supports-color@^5.3.0:
2437 | version "5.5.0"
2438 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-5.5.0.tgz#e2e69a44ac8772f78a1ec0b35b689df6530efc8f"
2439 | integrity sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow==
2440 | dependencies:
2441 | has-flag "^3.0.0"
2442 |
2443 | supports-color@^7.1.0:
2444 | version "7.2.0"
2445 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-7.2.0.tgz#1b7dcdcb32b8138801b3e478ba6a51caa89648da"
2446 | integrity sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==
2447 | dependencies:
2448 | has-flag "^4.0.0"
2449 |
2450 | table@^6.0.9:
2451 | version "6.7.5"
2452 | resolved "https://registry.yarnpkg.com/table/-/table-6.7.5.tgz#f04478c351ef3d8c7904f0e8be90a1b62417d238"
2453 | integrity sha512-LFNeryOqiQHqCVKzhkymKwt6ozeRhlm8IL1mE8rNUurkir4heF6PzMyRgaTa4tlyPTGGgXuvVOF/OLWiH09Lqw==
2454 | dependencies:
2455 | ajv "^8.0.1"
2456 | lodash.truncate "^4.4.2"
2457 | slice-ansi "^4.0.0"
2458 | string-width "^4.2.3"
2459 | strip-ansi "^6.0.1"
2460 |
2461 | text-table@^0.2.0:
2462 | version "0.2.0"
2463 | resolved "https://registry.yarnpkg.com/text-table/-/text-table-0.2.0.tgz#7f5ee823ae805207c00af2df4a84ec3fcfa570b4"
2464 | integrity sha1-f17oI66AUgfACvLfSoTsP8+lcLQ=
2465 |
2466 | tiny-invariant@^1.2.0:
2467 | version "1.2.0"
2468 | resolved "https://registry.yarnpkg.com/tiny-invariant/-/tiny-invariant-1.2.0.tgz#a1141f86b672a9148c72e978a19a73b9b94a15a9"
2469 | integrity sha512-1Uhn/aqw5C6RI4KejVeTg6mIS7IqxnLJ8Mv2tV5rTc0qWobay7pDUz6Wi392Cnc8ak1H0F2cjoRzb2/AW4+Fvg==
2470 |
2471 | tippy.js@^6.3.7:
2472 | version "6.3.7"
2473 | resolved "https://registry.yarnpkg.com/tippy.js/-/tippy.js-6.3.7.tgz#8ccfb651d642010ed9a32ff29b0e9e19c5b8c61c"
2474 | integrity sha512-E1d3oP2emgJ9dRQZdf3Kkn0qJgI6ZLpyS5z6ZkY1DF3kaQaBsGZsndEpHwx+eC+tYM41HaSNvNtLx8tU57FzTQ==
2475 | dependencies:
2476 | "@popperjs/core" "^2.9.0"
2477 |
2478 | to-fast-properties@^2.0.0:
2479 | version "2.0.0"
2480 | resolved "https://registry.yarnpkg.com/to-fast-properties/-/to-fast-properties-2.0.0.tgz#dc5e698cbd079265bc73e0377681a4e4e83f616e"
2481 | integrity sha1-3F5pjL0HkmW8c+A3doGk5Og/YW4=
2482 |
2483 | to-regex-range@^5.0.1:
2484 | version "5.0.1"
2485 | resolved "https://registry.yarnpkg.com/to-regex-range/-/to-regex-range-5.0.1.tgz#1648c44aae7c8d988a326018ed72f5b4dd0392e4"
2486 | integrity sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==
2487 | dependencies:
2488 | is-number "^7.0.0"
2489 |
2490 | tslib@^1.8.1:
2491 | version "1.14.1"
2492 | resolved "https://registry.yarnpkg.com/tslib/-/tslib-1.14.1.tgz#cf2d38bdc34a134bcaf1091c41f6619e2f672d00"
2493 | integrity sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==
2494 |
2495 | tsutils@^3.21.0:
2496 | version "3.21.0"
2497 | resolved "https://registry.yarnpkg.com/tsutils/-/tsutils-3.21.0.tgz#b48717d394cea6c1e096983eed58e9d61715b623"
2498 | integrity sha512-mHKK3iUXL+3UF6xL5k0PEhKRUBKPBCv/+RkEOpjRWxxx27KKRBmmA60A9pgOUvMi8GKhRMPEmjBRPzs2W7O1OA==
2499 | dependencies:
2500 | tslib "^1.8.1"
2501 |
2502 | type-check@^0.4.0, type-check@~0.4.0:
2503 | version "0.4.0"
2504 | resolved "https://registry.yarnpkg.com/type-check/-/type-check-0.4.0.tgz#07b8203bfa7056c0657050e3ccd2c37730bab8f1"
2505 | integrity sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==
2506 | dependencies:
2507 | prelude-ls "^1.2.1"
2508 |
2509 | type-fest@^0.20.2:
2510 | version "0.20.2"
2511 | resolved "https://registry.yarnpkg.com/type-fest/-/type-fest-0.20.2.tgz#1bf207f4b28f91583666cb5fbd327887301cd5f4"
2512 | integrity sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==
2513 |
2514 | typescript@^4.4.4:
2515 | version "4.5.4"
2516 | resolved "https://registry.yarnpkg.com/typescript/-/typescript-4.5.4.tgz#a17d3a0263bf5c8723b9c52f43c5084edf13c2e8"
2517 | integrity sha512-VgYs2A2QIRuGphtzFV7aQJduJ2gyfTljngLzjpfW9FoYZF6xuw1W0vW9ghCKLfcWrCFxK81CSGRAvS1pn4fIUg==
2518 |
2519 | unbox-primitive@^1.0.1:
2520 | version "1.0.1"
2521 | resolved "https://registry.yarnpkg.com/unbox-primitive/-/unbox-primitive-1.0.1.tgz#085e215625ec3162574dc8859abee78a59b14471"
2522 | integrity sha512-tZU/3NqK3dA5gpE1KtyiJUrEB0lxnGkMFHptJ7q6ewdZ8s12QrODwNbhIJStmJkd1QDXa1NRA8aF2A1zk/Ypyw==
2523 | dependencies:
2524 | function-bind "^1.1.1"
2525 | has-bigints "^1.0.1"
2526 | has-symbols "^1.0.2"
2527 | which-boxed-primitive "^1.0.2"
2528 |
2529 | uri-js@^4.2.2:
2530 | version "4.4.1"
2531 | resolved "https://registry.yarnpkg.com/uri-js/-/uri-js-4.4.1.tgz#9b1a52595225859e55f669d928f88c6c57f2a77e"
2532 | integrity sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==
2533 | dependencies:
2534 | punycode "^2.1.0"
2535 |
2536 | v8-compile-cache@^2.0.3:
2537 | version "2.3.0"
2538 | resolved "https://registry.yarnpkg.com/v8-compile-cache/-/v8-compile-cache-2.3.0.tgz#2de19618c66dc247dcfb6f99338035d8245a2cee"
2539 | integrity sha512-l8lCEmLcLYZh4nbunNZvQCJc5pv7+RCwa8q/LdUx8u7lsWvPDKmpodJAJNwkAhJC//dFY48KuIEmjtd4RViDrA==
2540 |
2541 | vite@^2.7.2:
2542 | version "2.7.4"
2543 | resolved "https://registry.yarnpkg.com/vite/-/vite-2.7.4.tgz#06f68f8909943f9fe582c26120b0c2b85894a05e"
2544 | integrity sha512-f+0426k9R/roz5mRNwJlQ+6UOnhCwIypJSbfgCmsVzVJe9jTTM5iRX2GWYUean+iqPBWaU/dYLryx9AoH2pmrw==
2545 | dependencies:
2546 | esbuild "^0.13.12"
2547 | postcss "^8.4.5"
2548 | resolve "^1.20.0"
2549 | rollup "^2.59.0"
2550 | optionalDependencies:
2551 | fsevents "~2.3.2"
2552 |
2553 | w3c-keyname@^2.2.0:
2554 | version "2.2.4"
2555 | resolved "https://registry.yarnpkg.com/w3c-keyname/-/w3c-keyname-2.2.4.tgz#4ade6916f6290224cdbd1db8ac49eab03d0eef6b"
2556 | integrity sha512-tOhfEwEzFLJzf6d1ZPkYfGj+FWhIpBux9ppoP3rlclw3Z0BZv3N7b7030Z1kYth+6rDuAsXUFr+d0VE6Ed1ikw==
2557 |
2558 | which-boxed-primitive@^1.0.2:
2559 | version "1.0.2"
2560 | resolved "https://registry.yarnpkg.com/which-boxed-primitive/-/which-boxed-primitive-1.0.2.tgz#13757bc89b209b049fe5d86430e21cf40a89a8e6"
2561 | integrity sha512-bwZdv0AKLpplFY2KZRX6TvyuN7ojjr7lwkg6ml0roIy9YeuSr7JS372qlNW18UQYzgYK9ziGcerWqZOmEn9VNg==
2562 | dependencies:
2563 | is-bigint "^1.0.1"
2564 | is-boolean-object "^1.1.0"
2565 | is-number-object "^1.0.4"
2566 | is-string "^1.0.5"
2567 | is-symbol "^1.0.3"
2568 |
2569 | which@^2.0.1:
2570 | version "2.0.2"
2571 | resolved "https://registry.yarnpkg.com/which/-/which-2.0.2.tgz#7c6a8dd0a636a0327e10b59c9286eee93f3f51b1"
2572 | integrity sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==
2573 | dependencies:
2574 | isexe "^2.0.0"
2575 |
2576 | word-wrap@^1.2.3:
2577 | version "1.2.3"
2578 | resolved "https://registry.yarnpkg.com/word-wrap/-/word-wrap-1.2.3.tgz#610636f6b1f703891bd34771ccb17fb93b47079c"
2579 | integrity sha512-Hz/mrNwitNRh/HUAtM/VT/5VH+ygD6DV7mYKZAtHOrbs8U7lvPS6xf7EJKMF0uW1KJCl0H701g3ZGus+muE5vQ==
2580 |
2581 | wrappy@1:
2582 | version "1.0.2"
2583 | resolved "https://registry.yarnpkg.com/wrappy/-/wrappy-1.0.2.tgz#b5243d8f3ec1aa35f1364605bc0d1036e30ab69f"
2584 | integrity sha1-tSQ9jz7BqjXxNkYFvA0QNuMKtp8=
2585 |
2586 | yallist@^4.0.0:
2587 | version "4.0.0"
2588 | resolved "https://registry.yarnpkg.com/yallist/-/yallist-4.0.0.tgz#9bb92790d9c0effec63be73519e11a35019a3a72"
2589 | integrity sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==
2590 |
2591 | yaml@^1.7.2:
2592 | version "1.10.2"
2593 | resolved "https://registry.yarnpkg.com/yaml/-/yaml-1.10.2.tgz#2301c5ffbf12b467de8da2333a459e29e7920e4b"
2594 | integrity sha512-r3vXyErRCYJ7wg28yvBY5VSoAF8ZvlcW9/BwUzEtUsjvX/DKs24dIkuwjtuprwJJHsbyUbLApepYTR1BN4uHrg==
2595 |
--------------------------------------------------------------------------------