├── .gitignore
├── README.md
├── backend
├── .gitignore
├── assistant
│ ├── __init__.py
│ ├── assistant_controller.py
│ └── assistant_service.py
├── audio_handling
│ ├── __init__.py
│ ├── audio_generation_service.py
│ └── audio_transcription_service.py
├── chat
│ ├── __init__.py
│ └── chat_service.py
├── main.py
├── project_config.py
├── pyproject.toml
├── transcoding
│ ├── __init__.py
│ └── transcoding_service.py
└── utils
│ ├── __init__.py
│ └── file_utils.py
└── frontend
├── .eslintrc.json
├── .gitignore
├── README.md
├── next.config.js
├── package-lock.json
├── package.json
├── public
├── favicon.ico
├── next.svg
├── thirteen.svg
└── vercel.svg
├── src
├── pages
│ ├── _app.tsx
│ ├── _document.tsx
│ ├── components
│ │ ├── AudioPlayer
│ │ │ └── AudioPlayer.component.tsx
│ │ ├── VoiceAssistant
│ │ │ ├── VoiceAssistant.component.tsx
│ │ │ ├── VoiceAssistantAvatar
│ │ │ │ └── VoiceAssistantAvatar.component.tsx
│ │ │ └── useVoiceAssistant.hook.ts
│ │ └── VoiceRecorder
│ │ │ └── VoiceRecorder.component.tsx
│ ├── index.tsx
│ └── services
│ │ └── aivoiceassistant.service.ts
└── styles
│ ├── Home.module.css
│ ├── VoiceAssistant.module.css
│ └── globals.css
├── tsconfig.json
└── yarn.lock
/.gitignore:
--------------------------------------------------------------------------------
1 | .DS_Store
--------------------------------------------------------------------------------
/README.md:
--------------------------------------------------------------------------------
1 | # AI Voice Assistant project
2 |
3 |
4 |
5 |
6 |
7 | Hi, if this project helped you somehow, you can [buy me a coffee!](https://buymeacoffee.com/mpcsj)
8 | ## Repository Structure
9 |
10 | - [backend/](backend) - Backend code made using Python and FastAPI
11 | - [frontend/](frontend) - Frontend code made using React and NextJS
12 |
13 | ## Requirements (Backend)
14 |
15 | | Software | Version |
16 | | -------- | ------- |
17 | | Python | >=3.8 |
18 | | AWS CLI | 2 |
19 |
20 | For the backend side, it will be also required:
21 |
22 | - An AWS Account
23 | - An OpenAI account with a valid OpenAI Key and Organization ID
24 |
25 | ## Requirements (Frontend)
26 |
27 | | Software | Version |
28 | | -------- | ------- |
29 | | NodeJS | >=18 |
30 |
--------------------------------------------------------------------------------
/backend/.gitignore:
--------------------------------------------------------------------------------
1 | .env
2 | __pycache__
3 | *.lock
4 | .idea
5 | .DS_Store
--------------------------------------------------------------------------------
/backend/assistant/__init__.py:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Mpcsj-Computing/ai-voice-assistant/9621757a122f4aaff4f7a09abba2ebb912caa074/backend/assistant/__init__.py
--------------------------------------------------------------------------------
/backend/assistant/assistant_controller.py:
--------------------------------------------------------------------------------
1 | from fastapi import APIRouter, UploadFile
2 | from fastapi.responses import FileResponse
3 | from assistant.assistant_service import handle_audio_from_user
4 |
5 | controller = APIRouter(prefix='/voice-assistant')
6 |
7 |
8 | @controller.post('/audio-message', status_code=200)
9 | async def handle_receive_audio_data(file: UploadFile):
10 | print('file_data >> ', file)
11 | file_data = await file.read()
12 | generated_ai_audio_file_path = await handle_audio_from_user(file_data)
13 | return FileResponse(generated_ai_audio_file_path, media_type='audio/mpeg', filename='ai_output')
14 |
--------------------------------------------------------------------------------
/backend/assistant/assistant_service.py:
--------------------------------------------------------------------------------
1 | from utils.file_utils import persist_binary_file_locally, create_unique_tmp_file
2 | from transcoding.transcoding_service import convert_file_to_readable_mp3
3 | from audio_handling.audio_transcription_service import convert_audio_to_text
4 | from chat.chat_service import handle_get_response_for_user
5 | from audio_handling.audio_generation_service import convert_text_to_audio
6 |
7 |
8 | def __get_transcoded_audio_file_path(data: bytes) -> str:
9 | local_file_path = persist_binary_file_locally(data, file_suffix='user_audio.mp3')
10 | local_output_file_path = create_unique_tmp_file(file_suffix='transcoded_user_audio.mp3')
11 | convert_file_to_readable_mp3(
12 | local_input_file_path=local_file_path,
13 | local_output_file_path=local_output_file_path
14 | )
15 |
16 | return local_output_file_path
17 |
18 |
19 | async def handle_audio_from_user(file: bytes) -> str:
20 | """
21 | Entrypoint
22 | :param file:
23 | :return:
24 | """
25 | print("handle audio from user")
26 | transcoded_user_audio_file_path = __get_transcoded_audio_file_path(file)
27 | transcript_content_text = convert_audio_to_text(transcoded_user_audio_file_path)
28 | text_content = transcript_content_text['text']
29 | ai_text_reply = handle_get_response_for_user(text_content)
30 | generated_audio_ai = convert_text_to_audio(ai_text_reply)
31 | output_audio_local_file_path = persist_binary_file_locally(
32 | data=generated_audio_ai['AudioStream'].read(),
33 | file_suffix='ai_audio_reply.mp3'
34 | )
35 |
36 | return output_audio_local_file_path
37 |
--------------------------------------------------------------------------------
/backend/audio_handling/__init__.py:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Mpcsj-Computing/ai-voice-assistant/9621757a122f4aaff4f7a09abba2ebb912caa074/backend/audio_handling/__init__.py
--------------------------------------------------------------------------------
/backend/audio_handling/audio_generation_service.py:
--------------------------------------------------------------------------------
1 | import boto3
2 |
3 | polly_client = boto3.client('polly')
4 |
5 |
6 | def convert_text_to_audio(text_content: str):
7 | response = polly_client.synthesize_speech(
8 | Engine='standard',
9 | LanguageCode='en-US',
10 | OutputFormat='mp3',
11 | Text=text_content,
12 | VoiceId='Brian'
13 | )
14 | return response
15 |
--------------------------------------------------------------------------------
/backend/audio_handling/audio_transcription_service.py:
--------------------------------------------------------------------------------
1 | import openai
2 |
3 |
4 | def convert_audio_to_text(local_input_file_path: str) -> dict:
5 | transcription = openai.Audio.transcribe("whisper-1", open(local_input_file_path, 'rb'))
6 | print(transcription)
7 | return transcription
8 |
--------------------------------------------------------------------------------
/backend/chat/__init__.py:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Mpcsj-Computing/ai-voice-assistant/9621757a122f4aaff4f7a09abba2ebb912caa074/backend/chat/__init__.py
--------------------------------------------------------------------------------
/backend/chat/chat_service.py:
--------------------------------------------------------------------------------
1 | from langchain.chat_models import ChatOpenAI
2 | from langchain.memory import ConversationBufferMemory
3 | from langchain.chains import ConversationChain
4 | from project_config import setup_app_config
5 |
6 | setup_app_config()
7 |
8 | llm = ChatOpenAI(temperature=1)
9 |
10 | chat_memory = ConversationBufferMemory()
11 |
12 |
13 | def handle_get_response_for_user(user_prompt: str) -> str:
14 | conversation = ConversationChain(
15 | llm=llm,
16 | verbose=False,
17 | memory=chat_memory
18 | )
19 |
20 | result = conversation.predict(input=user_prompt)
21 | print("result >> ", result)
22 | return result
23 |
24 |
25 | def run():
26 | while True:
27 | user_prompt = input("Ask something to the bot, or 0 to leave:")
28 | if user_prompt == "0":
29 | break
30 | handle_get_response_for_user(user_prompt)
31 |
32 |
33 | if __name__ == "__main__":
34 | run()
35 |
--------------------------------------------------------------------------------
/backend/main.py:
--------------------------------------------------------------------------------
1 | from fastapi import FastAPI
2 | from fastapi.middleware.cors import CORSMiddleware
3 | from assistant.assistant_controller import controller as AssistantAudioController
4 | from project_config import setup_app_config
5 |
6 | setup_app_config()
7 |
8 | app = FastAPI()
9 |
10 | origins = [
11 | "http://localhost",
12 | "http://localhost:3000",
13 | "*"
14 | ]
15 |
16 | app.include_router(AssistantAudioController, tags=['assistant'])
17 |
18 | app.add_middleware(
19 | CORSMiddleware,
20 | allow_origins=origins,
21 | allow_credentials=True,
22 | allow_methods=["*"],
23 | allow_headers=["*"],
24 | )
25 |
--------------------------------------------------------------------------------
/backend/project_config.py:
--------------------------------------------------------------------------------
1 | import os
2 | from dotenv import load_dotenv
3 |
4 |
5 | def setup_openai_config():
6 | import openai
7 | openai.api_key = os.getenv('OPENAI_API_KEY')
8 | openai.organization = os.getenv('OPENAI_ORG_ID')
9 |
10 |
11 | def setup_app_config():
12 | load_dotenv()
13 | setup_openai_config()
14 |
--------------------------------------------------------------------------------
/backend/pyproject.toml:
--------------------------------------------------------------------------------
1 | [tool.poetry]
2 | name = "code"
3 | version = "0.1.0"
4 | description = ""
5 | authors = ["Mpcsj"]
6 | readme = "README.md"
7 |
8 | [tool.poetry.dependencies]
9 | python = ">=3.8.1,<4.0"
10 | openai = "^0.27.6"
11 | langchain = "^0.0.157"
12 | fastapi = "^0.95.1"
13 | uvicorn = {extras = ["standard"], version = "^0.22.0"}
14 | boto3 = "^1.26.126"
15 | python-dotenv = "^1.0.0"
16 | python-multipart = "^0.0.6"
17 |
18 |
19 | [build-system]
20 | requires = ["poetry-core"]
21 | build-backend = "poetry.core.masonry.api"
22 |
23 |
--------------------------------------------------------------------------------
/backend/transcoding/__init__.py:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Mpcsj-Computing/ai-voice-assistant/9621757a122f4aaff4f7a09abba2ebb912caa074/backend/transcoding/__init__.py
--------------------------------------------------------------------------------
/backend/transcoding/transcoding_service.py:
--------------------------------------------------------------------------------
1 | import os
2 |
3 |
4 | def convert_file_to_readable_mp3(local_input_file_path: str, local_output_file_path: str):
5 | os.system(f'ffmpeg -i {local_input_file_path} {local_output_file_path}')
6 |
7 |
--------------------------------------------------------------------------------
/backend/utils/__init__.py:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Mpcsj-Computing/ai-voice-assistant/9621757a122f4aaff4f7a09abba2ebb912caa074/backend/utils/__init__.py
--------------------------------------------------------------------------------
/backend/utils/file_utils.py:
--------------------------------------------------------------------------------
1 | import tempfile
2 | import os
3 | from uuid import uuid4
4 |
5 | TMP_FOLDER_NAME = "mpcsj_voice_assistant"
6 |
7 |
8 | def create_if_not_exists(path: str):
9 | if not os.path.exists(path):
10 | os.makedirs(path)
11 |
12 |
13 | def get_tmp_folder_path():
14 | path = tempfile.gettempdir()
15 | path = os.path.join(path, TMP_FOLDER_NAME)
16 | create_if_not_exists(path)
17 | return path
18 |
19 |
20 | def get_unique_tmp_file_path():
21 | file_path = os.path.join(get_tmp_folder_path(), str(uuid4()))
22 | return file_path
23 |
24 |
25 | def create_unique_tmp_file(file_suffix: str):
26 | return f'{get_unique_tmp_file_path()}_{file_suffix}'
27 |
28 |
29 | def persist_binary_file_locally(data: bytes, file_suffix: str) -> str:
30 | file_path = create_unique_tmp_file(file_suffix)
31 | with open(file_path, 'wb') as f:
32 | f.write(data)
33 |
34 | return file_path
35 |
36 |
37 | if __name__ == "__main__":
38 | print(get_tmp_folder_path())
39 |
--------------------------------------------------------------------------------
/frontend/.eslintrc.json:
--------------------------------------------------------------------------------
1 | {
2 | "extends": "next/core-web-vitals"
3 | }
4 |
--------------------------------------------------------------------------------
/frontend/.gitignore:
--------------------------------------------------------------------------------
1 | # See https://help.github.com/articles/ignoring-files/ for more about ignoring files.
2 |
3 | # dependencies
4 | /node_modules
5 | /.pnp
6 | .pnp.js
7 |
8 | # testing
9 | /coverage
10 |
11 | # next.js
12 | /.next/
13 | /out/
14 |
15 | # production
16 | /build
17 |
18 | # misc
19 | .DS_Store
20 | *.pem
21 |
22 | # debug
23 | npm-debug.log*
24 | yarn-debug.log*
25 | yarn-error.log*
26 | .pnpm-debug.log*
27 |
28 | # local env files
29 | .env*.local
30 |
31 | # vercel
32 | .vercel
33 |
34 | # typescript
35 | *.tsbuildinfo
36 | next-env.d.ts
37 |
--------------------------------------------------------------------------------
/frontend/README.md:
--------------------------------------------------------------------------------
1 | This is a [Next.js](https://nextjs.org/) project bootstrapped with [`create-next-app`](https://github.com/vercel/next.js/tree/canary/packages/create-next-app).
2 |
3 | ## Getting Started
4 |
5 | First, run the development server:
6 |
7 | ```bash
8 | npm run dev
9 | # or
10 | yarn dev
11 | # or
12 | pnpm dev
13 | ```
14 |
15 | Open [http://localhost:3000](http://localhost:3000) with your browser to see the result.
16 |
17 | You can start editing the page by modifying `pages/index.tsx`. The page auto-updates as you edit the file.
18 |
19 | [API routes](https://nextjs.org/docs/api-routes/introduction) can be accessed on [http://localhost:3000/api/hello](http://localhost:3000/api/hello). This endpoint can be edited in `pages/api/hello.ts`.
20 |
21 | The `pages/api` directory is mapped to `/api/*`. Files in this directory are treated as [API routes](https://nextjs.org/docs/api-routes/introduction) instead of React pages.
22 |
23 | This project uses [`next/font`](https://nextjs.org/docs/basic-features/font-optimization) to automatically optimize and load Inter, a custom Google Font.
24 |
25 | ## Learn More
26 |
27 | To learn more about Next.js, take a look at the following resources:
28 |
29 | - [Next.js Documentation](https://nextjs.org/docs) - learn about Next.js features and API.
30 | - [Learn Next.js](https://nextjs.org/learn) - an interactive Next.js tutorial.
31 |
32 | You can check out [the Next.js GitHub repository](https://github.com/vercel/next.js/) - your feedback and contributions are welcome!
33 |
34 | ## Deploy on Vercel
35 |
36 | The easiest way to deploy your Next.js app is to use the [Vercel Platform](https://vercel.com/new?utm_medium=default-template&filter=next.js&utm_source=create-next-app&utm_campaign=create-next-app-readme) from the creators of Next.js.
37 |
38 | Check out our [Next.js deployment documentation](https://nextjs.org/docs/deployment) for more details.
39 |
--------------------------------------------------------------------------------
/frontend/next.config.js:
--------------------------------------------------------------------------------
1 | /** @type {import('next').NextConfig} */
2 | const nextConfig = {
3 | reactStrictMode: true,
4 | }
5 |
6 | module.exports = nextConfig
7 |
--------------------------------------------------------------------------------
/frontend/package.json:
--------------------------------------------------------------------------------
1 | {
2 | "name": "ai-voice-assistant",
3 | "version": "0.1.0",
4 | "private": true,
5 | "scripts": {
6 | "dev": "next dev",
7 | "build": "next build",
8 | "start": "next start",
9 | "lint": "next lint"
10 | },
11 | "dependencies": {
12 | "@types/node": "20.2.1",
13 | "@types/react": "18.2.6",
14 | "@types/react-dom": "18.2.4",
15 | "eslint": "8.41.0",
16 | "eslint-config-next": "13.4.3",
17 | "next": "13.4.3",
18 | "react": "18.2.0",
19 | "react-audio-voice-recorder": "^1.1.6",
20 | "react-dom": "18.2.0",
21 | "react-loading": "^2.0.3",
22 | "typescript": "5.0.4"
23 | }
24 | }
25 |
--------------------------------------------------------------------------------
/frontend/public/favicon.ico:
--------------------------------------------------------------------------------
https://raw.githubusercontent.com/Mpcsj-Computing/ai-voice-assistant/9621757a122f4aaff4f7a09abba2ebb912caa074/frontend/public/favicon.ico
--------------------------------------------------------------------------------
/frontend/public/next.svg:
--------------------------------------------------------------------------------
1 |
--------------------------------------------------------------------------------
/frontend/public/thirteen.svg:
--------------------------------------------------------------------------------
1 |
--------------------------------------------------------------------------------
/frontend/public/vercel.svg:
--------------------------------------------------------------------------------
1 |
--------------------------------------------------------------------------------
/frontend/src/pages/_app.tsx:
--------------------------------------------------------------------------------
1 | import '@/styles/globals.css'
2 | import type { AppProps } from 'next/app'
3 |
4 | export default function App({ Component, pageProps }: AppProps) {
5 | return
6 | }
7 |
--------------------------------------------------------------------------------
/frontend/src/pages/_document.tsx:
--------------------------------------------------------------------------------
1 | import { Html, Head, Main, NextScript } from 'next/document'
2 |
3 | export default function Document() {
4 | return (
5 |
6 |
8 |
9 |
10 |
11 |
12 | )
13 | }
14 |
--------------------------------------------------------------------------------
/frontend/src/pages/components/AudioPlayer/AudioPlayer.component.tsx:
--------------------------------------------------------------------------------
1 |
2 |
3 | export interface AudioPlayerProps{
4 | audioFileUrl?: string;
5 | onAudioPlayEnd: () => void;
6 | }
7 |
8 | const AudioPlayer = ({audioFileUrl,onAudioPlayEnd}:AudioPlayerProps)=>{
9 | return (
10 |
11 | {audioFileUrl && (
12 |
18 | )}
19 |
20 | )
21 | }
22 |
23 |
24 | export default AudioPlayer
--------------------------------------------------------------------------------
/frontend/src/pages/components/VoiceAssistant/VoiceAssistant.component.tsx:
--------------------------------------------------------------------------------
1 | import VoiceAssistantAvatar from "./VoiceAssistantAvatar/VoiceAssistantAvatar.component"
2 | import VoiceRecorder from "../VoiceRecorder/VoiceRecorder.component"
3 | import styles from "@/styles/VoiceAssistant.module.css";
4 | import useVoiceAssistant from "./useVoiceAssistant.hook";
5 | import ReactLoading from "react-loading";
6 | import AudioPlayer from "../AudioPlayer/AudioPlayer.component";
7 |
8 | const VoiceAssistant = ()=>{
9 | const {handleUserVoiceRecorded,isWaitingAIOutput,lastAIReplyURL,handleOnAudioPlayEnd} = useVoiceAssistant()
10 | return (
11 |
12 |
13 |
14 | {isWaitingAIOutput &&
15 | ()
16 | }
17 |
18 |
19 |
20 | )
21 | }
22 |
23 |
24 | export default VoiceAssistant
--------------------------------------------------------------------------------
/frontend/src/pages/components/VoiceAssistant/VoiceAssistantAvatar/VoiceAssistantAvatar.component.tsx:
--------------------------------------------------------------------------------
1 |
2 |
3 | const VoiceAssistantAvatar = ()=>{
4 | return
5 | }
6 |
7 |
8 | export default VoiceAssistantAvatar
--------------------------------------------------------------------------------
/frontend/src/pages/components/VoiceAssistant/useVoiceAssistant.hook.ts:
--------------------------------------------------------------------------------
1 | import { getAIReplyOutput } from "@/pages/services/aivoiceassistant.service"
2 | import {useState} from "react"
3 |
4 |
5 | const useVoiceAssistant = ()=>{
6 | const [isWaitingAIOutput,setIsWaitingAIOutput] = useState(false)
7 | const [lastAIReplyURL,setLastAIReplyURL] = useState(undefined)
8 |
9 | const handleUserVoiceRecorded = async(userAudioData:Blob)=>{
10 | setIsWaitingAIOutput(true)
11 | const result = await getAIReplyOutput(userAudioData)
12 | setIsWaitingAIOutput(false)
13 | if(result){
14 | const url = URL.createObjectURL(result)
15 | setLastAIReplyURL(url)
16 | }
17 |
18 | }
19 |
20 | const handleOnAudioPlayEnd = ()=>{
21 | setLastAIReplyURL(undefined)
22 | }
23 | return{
24 | handleUserVoiceRecorded,
25 | isWaitingAIOutput,
26 | lastAIReplyURL,
27 | handleOnAudioPlayEnd
28 | }
29 | }
30 |
31 |
32 | export default useVoiceAssistant
--------------------------------------------------------------------------------
/frontend/src/pages/components/VoiceRecorder/VoiceRecorder.component.tsx:
--------------------------------------------------------------------------------
1 | import { AudioRecorder, useAudioRecorder } from "react-audio-voice-recorder";
2 |
3 | export interface VoiceRecorderProps{
4 | onAudioRecordingComplete: (audioData: Blob) => void;
5 | }
6 |
7 | const VoiceRecorder = ({onAudioRecordingComplete}:VoiceRecorderProps)=>{
8 | const recorderControls = useAudioRecorder();
9 | return (
10 |
11 |
15 | {recorderControls.isRecording && (
16 |
17 | )}
18 |
19 | )
20 | }
21 |
22 |
23 | export default VoiceRecorder
--------------------------------------------------------------------------------
/frontend/src/pages/index.tsx:
--------------------------------------------------------------------------------
1 | import Head from 'next/head'
2 | import styles from '@/styles/Home.module.css'
3 | import VoiceAssistant from './components/VoiceAssistant/VoiceAssistant.component'
4 |
5 | export default function Home() {
6 | return (
7 | <>
8 |
9 | AI Voice Assistant
10 |
11 |
12 |
13 |
14 |
15 |
16 |
17 | >
18 | )
19 | }
20 |
--------------------------------------------------------------------------------
/frontend/src/pages/services/aivoiceassistant.service.ts:
--------------------------------------------------------------------------------
1 | export const getAIReplyOutput = async (userAudioData: Blob) => {
2 | const audioFile = new File([userAudioData], "userVoiceInput", {
3 | type: "audio/mpeg",
4 | });
5 | const formData = new FormData();
6 | formData.append("file", audioFile);
7 |
8 | const requestOptions = {
9 | method: "POST",
10 | body: formData,
11 | };
12 | try {
13 | const result = await fetch(
14 | "http://localhost:8000/voice-assistant/audio-message",
15 | requestOptions
16 | );
17 |
18 | return await result.blob();
19 | } catch (error) {
20 | console.error("Error handling user voice data >> ", error);
21 | }
22 | };
23 |
--------------------------------------------------------------------------------
/frontend/src/styles/Home.module.css:
--------------------------------------------------------------------------------
1 | .main {
2 | display: flex;
3 | flex-direction: column;
4 | justify-content: space-between;
5 | align-items: center;
6 | padding: 6rem;
7 | min-height: 100vh;
8 | background: radial-gradient(
9 | circle,
10 | rgba(83, 184, 249, 1) 0%,
11 | rgba(219, 166, 84, 1) 100%
12 | );
13 | }
14 |
15 | .description {
16 | display: inherit;
17 | justify-content: inherit;
18 | align-items: inherit;
19 | font-size: 0.85rem;
20 | max-width: var(--max-width);
21 | width: 100%;
22 | z-index: 2;
23 | font-family: var(--font-mono);
24 | }
25 |
26 | .description a {
27 | display: flex;
28 | justify-content: center;
29 | align-items: center;
30 | gap: 0.5rem;
31 | }
32 |
33 | .description p {
34 | position: relative;
35 | margin: 0;
36 | padding: 1rem;
37 | background-color: rgba(var(--callout-rgb), 0.5);
38 | border: 1px solid rgba(var(--callout-border-rgb), 0.3);
39 | border-radius: var(--border-radius);
40 | }
41 |
42 | .code {
43 | font-weight: 700;
44 | font-family: var(--font-mono);
45 | }
46 |
47 | .grid {
48 | display: grid;
49 | grid-template-columns: repeat(4, minmax(25%, auto));
50 | width: var(--max-width);
51 | max-width: 100%;
52 | }
53 |
54 | .card {
55 | padding: 1rem 1.2rem;
56 | border-radius: var(--border-radius);
57 | background: rgba(var(--card-rgb), 0);
58 | border: 1px solid rgba(var(--card-border-rgb), 0);
59 | transition: background 200ms, border 200ms;
60 | }
61 |
62 | .card span {
63 | display: inline-block;
64 | transition: transform 200ms;
65 | }
66 |
67 | .card h2 {
68 | font-weight: 600;
69 | margin-bottom: 0.7rem;
70 | }
71 |
72 | .card p {
73 | margin: 0;
74 | opacity: 0.6;
75 | font-size: 0.9rem;
76 | line-height: 1.5;
77 | max-width: 30ch;
78 | }
79 |
80 | .center {
81 | display: flex;
82 | justify-content: center;
83 | align-items: center;
84 | position: relative;
85 | padding: 4rem 0;
86 | }
87 |
88 | .center::before {
89 | background: var(--secondary-glow);
90 | border-radius: 50%;
91 | width: 480px;
92 | height: 360px;
93 | margin-left: -400px;
94 | }
95 |
96 | .center::after {
97 | background: var(--primary-glow);
98 | width: 240px;
99 | height: 180px;
100 | z-index: -1;
101 | }
102 |
103 | .center::before,
104 | .center::after {
105 | content: '';
106 | left: 50%;
107 | position: absolute;
108 | filter: blur(45px);
109 | transform: translateZ(0);
110 | }
111 |
112 | .logo,
113 | .thirteen {
114 | position: relative;
115 | }
116 |
117 | .thirteen {
118 | display: flex;
119 | justify-content: center;
120 | align-items: center;
121 | width: 75px;
122 | height: 75px;
123 | padding: 25px 10px;
124 | margin-left: 16px;
125 | transform: translateZ(0);
126 | border-radius: var(--border-radius);
127 | overflow: hidden;
128 | box-shadow: 0px 2px 8px -1px #0000001a;
129 | }
130 |
131 | .thirteen::before,
132 | .thirteen::after {
133 | content: '';
134 | position: absolute;
135 | z-index: -1;
136 | }
137 |
138 | /* Conic Gradient Animation */
139 | .thirteen::before {
140 | animation: 6s rotate linear infinite;
141 | width: 200%;
142 | height: 200%;
143 | background: var(--tile-border);
144 | }
145 |
146 | /* Inner Square */
147 | .thirteen::after {
148 | inset: 0;
149 | padding: 1px;
150 | border-radius: var(--border-radius);
151 | background: linear-gradient(
152 | to bottom right,
153 | rgba(var(--tile-start-rgb), 1),
154 | rgba(var(--tile-end-rgb), 1)
155 | );
156 | background-clip: content-box;
157 | }
158 |
159 | /* Enable hover only on non-touch devices */
160 | @media (hover: hover) and (pointer: fine) {
161 | .card:hover {
162 | background: rgba(var(--card-rgb), 0.1);
163 | border: 1px solid rgba(var(--card-border-rgb), 0.15);
164 | }
165 |
166 | .card:hover span {
167 | transform: translateX(4px);
168 | }
169 | }
170 |
171 | @media (prefers-reduced-motion) {
172 | .thirteen::before {
173 | animation: none;
174 | }
175 |
176 | .card:hover span {
177 | transform: none;
178 | }
179 | }
180 |
181 | /* Mobile */
182 | @media (max-width: 700px) {
183 | .content {
184 | padding: 4rem;
185 | }
186 |
187 | .grid {
188 | grid-template-columns: 1fr;
189 | margin-bottom: 120px;
190 | max-width: 320px;
191 | text-align: center;
192 | }
193 |
194 | .card {
195 | padding: 1rem 2.5rem;
196 | }
197 |
198 | .card h2 {
199 | margin-bottom: 0.5rem;
200 | }
201 |
202 | .center {
203 | padding: 8rem 0 6rem;
204 | }
205 |
206 | .center::before {
207 | transform: none;
208 | height: 300px;
209 | }
210 |
211 | .description {
212 | font-size: 0.8rem;
213 | }
214 |
215 | .description a {
216 | padding: 1rem;
217 | }
218 |
219 | .description p,
220 | .description div {
221 | display: flex;
222 | justify-content: center;
223 | position: fixed;
224 | width: 100%;
225 | }
226 |
227 | .description p {
228 | align-items: center;
229 | inset: 0 0 auto;
230 | padding: 2rem 1rem 1.4rem;
231 | border-radius: 0;
232 | border: none;
233 | border-bottom: 1px solid rgba(var(--callout-border-rgb), 0.25);
234 | background: linear-gradient(
235 | to bottom,
236 | rgba(var(--background-start-rgb), 1),
237 | rgba(var(--callout-rgb), 0.5)
238 | );
239 | background-clip: padding-box;
240 | backdrop-filter: blur(24px);
241 | }
242 |
243 | .description div {
244 | align-items: flex-end;
245 | pointer-events: none;
246 | inset: auto 0 0;
247 | padding: 2rem;
248 | height: 200px;
249 | background: linear-gradient(
250 | to bottom,
251 | transparent 0%,
252 | rgb(var(--background-end-rgb)) 40%
253 | );
254 | z-index: 1;
255 | }
256 | }
257 |
258 | /* Tablet and Smaller Desktop */
259 | @media (min-width: 701px) and (max-width: 1120px) {
260 | .grid {
261 | grid-template-columns: repeat(2, 50%);
262 | }
263 | }
264 |
265 | @media (prefers-color-scheme: dark) {
266 | .vercelLogo {
267 | filter: invert(1);
268 | }
269 |
270 | .logo,
271 | .thirteen img {
272 | filter: invert(1) drop-shadow(0 0 0.3rem #ffffff70);
273 | }
274 | }
275 |
276 | @keyframes rotate {
277 | from {
278 | transform: rotate(360deg);
279 | }
280 | to {
281 | transform: rotate(0deg);
282 | }
283 | }
284 |
--------------------------------------------------------------------------------
/frontend/src/styles/VoiceAssistant.module.css:
--------------------------------------------------------------------------------
1 | .voice-assistant-component{
2 | display: flex;
3 | flex-direction: column;
4 | align-items: center;
5 | justify-content: center;
6 | gap: 20px;
7 | }
--------------------------------------------------------------------------------
/frontend/src/styles/globals.css:
--------------------------------------------------------------------------------
1 | :root {
2 | --max-width: 1100px;
3 | --border-radius: 12px;
4 | --font-mono: ui-monospace, Menlo, Monaco, 'Cascadia Mono', 'Segoe UI Mono',
5 | 'Roboto Mono', 'Oxygen Mono', 'Ubuntu Monospace', 'Source Code Pro',
6 | 'Fira Mono', 'Droid Sans Mono', 'Courier New', monospace;
7 |
8 | --foreground-rgb: 0, 0, 0;
9 | --background-start-rgb: 214, 219, 220;
10 | --background-end-rgb: 255, 255, 255;
11 |
12 | --primary-glow: conic-gradient(
13 | from 180deg at 50% 50%,
14 | #16abff33 0deg,
15 | #0885ff33 55deg,
16 | #54d6ff33 120deg,
17 | #0071ff33 160deg,
18 | transparent 360deg
19 | );
20 | --secondary-glow: radial-gradient(
21 | rgba(255, 255, 255, 1),
22 | rgba(255, 255, 255, 0)
23 | );
24 |
25 | --tile-start-rgb: 239, 245, 249;
26 | --tile-end-rgb: 228, 232, 233;
27 | --tile-border: conic-gradient(
28 | #00000080,
29 | #00000040,
30 | #00000030,
31 | #00000020,
32 | #00000010,
33 | #00000010,
34 | #00000080
35 | );
36 |
37 | --callout-rgb: 238, 240, 241;
38 | --callout-border-rgb: 172, 175, 176;
39 | --card-rgb: 180, 185, 188;
40 | --card-border-rgb: 131, 134, 135;
41 | }
42 |
43 | @media (prefers-color-scheme: dark) {
44 | :root {
45 | --foreground-rgb: 255, 255, 255;
46 | --background-start-rgb: 0, 0, 0;
47 | --background-end-rgb: 0, 0, 0;
48 |
49 | --primary-glow: radial-gradient(rgba(1, 65, 255, 0.4), rgba(1, 65, 255, 0));
50 | --secondary-glow: linear-gradient(
51 | to bottom right,
52 | rgba(1, 65, 255, 0),
53 | rgba(1, 65, 255, 0),
54 | rgba(1, 65, 255, 0.3)
55 | );
56 |
57 | --tile-start-rgb: 2, 13, 46;
58 | --tile-end-rgb: 2, 5, 19;
59 | --tile-border: conic-gradient(
60 | #ffffff80,
61 | #ffffff40,
62 | #ffffff30,
63 | #ffffff20,
64 | #ffffff10,
65 | #ffffff10,
66 | #ffffff80
67 | );
68 |
69 | --callout-rgb: 20, 20, 20;
70 | --callout-border-rgb: 108, 108, 108;
71 | --card-rgb: 100, 100, 100;
72 | --card-border-rgb: 200, 200, 200;
73 | }
74 | }
75 |
76 | * {
77 | box-sizing: border-box;
78 | padding: 0;
79 | margin: 0;
80 | }
81 |
82 | html,
83 | body {
84 | max-width: 100vw;
85 | overflow-x: hidden;
86 | }
87 |
88 | body {
89 | color: rgb(var(--foreground-rgb));
90 | background: linear-gradient(
91 | to bottom,
92 | transparent,
93 | rgb(var(--background-end-rgb))
94 | )
95 | rgb(var(--background-start-rgb));
96 | }
97 |
98 | a {
99 | color: inherit;
100 | text-decoration: none;
101 | }
102 |
103 | @media (prefers-color-scheme: dark) {
104 | html {
105 | color-scheme: dark;
106 | }
107 | }
108 |
--------------------------------------------------------------------------------
/frontend/tsconfig.json:
--------------------------------------------------------------------------------
1 | {
2 | "compilerOptions": {
3 | "target": "es5",
4 | "lib": ["dom", "dom.iterable", "esnext"],
5 | "allowJs": true,
6 | "skipLibCheck": true,
7 | "strict": true,
8 | "forceConsistentCasingInFileNames": true,
9 | "noEmit": true,
10 | "esModuleInterop": true,
11 | "module": "esnext",
12 | "moduleResolution": "node",
13 | "resolveJsonModule": true,
14 | "isolatedModules": true,
15 | "jsx": "preserve",
16 | "incremental": true,
17 | "paths": {
18 | "@/*": ["./src/*"]
19 | }
20 | },
21 | "include": ["next-env.d.ts", "**/*.ts", "**/*.tsx"],
22 | "exclude": ["node_modules"]
23 | }
24 |
--------------------------------------------------------------------------------
/frontend/yarn.lock:
--------------------------------------------------------------------------------
1 | # THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY.
2 | # yarn lockfile v1
3 |
4 |
5 | "@babel/runtime@^7.20.7":
6 | version "7.21.5"
7 | resolved "https://registry.yarnpkg.com/@babel/runtime/-/runtime-7.21.5.tgz#8492dddda9644ae3bda3b45eabe87382caee7200"
8 | integrity sha512-8jI69toZqqcsnqGGqwGS4Qb1VwLOEp4hz+CXPywcvjs60u3B4Pom/U/7rm4W8tMOYEB+E9wgD0mW1l3r8qlI9Q==
9 | dependencies:
10 | regenerator-runtime "^0.13.11"
11 |
12 | "@eslint-community/eslint-utils@^4.2.0":
13 | version "4.4.0"
14 | resolved "https://registry.yarnpkg.com/@eslint-community/eslint-utils/-/eslint-utils-4.4.0.tgz#a23514e8fb9af1269d5f7788aa556798d61c6b59"
15 | integrity sha512-1/sA4dwrzBAyeUoQ6oxahHKmrZvsnLCg4RfxW3ZFGGmQkSNQPFNLV9CUEFQP1x9EYXHTo5p6xdhZM1Ne9p/AfA==
16 | dependencies:
17 | eslint-visitor-keys "^3.3.0"
18 |
19 | "@eslint-community/regexpp@^4.4.0":
20 | version "4.5.1"
21 | resolved "https://registry.yarnpkg.com/@eslint-community/regexpp/-/regexpp-4.5.1.tgz#cdd35dce4fa1a89a4fd42b1599eb35b3af408884"
22 | integrity sha512-Z5ba73P98O1KUYCCJTUeVpja9RcGoMdncZ6T49FCUl2lN38JtCJ+3WgIDBv0AuY4WChU5PmtJmOCTlN6FZTFKQ==
23 |
24 | "@eslint/eslintrc@^2.0.3":
25 | version "2.0.3"
26 | resolved "https://registry.yarnpkg.com/@eslint/eslintrc/-/eslintrc-2.0.3.tgz#4910db5505f4d503f27774bf356e3704818a0331"
27 | integrity sha512-+5gy6OQfk+xx3q0d6jGZZC3f3KzAkXc/IanVxd1is/VIIziRqqt3ongQz0FiTUXqTk0c7aDB3OaFuKnuSoJicQ==
28 | dependencies:
29 | ajv "^6.12.4"
30 | debug "^4.3.2"
31 | espree "^9.5.2"
32 | globals "^13.19.0"
33 | ignore "^5.2.0"
34 | import-fresh "^3.2.1"
35 | js-yaml "^4.1.0"
36 | minimatch "^3.1.2"
37 | strip-json-comments "^3.1.1"
38 |
39 | "@eslint/js@8.41.0":
40 | version "8.41.0"
41 | resolved "https://registry.yarnpkg.com/@eslint/js/-/js-8.41.0.tgz#080321c3b68253522f7646b55b577dd99d2950b3"
42 | integrity sha512-LxcyMGxwmTh2lY9FwHPGWOHmYFCZvbrFCBZL4FzSSsxsRPuhrYUg/49/0KDfW8tnIEaEHtfmn6+NPN+1DqaNmA==
43 |
44 | "@humanwhocodes/config-array@^0.11.8":
45 | version "0.11.8"
46 | resolved "https://registry.yarnpkg.com/@humanwhocodes/config-array/-/config-array-0.11.8.tgz#03595ac2075a4dc0f191cc2131de14fbd7d410b9"
47 | integrity sha512-UybHIJzJnR5Qc/MsD9Kr+RpO2h+/P1GhOwdiLPXK5TWk5sgTdu88bTD9UP+CKbPPh5Rni1u0GjAdYQLemG8g+g==
48 | dependencies:
49 | "@humanwhocodes/object-schema" "^1.2.1"
50 | debug "^4.1.1"
51 | minimatch "^3.0.5"
52 |
53 | "@humanwhocodes/module-importer@^1.0.1":
54 | version "1.0.1"
55 | resolved "https://registry.yarnpkg.com/@humanwhocodes/module-importer/-/module-importer-1.0.1.tgz#af5b2691a22b44be847b0ca81641c5fb6ad0172c"
56 | integrity sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA==
57 |
58 | "@humanwhocodes/object-schema@^1.2.1":
59 | version "1.2.1"
60 | resolved "https://registry.yarnpkg.com/@humanwhocodes/object-schema/-/object-schema-1.2.1.tgz#b520529ec21d8e5945a1851dfd1c32e94e39ff45"
61 | integrity sha512-ZnQMnLV4e7hDlUvw8H+U8ASL02SS2Gn6+9Ac3wGGLIe7+je2AeAOxPY+izIPJDfFDb7eDjev0Us8MO1iFRN8hA==
62 |
63 | "@next/env@13.4.3":
64 | version "13.4.3"
65 | resolved "https://registry.yarnpkg.com/@next/env/-/env-13.4.3.tgz#cb00bdd43a0619a79a52c9336df8a0aa84f8f4bf"
66 | integrity sha512-pa1ErjyFensznttAk3EIv77vFbfSYT6cLzVRK5jx4uiRuCQo+m2wCFAREaHKIy63dlgvOyMlzh6R8Inu8H3KrQ==
67 |
68 | "@next/eslint-plugin-next@13.4.3":
69 | version "13.4.3"
70 | resolved "https://registry.yarnpkg.com/@next/eslint-plugin-next/-/eslint-plugin-next-13.4.3.tgz#9f3b9dedc8da57436e45d736f5fc6646e93a2656"
71 | integrity sha512-5B0uOnh7wyUY9vNNdIA6NUvWozhrZaTMZOzdirYAefqD0ZBK5C/h3+KMYdCKrR7JrXGvVpWnHtv54b3dCzwICA==
72 | dependencies:
73 | glob "7.1.7"
74 |
75 | "@next/swc-darwin-arm64@13.4.3":
76 | version "13.4.3"
77 | resolved "https://registry.yarnpkg.com/@next/swc-darwin-arm64/-/swc-darwin-arm64-13.4.3.tgz#2d6c99dd5afbcce37e4ba0f64196317a1259034d"
78 | integrity sha512-yx18udH/ZmR4Bw4M6lIIPE3JxsAZwo04iaucEfA2GMt1unXr2iodHUX/LAKNyi6xoLP2ghi0E+Xi1f4Qb8f1LQ==
79 |
80 | "@next/swc-darwin-x64@13.4.3":
81 | version "13.4.3"
82 | resolved "https://registry.yarnpkg.com/@next/swc-darwin-x64/-/swc-darwin-x64-13.4.3.tgz#162b15fb8a54d9f64e69c898ebeb55b7dac9bddd"
83 | integrity sha512-Mi8xJWh2IOjryAM1mx18vwmal9eokJ2njY4nDh04scy37F0LEGJ/diL6JL6kTXi0UfUCGbMsOItf7vpReNiD2A==
84 |
85 | "@next/swc-linux-arm64-gnu@13.4.3":
86 | version "13.4.3"
87 | resolved "https://registry.yarnpkg.com/@next/swc-linux-arm64-gnu/-/swc-linux-arm64-gnu-13.4.3.tgz#aee57422f11183d6a2e4a2e8aa23b9285873e18f"
88 | integrity sha512-aBvtry4bxJ1xwKZ/LVPeBGBwWVwxa4bTnNkRRw6YffJnn/f4Tv4EGDPaVeYHZGQVA56wsGbtA6nZMuWs/EIk4Q==
89 |
90 | "@next/swc-linux-arm64-musl@13.4.3":
91 | version "13.4.3"
92 | resolved "https://registry.yarnpkg.com/@next/swc-linux-arm64-musl/-/swc-linux-arm64-musl-13.4.3.tgz#c10b6aaaa47b341c6c9ea15f8b0ddb37e255d035"
93 | integrity sha512-krT+2G3kEsEUvZoYte3/2IscscDraYPc2B+fDJFipPktJmrv088Pei/RjrhWm5TMIy5URYjZUoDZdh5k940Dyw==
94 |
95 | "@next/swc-linux-x64-gnu@13.4.3":
96 | version "13.4.3"
97 | resolved "https://registry.yarnpkg.com/@next/swc-linux-x64-gnu/-/swc-linux-x64-gnu-13.4.3.tgz#3f85bc5591c6a0d4908404f7e88e3c04f4462039"
98 | integrity sha512-AMdFX6EKJjC0G/CM6hJvkY8wUjCcbdj3Qg7uAQJ7PVejRWaVt0sDTMavbRfgMchx8h8KsAudUCtdFkG9hlEClw==
99 |
100 | "@next/swc-linux-x64-musl@13.4.3":
101 | version "13.4.3"
102 | resolved "https://registry.yarnpkg.com/@next/swc-linux-x64-musl/-/swc-linux-x64-musl-13.4.3.tgz#f4535adc2374a86bc8e43af149b551567df065de"
103 | integrity sha512-jySgSXE48shaLtcQbiFO9ajE9mqz7pcAVLnVLvRIlUHyQYR/WyZdK8ehLs65Mz6j9cLrJM+YdmdJPyV4WDaz2g==
104 |
105 | "@next/swc-win32-arm64-msvc@13.4.3":
106 | version "13.4.3"
107 | resolved "https://registry.yarnpkg.com/@next/swc-win32-arm64-msvc/-/swc-win32-arm64-msvc-13.4.3.tgz#e76106d85391c308c5ed70cda2bca2c582d65536"
108 | integrity sha512-5DxHo8uYcaADiE9pHrg8o28VMt/1kR8voDehmfs9AqS0qSClxAAl+CchjdboUvbCjdNWL1MISCvEfKY2InJ3JA==
109 |
110 | "@next/swc-win32-ia32-msvc@13.4.3":
111 | version "13.4.3"
112 | resolved "https://registry.yarnpkg.com/@next/swc-win32-ia32-msvc/-/swc-win32-ia32-msvc-13.4.3.tgz#8eb5d9dd71ed7a971671291605ad64ad522fb3bc"
113 | integrity sha512-LaqkF3d+GXRA5X6zrUjQUrXm2MN/3E2arXBtn5C7avBCNYfm9G3Xc646AmmmpN3DJZVaMYliMyCIQCMDEzk80w==
114 |
115 | "@next/swc-win32-x64-msvc@13.4.3":
116 | version "13.4.3"
117 | resolved "https://registry.yarnpkg.com/@next/swc-win32-x64-msvc/-/swc-win32-x64-msvc-13.4.3.tgz#c7b2b1b9e158fd7749f8209e68ee8e43a997eb4c"
118 | integrity sha512-jglUk/x7ZWeOJWlVoKyIAkHLTI+qEkOriOOV+3hr1GyiywzcqfI7TpFSiwC7kk1scOiH7NTFKp8mA3XPNO9bDw==
119 |
120 | "@nodelib/fs.scandir@2.1.5":
121 | version "2.1.5"
122 | resolved "https://registry.yarnpkg.com/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz#7619c2eb21b25483f6d167548b4cfd5a7488c3d5"
123 | integrity sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==
124 | dependencies:
125 | "@nodelib/fs.stat" "2.0.5"
126 | run-parallel "^1.1.9"
127 |
128 | "@nodelib/fs.stat@2.0.5", "@nodelib/fs.stat@^2.0.2":
129 | version "2.0.5"
130 | resolved "https://registry.yarnpkg.com/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz#5bd262af94e9d25bd1e71b05deed44876a222e8b"
131 | integrity sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==
132 |
133 | "@nodelib/fs.walk@^1.2.3", "@nodelib/fs.walk@^1.2.8":
134 | version "1.2.8"
135 | resolved "https://registry.yarnpkg.com/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz#e95737e8bb6746ddedf69c556953494f196fe69a"
136 | integrity sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==
137 | dependencies:
138 | "@nodelib/fs.scandir" "2.1.5"
139 | fastq "^1.6.0"
140 |
141 | "@pkgr/utils@^2.3.1":
142 | version "2.4.0"
143 | resolved "https://registry.yarnpkg.com/@pkgr/utils/-/utils-2.4.0.tgz#b6373d2504aedaf2fc7cdf2d13ab1f48fa5f12d5"
144 | integrity sha512-2OCURAmRtdlL8iUDTypMrrxfwe8frXTeXaxGsVOaYtc/wrUyk8Z/0OBetM7cdlsy7ZFWlMX72VogKeh+A4Xcjw==
145 | dependencies:
146 | cross-spawn "^7.0.3"
147 | fast-glob "^3.2.12"
148 | is-glob "^4.0.3"
149 | open "^9.1.0"
150 | picocolors "^1.0.0"
151 | tslib "^2.5.0"
152 |
153 | "@rushstack/eslint-patch@^1.1.3":
154 | version "1.2.0"
155 | resolved "https://registry.yarnpkg.com/@rushstack/eslint-patch/-/eslint-patch-1.2.0.tgz#8be36a1f66f3265389e90b5f9c9962146758f728"
156 | integrity sha512-sXo/qW2/pAcmT43VoRKOJbDOfV3cYpq3szSVfIThQXNt+E4DfKj361vaAt3c88U5tPUxzEswam7GW48PJqtKAg==
157 |
158 | "@swc/helpers@0.5.1":
159 | version "0.5.1"
160 | resolved "https://registry.yarnpkg.com/@swc/helpers/-/helpers-0.5.1.tgz#e9031491aa3f26bfcc974a67f48bd456c8a5357a"
161 | integrity sha512-sJ902EfIzn1Fa+qYmjdQqh8tPsoxyBz+8yBKC2HKUxyezKJFwPGOn7pv4WY6QuQW//ySQi5lJjA/ZT9sNWWNTg==
162 | dependencies:
163 | tslib "^2.4.0"
164 |
165 | "@types/json5@^0.0.29":
166 | version "0.0.29"
167 | resolved "https://registry.yarnpkg.com/@types/json5/-/json5-0.0.29.tgz#ee28707ae94e11d2b827bcbe5270bcea7f3e71ee"
168 | integrity sha512-dRLjCWHYg4oaA77cxO64oO+7JwCwnIzkZPdrrC71jQmQtlhM556pwKo5bUzqvZndkVbeFLIIi+9TC40JNF5hNQ==
169 |
170 | "@types/node@20.2.1":
171 | version "20.2.1"
172 | resolved "https://registry.yarnpkg.com/@types/node/-/node-20.2.1.tgz#de559d4b33be9a808fd43372ccee822c70f39704"
173 | integrity sha512-DqJociPbZP1lbZ5SQPk4oag6W7AyaGMO6gSfRwq3PWl4PXTwJpRQJhDq4W0kzrg3w6tJ1SwlvGZ5uKFHY13LIg==
174 |
175 | "@types/prop-types@*":
176 | version "15.7.5"
177 | resolved "https://registry.yarnpkg.com/@types/prop-types/-/prop-types-15.7.5.tgz#5f19d2b85a98e9558036f6a3cacc8819420f05cf"
178 | integrity sha512-JCB8C6SnDoQf0cNycqd/35A7MjcnK+ZTqE7judS6o7utxUCg6imJg3QK2qzHKszlTjcj2cn+NwMB2i96ubpj7w==
179 |
180 | "@types/react-dom@18.2.4":
181 | version "18.2.4"
182 | resolved "https://registry.yarnpkg.com/@types/react-dom/-/react-dom-18.2.4.tgz#13f25bfbf4e404d26f62ac6e406591451acba9e0"
183 | integrity sha512-G2mHoTMTL4yoydITgOGwWdWMVd8sNgyEP85xVmMKAPUBwQWm9wBPQUmvbeF4V3WBY1P7mmL4BkjQ0SqUpf1snw==
184 | dependencies:
185 | "@types/react" "*"
186 |
187 | "@types/react@*", "@types/react@18.2.6":
188 | version "18.2.6"
189 | resolved "https://registry.yarnpkg.com/@types/react/-/react-18.2.6.tgz#5cd53ee0d30ffc193b159d3516c8c8ad2f19d571"
190 | integrity sha512-wRZClXn//zxCFW+ye/D2qY65UsYP1Fpex2YXorHc8awoNamkMZSvBxwxdYVInsHOZZd2Ppq8isnSzJL5Mpf8OA==
191 | dependencies:
192 | "@types/prop-types" "*"
193 | "@types/scheduler" "*"
194 | csstype "^3.0.2"
195 |
196 | "@types/scheduler@*":
197 | version "0.16.3"
198 | resolved "https://registry.yarnpkg.com/@types/scheduler/-/scheduler-0.16.3.tgz#cef09e3ec9af1d63d2a6cc5b383a737e24e6dcf5"
199 | integrity sha512-5cJ8CB4yAx7BH1oMvdU0Jh9lrEXyPkar6F9G/ERswkCuvP4KQZfZkSjcMbAICCpQTN4OuZn8tz0HiKv9TGZgrQ==
200 |
201 | "@typescript-eslint/parser@^5.42.0":
202 | version "5.59.6"
203 | resolved "https://registry.yarnpkg.com/@typescript-eslint/parser/-/parser-5.59.6.tgz#bd36f71f5a529f828e20b627078d3ed6738dbb40"
204 | integrity sha512-7pCa6al03Pv1yf/dUg/s1pXz/yGMUBAw5EeWqNTFiSueKvRNonze3hma3lhdsOrQcaOXhbk5gKu2Fludiho9VA==
205 | dependencies:
206 | "@typescript-eslint/scope-manager" "5.59.6"
207 | "@typescript-eslint/types" "5.59.6"
208 | "@typescript-eslint/typescript-estree" "5.59.6"
209 | debug "^4.3.4"
210 |
211 | "@typescript-eslint/scope-manager@5.59.6":
212 | version "5.59.6"
213 | resolved "https://registry.yarnpkg.com/@typescript-eslint/scope-manager/-/scope-manager-5.59.6.tgz#d43a3687aa4433868527cfe797eb267c6be35f19"
214 | integrity sha512-gLbY3Le9Dxcb8KdpF0+SJr6EQ+hFGYFl6tVY8VxLPFDfUZC7BHFw+Vq7bM5lE9DwWPfx4vMWWTLGXgpc0mAYyQ==
215 | dependencies:
216 | "@typescript-eslint/types" "5.59.6"
217 | "@typescript-eslint/visitor-keys" "5.59.6"
218 |
219 | "@typescript-eslint/types@5.59.6":
220 | version "5.59.6"
221 | resolved "https://registry.yarnpkg.com/@typescript-eslint/types/-/types-5.59.6.tgz#5a6557a772af044afe890d77c6a07e8c23c2460b"
222 | integrity sha512-tH5lBXZI7T2MOUgOWFdVNUILsI02shyQvfzG9EJkoONWugCG77NDDa1EeDGw7oJ5IvsTAAGVV8I3Tk2PNu9QfA==
223 |
224 | "@typescript-eslint/typescript-estree@5.59.6":
225 | version "5.59.6"
226 | resolved "https://registry.yarnpkg.com/@typescript-eslint/typescript-estree/-/typescript-estree-5.59.6.tgz#2fb80522687bd3825504925ea7e1b8de7bb6251b"
227 | integrity sha512-vW6JP3lMAs/Tq4KjdI/RiHaaJSO7IUsbkz17it/Rl9Q+WkQ77EOuOnlbaU8kKfVIOJxMhnRiBG+olE7f3M16DA==
228 | dependencies:
229 | "@typescript-eslint/types" "5.59.6"
230 | "@typescript-eslint/visitor-keys" "5.59.6"
231 | debug "^4.3.4"
232 | globby "^11.1.0"
233 | is-glob "^4.0.3"
234 | semver "^7.3.7"
235 | tsutils "^3.21.0"
236 |
237 | "@typescript-eslint/visitor-keys@5.59.6":
238 | version "5.59.6"
239 | resolved "https://registry.yarnpkg.com/@typescript-eslint/visitor-keys/-/visitor-keys-5.59.6.tgz#673fccabf28943847d0c8e9e8d008e3ada7be6bb"
240 | integrity sha512-zEfbFLzB9ETcEJ4HZEEsCR9HHeNku5/Qw1jSS5McYJv5BR+ftYXwFFAH5Al+xkGaZEqowMwl7uoJjQb1YSPF8Q==
241 | dependencies:
242 | "@typescript-eslint/types" "5.59.6"
243 | eslint-visitor-keys "^3.3.0"
244 |
245 | acorn-jsx@^5.3.2:
246 | version "5.3.2"
247 | resolved "https://registry.yarnpkg.com/acorn-jsx/-/acorn-jsx-5.3.2.tgz#7ed5bb55908b3b2f1bc55c6af1653bada7f07937"
248 | integrity sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==
249 |
250 | acorn@^8.8.0:
251 | version "8.8.2"
252 | resolved "https://registry.yarnpkg.com/acorn/-/acorn-8.8.2.tgz#1b2f25db02af965399b9776b0c2c391276d37c4a"
253 | integrity sha512-xjIYgE8HBrkpd/sJqOGNspf8uHG+NOHGOw6a/Urj8taM2EXfdNAH2oFcPeIFfsv3+kz/mJrS5VuMqbNLjCa2vw==
254 |
255 | ajv@^6.10.0, ajv@^6.12.4:
256 | version "6.12.6"
257 | resolved "https://registry.yarnpkg.com/ajv/-/ajv-6.12.6.tgz#baf5a62e802b07d977034586f8c3baf5adf26df4"
258 | integrity sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==
259 | dependencies:
260 | fast-deep-equal "^3.1.1"
261 | fast-json-stable-stringify "^2.0.0"
262 | json-schema-traverse "^0.4.1"
263 | uri-js "^4.2.2"
264 |
265 | ansi-regex@^5.0.1:
266 | version "5.0.1"
267 | resolved "https://registry.yarnpkg.com/ansi-regex/-/ansi-regex-5.0.1.tgz#082cb2c89c9fe8659a311a53bd6a4dc5301db304"
268 | integrity sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==
269 |
270 | ansi-styles@^4.1.0:
271 | version "4.3.0"
272 | resolved "https://registry.yarnpkg.com/ansi-styles/-/ansi-styles-4.3.0.tgz#edd803628ae71c04c85ae7a0906edad34b648937"
273 | integrity sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==
274 | dependencies:
275 | color-convert "^2.0.1"
276 |
277 | argparse@^2.0.1:
278 | version "2.0.1"
279 | resolved "https://registry.yarnpkg.com/argparse/-/argparse-2.0.1.tgz#246f50f3ca78a3240f6c997e8a9bd1eac49e4b38"
280 | integrity sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==
281 |
282 | aria-query@^5.1.3:
283 | version "5.1.3"
284 | resolved "https://registry.yarnpkg.com/aria-query/-/aria-query-5.1.3.tgz#19db27cd101152773631396f7a95a3b58c22c35e"
285 | integrity sha512-R5iJ5lkuHybztUfuOAznmboyjWq8O6sqNqtK7CLOqdydi54VNbORp49mb14KbWgG1QD3JFO9hJdZ+y4KutfdOQ==
286 | dependencies:
287 | deep-equal "^2.0.5"
288 |
289 | array-buffer-byte-length@^1.0.0:
290 | version "1.0.0"
291 | resolved "https://registry.yarnpkg.com/array-buffer-byte-length/-/array-buffer-byte-length-1.0.0.tgz#fabe8bc193fea865f317fe7807085ee0dee5aead"
292 | integrity sha512-LPuwb2P+NrQw3XhxGc36+XSvuBPopovXYTR9Ew++Du9Yb/bx5AzBfrIsBoj0EZUifjQU+sHL21sseZ3jerWO/A==
293 | dependencies:
294 | call-bind "^1.0.2"
295 | is-array-buffer "^3.0.1"
296 |
297 | array-includes@^3.1.5, array-includes@^3.1.6:
298 | version "3.1.6"
299 | resolved "https://registry.yarnpkg.com/array-includes/-/array-includes-3.1.6.tgz#9e9e720e194f198266ba9e18c29e6a9b0e4b225f"
300 | integrity sha512-sgTbLvL6cNnw24FnbaDyjmvddQ2ML8arZsgaJhoABMoplz/4QRhtrYS+alr1BUM1Bwp6dhx8vVCBSLG+StwOFw==
301 | dependencies:
302 | call-bind "^1.0.2"
303 | define-properties "^1.1.4"
304 | es-abstract "^1.20.4"
305 | get-intrinsic "^1.1.3"
306 | is-string "^1.0.7"
307 |
308 | array-union@^2.1.0:
309 | version "2.1.0"
310 | resolved "https://registry.yarnpkg.com/array-union/-/array-union-2.1.0.tgz#b798420adbeb1de828d84acd8a2e23d3efe85e8d"
311 | integrity sha512-HGyxoOTYUyCM6stUe6EJgnd4EoewAI7zMdfqO+kGjnlZmBDz/cR5pf8r/cR4Wq60sL/p0IkcjUEEPwS3GFrIyw==
312 |
313 | array.prototype.flat@^1.3.1:
314 | version "1.3.1"
315 | resolved "https://registry.yarnpkg.com/array.prototype.flat/-/array.prototype.flat-1.3.1.tgz#ffc6576a7ca3efc2f46a143b9d1dda9b4b3cf5e2"
316 | integrity sha512-roTU0KWIOmJ4DRLmwKd19Otg0/mT3qPNt0Qb3GWW8iObuZXxrjB/pzn0R3hqpRSWg4HCwqx+0vwOnWnvlOyeIA==
317 | dependencies:
318 | call-bind "^1.0.2"
319 | define-properties "^1.1.4"
320 | es-abstract "^1.20.4"
321 | es-shim-unscopables "^1.0.0"
322 |
323 | array.prototype.flatmap@^1.3.1:
324 | version "1.3.1"
325 | resolved "https://registry.yarnpkg.com/array.prototype.flatmap/-/array.prototype.flatmap-1.3.1.tgz#1aae7903c2100433cb8261cd4ed310aab5c4a183"
326 | integrity sha512-8UGn9O1FDVvMNB0UlLv4voxRMze7+FpHyF5mSMRjWHUMlpoDViniy05870VlxhfgTnLbpuwTzvD76MTtWxB/mQ==
327 | dependencies:
328 | call-bind "^1.0.2"
329 | define-properties "^1.1.4"
330 | es-abstract "^1.20.4"
331 | es-shim-unscopables "^1.0.0"
332 |
333 | array.prototype.tosorted@^1.1.1:
334 | version "1.1.1"
335 | resolved "https://registry.yarnpkg.com/array.prototype.tosorted/-/array.prototype.tosorted-1.1.1.tgz#ccf44738aa2b5ac56578ffda97c03fd3e23dd532"
336 | integrity sha512-pZYPXPRl2PqWcsUs6LOMn+1f1532nEoPTYowBtqLwAW+W8vSVhkIGnmOX1t/UQjD6YGI0vcD2B1U7ZFGQH9jnQ==
337 | dependencies:
338 | call-bind "^1.0.2"
339 | define-properties "^1.1.4"
340 | es-abstract "^1.20.4"
341 | es-shim-unscopables "^1.0.0"
342 | get-intrinsic "^1.1.3"
343 |
344 | ast-types-flow@^0.0.7:
345 | version "0.0.7"
346 | resolved "https://registry.yarnpkg.com/ast-types-flow/-/ast-types-flow-0.0.7.tgz#f70b735c6bca1a5c9c22d982c3e39e7feba3bdad"
347 | integrity sha512-eBvWn1lvIApYMhzQMsu9ciLfkBY499mFZlNqG+/9WR7PVlroQw0vG30cOQQbaKz3sCEc44TAOu2ykzqXSNnwag==
348 |
349 | available-typed-arrays@^1.0.5:
350 | version "1.0.5"
351 | resolved "https://registry.yarnpkg.com/available-typed-arrays/-/available-typed-arrays-1.0.5.tgz#92f95616501069d07d10edb2fc37d3e1c65123b7"
352 | integrity sha512-DMD0KiN46eipeziST1LPP/STfDU0sufISXmjSgvVsoU2tqxctQeASejWcfNtxYKqETM1UxQ8sp2OrSBWpHY6sw==
353 |
354 | axe-core@^4.6.2:
355 | version "4.7.1"
356 | resolved "https://registry.yarnpkg.com/axe-core/-/axe-core-4.7.1.tgz#04392c9ccb3d7d7c5d2f8684f148d56d3442f33d"
357 | integrity sha512-sCXXUhA+cljomZ3ZAwb8i1p3oOlkABzPy08ZDAoGcYuvtBPlQ1Ytde129ArXyHWDhfeewq7rlx9F+cUx2SSlkg==
358 |
359 | axobject-query@^3.1.1:
360 | version "3.1.1"
361 | resolved "https://registry.yarnpkg.com/axobject-query/-/axobject-query-3.1.1.tgz#3b6e5c6d4e43ca7ba51c5babf99d22a9c68485e1"
362 | integrity sha512-goKlv8DZrK9hUh975fnHzhNIO4jUnFCfv/dszV5VwUGDFjI6vQ2VwoyjYjYNEbBE8AH87TduWP5uyDR1D+Iteg==
363 | dependencies:
364 | deep-equal "^2.0.5"
365 |
366 | balanced-match@^1.0.0:
367 | version "1.0.2"
368 | resolved "https://registry.yarnpkg.com/balanced-match/-/balanced-match-1.0.2.tgz#e83e3a7e3f300b34cb9d87f615fa0cbf357690ee"
369 | integrity sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==
370 |
371 | big-integer@^1.6.44:
372 | version "1.6.51"
373 | resolved "https://registry.yarnpkg.com/big-integer/-/big-integer-1.6.51.tgz#0df92a5d9880560d3ff2d5fd20245c889d130686"
374 | integrity sha512-GPEid2Y9QU1Exl1rpO9B2IPJGHPSupF5GnVIP0blYvNOMer2bTvSWs1jGOUg04hTmu67nmLsQ9TBo1puaotBHg==
375 |
376 | bplist-parser@^0.2.0:
377 | version "0.2.0"
378 | resolved "https://registry.yarnpkg.com/bplist-parser/-/bplist-parser-0.2.0.tgz#43a9d183e5bf9d545200ceac3e712f79ebbe8d0e"
379 | integrity sha512-z0M+byMThzQmD9NILRniCUXYsYpjwnlO8N5uCFaCqIOpqRsJCrQL9NK3JsD67CN5a08nF5oIL2bD6loTdHOuKw==
380 | dependencies:
381 | big-integer "^1.6.44"
382 |
383 | brace-expansion@^1.1.7:
384 | version "1.1.11"
385 | resolved "https://registry.yarnpkg.com/brace-expansion/-/brace-expansion-1.1.11.tgz#3c7fcbf529d87226f3d2f52b966ff5271eb441dd"
386 | integrity sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==
387 | dependencies:
388 | balanced-match "^1.0.0"
389 | concat-map "0.0.1"
390 |
391 | braces@^3.0.2:
392 | version "3.0.2"
393 | resolved "https://registry.yarnpkg.com/braces/-/braces-3.0.2.tgz#3454e1a462ee8d599e236df336cd9ea4f8afe107"
394 | integrity sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==
395 | dependencies:
396 | fill-range "^7.0.1"
397 |
398 | bundle-name@^3.0.0:
399 | version "3.0.0"
400 | resolved "https://registry.yarnpkg.com/bundle-name/-/bundle-name-3.0.0.tgz#ba59bcc9ac785fb67ccdbf104a2bf60c099f0e1a"
401 | integrity sha512-PKA4BeSvBpQKQ8iPOGCSiell+N8P+Tf1DlwqmYhpe2gAhKPHn8EYOxVT+ShuGmhg8lN8XiSlS80yiExKXrURlw==
402 | dependencies:
403 | run-applescript "^5.0.0"
404 |
405 | busboy@1.6.0:
406 | version "1.6.0"
407 | resolved "https://registry.yarnpkg.com/busboy/-/busboy-1.6.0.tgz#966ea36a9502e43cdb9146962523b92f531f6893"
408 | integrity sha512-8SFQbg/0hQ9xy3UNTB0YEnsNBbWfhf7RtnzpL7TkBiTBRfrQ9Fxcnz7VJsleJpyp6rVLvXiuORqjlHi5q+PYuA==
409 | dependencies:
410 | streamsearch "^1.1.0"
411 |
412 | call-bind@^1.0.0, call-bind@^1.0.2:
413 | version "1.0.2"
414 | resolved "https://registry.yarnpkg.com/call-bind/-/call-bind-1.0.2.tgz#b1d4e89e688119c3c9a903ad30abb2f6a919be3c"
415 | integrity sha512-7O+FbCihrB5WGbFYesctwmTKae6rOiIzmz1icreWJ+0aA7LJfuqhEso2T9ncpcFtzMQtzXf2QGGueWJGTYsqrA==
416 | dependencies:
417 | function-bind "^1.1.1"
418 | get-intrinsic "^1.0.2"
419 |
420 | callsites@^3.0.0:
421 | version "3.1.0"
422 | resolved "https://registry.yarnpkg.com/callsites/-/callsites-3.1.0.tgz#b3630abd8943432f54b3f0519238e33cd7df2f73"
423 | integrity sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ==
424 |
425 | caniuse-lite@^1.0.30001406:
426 | version "1.0.30001488"
427 | resolved "https://registry.yarnpkg.com/caniuse-lite/-/caniuse-lite-1.0.30001488.tgz#d19d7b6e913afae3e98f023db97c19e9ddc5e91f"
428 | integrity sha512-NORIQuuL4xGpIy6iCCQGN4iFjlBXtfKWIenlUuyZJumLRIindLb7wXM+GO8erEhb7vXfcnf4BAg2PrSDN5TNLQ==
429 |
430 | chalk@^4.0.0:
431 | version "4.1.2"
432 | resolved "https://registry.yarnpkg.com/chalk/-/chalk-4.1.2.tgz#aac4e2b7734a740867aeb16bf02aad556a1e7a01"
433 | integrity sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==
434 | dependencies:
435 | ansi-styles "^4.1.0"
436 | supports-color "^7.1.0"
437 |
438 | client-only@0.0.1:
439 | version "0.0.1"
440 | resolved "https://registry.yarnpkg.com/client-only/-/client-only-0.0.1.tgz#38bba5d403c41ab150bff64a95c85013cf73bca1"
441 | integrity sha512-IV3Ou0jSMzZrd3pZ48nLkT9DA7Ag1pnPzaiQhpW7c3RbcqqzvzzVu+L8gfqMp/8IM2MQtSiqaCxrrcfu8I8rMA==
442 |
443 | color-convert@^2.0.1:
444 | version "2.0.1"
445 | resolved "https://registry.yarnpkg.com/color-convert/-/color-convert-2.0.1.tgz#72d3a68d598c9bdb3af2ad1e84f21d896abd4de3"
446 | integrity sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==
447 | dependencies:
448 | color-name "~1.1.4"
449 |
450 | color-name@~1.1.4:
451 | version "1.1.4"
452 | resolved "https://registry.yarnpkg.com/color-name/-/color-name-1.1.4.tgz#c2a09a87acbde69543de6f63fa3995c826c536a2"
453 | integrity sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==
454 |
455 | concat-map@0.0.1:
456 | version "0.0.1"
457 | resolved "https://registry.yarnpkg.com/concat-map/-/concat-map-0.0.1.tgz#d8a96bd77fd68df7793a73036a3ba0d5405d477b"
458 | integrity sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==
459 |
460 | cross-spawn@^7.0.2, cross-spawn@^7.0.3:
461 | version "7.0.3"
462 | resolved "https://registry.yarnpkg.com/cross-spawn/-/cross-spawn-7.0.3.tgz#f73a85b9d5d41d045551c177e2882d4ac85728a6"
463 | integrity sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==
464 | dependencies:
465 | path-key "^3.1.0"
466 | shebang-command "^2.0.0"
467 | which "^2.0.1"
468 |
469 | csstype@^3.0.2:
470 | version "3.1.2"
471 | resolved "https://registry.yarnpkg.com/csstype/-/csstype-3.1.2.tgz#1d4bf9d572f11c14031f0436e1c10bc1f571f50b"
472 | integrity sha512-I7K1Uu0MBPzaFKg4nI5Q7Vs2t+3gWWW648spaF+Rg7pI9ds18Ugn+lvg4SHczUdKlHI5LWBXyqfS8+DufyBsgQ==
473 |
474 | damerau-levenshtein@^1.0.8:
475 | version "1.0.8"
476 | resolved "https://registry.yarnpkg.com/damerau-levenshtein/-/damerau-levenshtein-1.0.8.tgz#b43d286ccbd36bc5b2f7ed41caf2d0aba1f8a6e7"
477 | integrity sha512-sdQSFB7+llfUcQHUQO3+B8ERRj0Oa4w9POWMI/puGtuf7gFywGmkaLCElnudfTiKZV+NvHqL0ifzdrI8Ro7ESA==
478 |
479 | debug@^3.2.7:
480 | version "3.2.7"
481 | resolved "https://registry.yarnpkg.com/debug/-/debug-3.2.7.tgz#72580b7e9145fb39b6676f9c5e5fb100b934179a"
482 | integrity sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ==
483 | dependencies:
484 | ms "^2.1.1"
485 |
486 | debug@^4.1.1, debug@^4.3.2, debug@^4.3.4:
487 | version "4.3.4"
488 | resolved "https://registry.yarnpkg.com/debug/-/debug-4.3.4.tgz#1319f6579357f2338d3337d2cdd4914bb5dcc865"
489 | integrity sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==
490 | dependencies:
491 | ms "2.1.2"
492 |
493 | deep-equal@^2.0.5:
494 | version "2.2.1"
495 | resolved "https://registry.yarnpkg.com/deep-equal/-/deep-equal-2.2.1.tgz#c72ab22f3a7d3503a4ca87dde976fe9978816739"
496 | integrity sha512-lKdkdV6EOGoVn65XaOsPdH4rMxTZOnmFyuIkMjM1i5HHCbfjC97dawgTAy0deYNfuqUqW+Q5VrVaQYtUpSd6yQ==
497 | dependencies:
498 | array-buffer-byte-length "^1.0.0"
499 | call-bind "^1.0.2"
500 | es-get-iterator "^1.1.3"
501 | get-intrinsic "^1.2.0"
502 | is-arguments "^1.1.1"
503 | is-array-buffer "^3.0.2"
504 | is-date-object "^1.0.5"
505 | is-regex "^1.1.4"
506 | is-shared-array-buffer "^1.0.2"
507 | isarray "^2.0.5"
508 | object-is "^1.1.5"
509 | object-keys "^1.1.1"
510 | object.assign "^4.1.4"
511 | regexp.prototype.flags "^1.5.0"
512 | side-channel "^1.0.4"
513 | which-boxed-primitive "^1.0.2"
514 | which-collection "^1.0.1"
515 | which-typed-array "^1.1.9"
516 |
517 | deep-is@^0.1.3:
518 | version "0.1.4"
519 | resolved "https://registry.yarnpkg.com/deep-is/-/deep-is-0.1.4.tgz#a6f2dce612fadd2ef1f519b73551f17e85199831"
520 | integrity sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==
521 |
522 | default-browser-id@^3.0.0:
523 | version "3.0.0"
524 | resolved "https://registry.yarnpkg.com/default-browser-id/-/default-browser-id-3.0.0.tgz#bee7bbbef1f4e75d31f98f4d3f1556a14cea790c"
525 | integrity sha512-OZ1y3y0SqSICtE8DE4S8YOE9UZOJ8wO16fKWVP5J1Qz42kV9jcnMVFrEE/noXb/ss3Q4pZIH79kxofzyNNtUNA==
526 | dependencies:
527 | bplist-parser "^0.2.0"
528 | untildify "^4.0.0"
529 |
530 | default-browser@^4.0.0:
531 | version "4.0.0"
532 | resolved "https://registry.yarnpkg.com/default-browser/-/default-browser-4.0.0.tgz#53c9894f8810bf86696de117a6ce9085a3cbc7da"
533 | integrity sha512-wX5pXO1+BrhMkSbROFsyxUm0i/cJEScyNhA4PPxc41ICuv05ZZB/MX28s8aZx6xjmatvebIapF6hLEKEcpneUA==
534 | dependencies:
535 | bundle-name "^3.0.0"
536 | default-browser-id "^3.0.0"
537 | execa "^7.1.1"
538 | titleize "^3.0.0"
539 |
540 | define-lazy-prop@^3.0.0:
541 | version "3.0.0"
542 | resolved "https://registry.yarnpkg.com/define-lazy-prop/-/define-lazy-prop-3.0.0.tgz#dbb19adfb746d7fc6d734a06b72f4a00d021255f"
543 | integrity sha512-N+MeXYoqr3pOgn8xfyRPREN7gHakLYjhsHhWGT3fWAiL4IkAt0iDw14QiiEm2bE30c5XX5q0FtAA3CK5f9/BUg==
544 |
545 | define-properties@^1.1.3, define-properties@^1.1.4, define-properties@^1.2.0:
546 | version "1.2.0"
547 | resolved "https://registry.yarnpkg.com/define-properties/-/define-properties-1.2.0.tgz#52988570670c9eacedd8064f4a990f2405849bd5"
548 | integrity sha512-xvqAVKGfT1+UAvPwKTVw/njhdQ8ZhXK4lI0bCIuCMrp2up9nPnaDftrLtmpTazqd1o+UY4zgzU+avtMbDP+ldA==
549 | dependencies:
550 | has-property-descriptors "^1.0.0"
551 | object-keys "^1.1.1"
552 |
553 | dir-glob@^3.0.1:
554 | version "3.0.1"
555 | resolved "https://registry.yarnpkg.com/dir-glob/-/dir-glob-3.0.1.tgz#56dbf73d992a4a93ba1584f4534063fd2e41717f"
556 | integrity sha512-WkrWp9GR4KXfKGYzOLmTuGVi1UWFfws377n9cc55/tb6DuqyF6pcQ5AbiHEshaDpY9v6oaSr2XCDidGmMwdzIA==
557 | dependencies:
558 | path-type "^4.0.0"
559 |
560 | doctrine@^2.1.0:
561 | version "2.1.0"
562 | resolved "https://registry.yarnpkg.com/doctrine/-/doctrine-2.1.0.tgz#5cd01fc101621b42c4cd7f5d1a66243716d3f39d"
563 | integrity sha512-35mSku4ZXK0vfCuHEDAwt55dg2jNajHZ1odvF+8SSr82EsZY4QmXfuWso8oEd8zRhVObSN18aM0CjSdoBX7zIw==
564 | dependencies:
565 | esutils "^2.0.2"
566 |
567 | doctrine@^3.0.0:
568 | version "3.0.0"
569 | resolved "https://registry.yarnpkg.com/doctrine/-/doctrine-3.0.0.tgz#addebead72a6574db783639dc87a121773973961"
570 | integrity sha512-yS+Q5i3hBf7GBkd4KG8a7eBNNWNGLTaEwwYWUijIYM7zrlYDM0BFXHjjPWlWZ1Rg7UaddZeIDmi9jF3HmqiQ2w==
571 | dependencies:
572 | esutils "^2.0.2"
573 |
574 | emoji-regex@^9.2.2:
575 | version "9.2.2"
576 | resolved "https://registry.yarnpkg.com/emoji-regex/-/emoji-regex-9.2.2.tgz#840c8803b0d8047f4ff0cf963176b32d4ef3ed72"
577 | integrity sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==
578 |
579 | enhanced-resolve@^5.12.0:
580 | version "5.14.0"
581 | resolved "https://registry.yarnpkg.com/enhanced-resolve/-/enhanced-resolve-5.14.0.tgz#0b6c676c8a3266c99fa281e4433a706f5c0c61c4"
582 | integrity sha512-+DCows0XNwLDcUhbFJPdlQEVnT2zXlCv7hPxemTz86/O+B/hCQ+mb7ydkPKiflpVraqLPCAfu7lDy+hBXueojw==
583 | dependencies:
584 | graceful-fs "^4.2.4"
585 | tapable "^2.2.0"
586 |
587 | es-abstract@^1.19.0, es-abstract@^1.20.4:
588 | version "1.21.2"
589 | resolved "https://registry.yarnpkg.com/es-abstract/-/es-abstract-1.21.2.tgz#a56b9695322c8a185dc25975aa3b8ec31d0e7eff"
590 | integrity sha512-y/B5POM2iBnIxCiernH1G7rC9qQoM77lLIMQLuob0zhp8C56Po81+2Nj0WFKnd0pNReDTnkYryc+zhOzpEIROg==
591 | dependencies:
592 | array-buffer-byte-length "^1.0.0"
593 | available-typed-arrays "^1.0.5"
594 | call-bind "^1.0.2"
595 | es-set-tostringtag "^2.0.1"
596 | es-to-primitive "^1.2.1"
597 | function.prototype.name "^1.1.5"
598 | get-intrinsic "^1.2.0"
599 | get-symbol-description "^1.0.0"
600 | globalthis "^1.0.3"
601 | gopd "^1.0.1"
602 | has "^1.0.3"
603 | has-property-descriptors "^1.0.0"
604 | has-proto "^1.0.1"
605 | has-symbols "^1.0.3"
606 | internal-slot "^1.0.5"
607 | is-array-buffer "^3.0.2"
608 | is-callable "^1.2.7"
609 | is-negative-zero "^2.0.2"
610 | is-regex "^1.1.4"
611 | is-shared-array-buffer "^1.0.2"
612 | is-string "^1.0.7"
613 | is-typed-array "^1.1.10"
614 | is-weakref "^1.0.2"
615 | object-inspect "^1.12.3"
616 | object-keys "^1.1.1"
617 | object.assign "^4.1.4"
618 | regexp.prototype.flags "^1.4.3"
619 | safe-regex-test "^1.0.0"
620 | string.prototype.trim "^1.2.7"
621 | string.prototype.trimend "^1.0.6"
622 | string.prototype.trimstart "^1.0.6"
623 | typed-array-length "^1.0.4"
624 | unbox-primitive "^1.0.2"
625 | which-typed-array "^1.1.9"
626 |
627 | es-get-iterator@^1.1.3:
628 | version "1.1.3"
629 | resolved "https://registry.yarnpkg.com/es-get-iterator/-/es-get-iterator-1.1.3.tgz#3ef87523c5d464d41084b2c3c9c214f1199763d6"
630 | integrity sha512-sPZmqHBe6JIiTfN5q2pEi//TwxmAFHwj/XEuYjTuse78i8KxaqMTTzxPoFKuzRpDpTJ+0NAbpfenkmH2rePtuw==
631 | dependencies:
632 | call-bind "^1.0.2"
633 | get-intrinsic "^1.1.3"
634 | has-symbols "^1.0.3"
635 | is-arguments "^1.1.1"
636 | is-map "^2.0.2"
637 | is-set "^2.0.2"
638 | is-string "^1.0.7"
639 | isarray "^2.0.5"
640 | stop-iteration-iterator "^1.0.0"
641 |
642 | es-set-tostringtag@^2.0.1:
643 | version "2.0.1"
644 | resolved "https://registry.yarnpkg.com/es-set-tostringtag/-/es-set-tostringtag-2.0.1.tgz#338d502f6f674301d710b80c8592de8a15f09cd8"
645 | integrity sha512-g3OMbtlwY3QewlqAiMLI47KywjWZoEytKr8pf6iTC8uJq5bIAH52Z9pnQ8pVL6whrCto53JZDuUIsifGeLorTg==
646 | dependencies:
647 | get-intrinsic "^1.1.3"
648 | has "^1.0.3"
649 | has-tostringtag "^1.0.0"
650 |
651 | es-shim-unscopables@^1.0.0:
652 | version "1.0.0"
653 | resolved "https://registry.yarnpkg.com/es-shim-unscopables/-/es-shim-unscopables-1.0.0.tgz#702e632193201e3edf8713635d083d378e510241"
654 | integrity sha512-Jm6GPcCdC30eMLbZ2x8z2WuRwAws3zTBBKuusffYVUrNj/GVSUAZ+xKMaUpfNDR5IbyNA5LJbaecoUVbmUcB1w==
655 | dependencies:
656 | has "^1.0.3"
657 |
658 | es-to-primitive@^1.2.1:
659 | version "1.2.1"
660 | resolved "https://registry.yarnpkg.com/es-to-primitive/-/es-to-primitive-1.2.1.tgz#e55cd4c9cdc188bcefb03b366c736323fc5c898a"
661 | integrity sha512-QCOllgZJtaUo9miYBcLChTUaHNjJF3PYs1VidD7AwiEj1kYxKeQTctLAezAOH5ZKRH0g2IgPn6KwB4IT8iRpvA==
662 | dependencies:
663 | is-callable "^1.1.4"
664 | is-date-object "^1.0.1"
665 | is-symbol "^1.0.2"
666 |
667 | escape-string-regexp@^4.0.0:
668 | version "4.0.0"
669 | resolved "https://registry.yarnpkg.com/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz#14ba83a5d373e3d311e5afca29cf5bfad965bf34"
670 | integrity sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA==
671 |
672 | eslint-config-next@13.4.3:
673 | version "13.4.3"
674 | resolved "https://registry.yarnpkg.com/eslint-config-next/-/eslint-config-next-13.4.3.tgz#15fccfddd69a2634e8939dba6a428362e09cbb21"
675 | integrity sha512-1lXwdFi29fKxzeugof/TUE7lpHyJQt5+U4LaUHyvQfHjvsWO77vFNicJv5sX6k0VDVSbnfz0lw+avxI+CinbMg==
676 | dependencies:
677 | "@next/eslint-plugin-next" "13.4.3"
678 | "@rushstack/eslint-patch" "^1.1.3"
679 | "@typescript-eslint/parser" "^5.42.0"
680 | eslint-import-resolver-node "^0.3.6"
681 | eslint-import-resolver-typescript "^3.5.2"
682 | eslint-plugin-import "^2.26.0"
683 | eslint-plugin-jsx-a11y "^6.5.1"
684 | eslint-plugin-react "^7.31.7"
685 | eslint-plugin-react-hooks "^4.5.0"
686 |
687 | eslint-import-resolver-node@^0.3.6, eslint-import-resolver-node@^0.3.7:
688 | version "0.3.7"
689 | resolved "https://registry.yarnpkg.com/eslint-import-resolver-node/-/eslint-import-resolver-node-0.3.7.tgz#83b375187d412324a1963d84fa664377a23eb4d7"
690 | integrity sha512-gozW2blMLJCeFpBwugLTGyvVjNoeo1knonXAcatC6bjPBZitotxdWf7Gimr25N4c0AAOo4eOUfaG82IJPDpqCA==
691 | dependencies:
692 | debug "^3.2.7"
693 | is-core-module "^2.11.0"
694 | resolve "^1.22.1"
695 |
696 | eslint-import-resolver-typescript@^3.5.2:
697 | version "3.5.5"
698 | resolved "https://registry.yarnpkg.com/eslint-import-resolver-typescript/-/eslint-import-resolver-typescript-3.5.5.tgz#0a9034ae7ed94b254a360fbea89187b60ea7456d"
699 | integrity sha512-TdJqPHs2lW5J9Zpe17DZNQuDnox4xo2o+0tE7Pggain9Rbc19ik8kFtXdxZ250FVx2kF4vlt2RSf4qlUpG7bhw==
700 | dependencies:
701 | debug "^4.3.4"
702 | enhanced-resolve "^5.12.0"
703 | eslint-module-utils "^2.7.4"
704 | get-tsconfig "^4.5.0"
705 | globby "^13.1.3"
706 | is-core-module "^2.11.0"
707 | is-glob "^4.0.3"
708 | synckit "^0.8.5"
709 |
710 | eslint-module-utils@^2.7.4:
711 | version "2.8.0"
712 | resolved "https://registry.yarnpkg.com/eslint-module-utils/-/eslint-module-utils-2.8.0.tgz#e439fee65fc33f6bba630ff621efc38ec0375c49"
713 | integrity sha512-aWajIYfsqCKRDgUfjEXNN/JlrzauMuSEy5sbd7WXbtW3EH6A6MpwEh42c7qD+MqQo9QMJ6fWLAeIJynx0g6OAw==
714 | dependencies:
715 | debug "^3.2.7"
716 |
717 | eslint-plugin-import@^2.26.0:
718 | version "2.27.5"
719 | resolved "https://registry.yarnpkg.com/eslint-plugin-import/-/eslint-plugin-import-2.27.5.tgz#876a6d03f52608a3e5bb439c2550588e51dd6c65"
720 | integrity sha512-LmEt3GVofgiGuiE+ORpnvP+kAm3h6MLZJ4Q5HCyHADofsb4VzXFsRiWj3c0OFiV+3DWFh0qg3v9gcPlfc3zRow==
721 | dependencies:
722 | array-includes "^3.1.6"
723 | array.prototype.flat "^1.3.1"
724 | array.prototype.flatmap "^1.3.1"
725 | debug "^3.2.7"
726 | doctrine "^2.1.0"
727 | eslint-import-resolver-node "^0.3.7"
728 | eslint-module-utils "^2.7.4"
729 | has "^1.0.3"
730 | is-core-module "^2.11.0"
731 | is-glob "^4.0.3"
732 | minimatch "^3.1.2"
733 | object.values "^1.1.6"
734 | resolve "^1.22.1"
735 | semver "^6.3.0"
736 | tsconfig-paths "^3.14.1"
737 |
738 | eslint-plugin-jsx-a11y@^6.5.1:
739 | version "6.7.1"
740 | resolved "https://registry.yarnpkg.com/eslint-plugin-jsx-a11y/-/eslint-plugin-jsx-a11y-6.7.1.tgz#fca5e02d115f48c9a597a6894d5bcec2f7a76976"
741 | integrity sha512-63Bog4iIethyo8smBklORknVjB0T2dwB8Mr/hIC+fBS0uyHdYYpzM/Ed+YC8VxTjlXHEWFOdmgwcDn1U2L9VCA==
742 | dependencies:
743 | "@babel/runtime" "^7.20.7"
744 | aria-query "^5.1.3"
745 | array-includes "^3.1.6"
746 | array.prototype.flatmap "^1.3.1"
747 | ast-types-flow "^0.0.7"
748 | axe-core "^4.6.2"
749 | axobject-query "^3.1.1"
750 | damerau-levenshtein "^1.0.8"
751 | emoji-regex "^9.2.2"
752 | has "^1.0.3"
753 | jsx-ast-utils "^3.3.3"
754 | language-tags "=1.0.5"
755 | minimatch "^3.1.2"
756 | object.entries "^1.1.6"
757 | object.fromentries "^2.0.6"
758 | semver "^6.3.0"
759 |
760 | eslint-plugin-react-hooks@^4.5.0:
761 | version "4.6.0"
762 | resolved "https://registry.yarnpkg.com/eslint-plugin-react-hooks/-/eslint-plugin-react-hooks-4.6.0.tgz#4c3e697ad95b77e93f8646aaa1630c1ba607edd3"
763 | integrity sha512-oFc7Itz9Qxh2x4gNHStv3BqJq54ExXmfC+a1NjAta66IAN87Wu0R/QArgIS9qKzX3dXKPI9H5crl9QchNMY9+g==
764 |
765 | eslint-plugin-react@^7.31.7:
766 | version "7.32.2"
767 | resolved "https://registry.yarnpkg.com/eslint-plugin-react/-/eslint-plugin-react-7.32.2.tgz#e71f21c7c265ebce01bcbc9d0955170c55571f10"
768 | integrity sha512-t2fBMa+XzonrrNkyVirzKlvn5RXzzPwRHtMvLAtVZrt8oxgnTQaYbU6SXTOO1mwQgp1y5+toMSKInnzGr0Knqg==
769 | dependencies:
770 | array-includes "^3.1.6"
771 | array.prototype.flatmap "^1.3.1"
772 | array.prototype.tosorted "^1.1.1"
773 | doctrine "^2.1.0"
774 | estraverse "^5.3.0"
775 | jsx-ast-utils "^2.4.1 || ^3.0.0"
776 | minimatch "^3.1.2"
777 | object.entries "^1.1.6"
778 | object.fromentries "^2.0.6"
779 | object.hasown "^1.1.2"
780 | object.values "^1.1.6"
781 | prop-types "^15.8.1"
782 | resolve "^2.0.0-next.4"
783 | semver "^6.3.0"
784 | string.prototype.matchall "^4.0.8"
785 |
786 | eslint-scope@^7.2.0:
787 | version "7.2.0"
788 | resolved "https://registry.yarnpkg.com/eslint-scope/-/eslint-scope-7.2.0.tgz#f21ebdafda02352f103634b96dd47d9f81ca117b"
789 | integrity sha512-DYj5deGlHBfMt15J7rdtyKNq/Nqlv5KfU4iodrQ019XESsRnwXH9KAE0y3cwtUHDo2ob7CypAnCqefh6vioWRw==
790 | dependencies:
791 | esrecurse "^4.3.0"
792 | estraverse "^5.2.0"
793 |
794 | eslint-visitor-keys@^3.3.0, eslint-visitor-keys@^3.4.1:
795 | version "3.4.1"
796 | resolved "https://registry.yarnpkg.com/eslint-visitor-keys/-/eslint-visitor-keys-3.4.1.tgz#c22c48f48942d08ca824cc526211ae400478a994"
797 | integrity sha512-pZnmmLwYzf+kWaM/Qgrvpen51upAktaaiI01nsJD/Yr3lMOdNtq0cxkrrg16w64VtisN6okbs7Q8AfGqj4c9fA==
798 |
799 | eslint@8.41.0:
800 | version "8.41.0"
801 | resolved "https://registry.yarnpkg.com/eslint/-/eslint-8.41.0.tgz#3062ca73363b4714b16dbc1e60f035e6134b6f1c"
802 | integrity sha512-WQDQpzGBOP5IrXPo4Hc0814r4/v2rrIsB0rhT7jtunIalgg6gYXWhRMOejVO8yH21T/FGaxjmFjBMNqcIlmH1Q==
803 | dependencies:
804 | "@eslint-community/eslint-utils" "^4.2.0"
805 | "@eslint-community/regexpp" "^4.4.0"
806 | "@eslint/eslintrc" "^2.0.3"
807 | "@eslint/js" "8.41.0"
808 | "@humanwhocodes/config-array" "^0.11.8"
809 | "@humanwhocodes/module-importer" "^1.0.1"
810 | "@nodelib/fs.walk" "^1.2.8"
811 | ajv "^6.10.0"
812 | chalk "^4.0.0"
813 | cross-spawn "^7.0.2"
814 | debug "^4.3.2"
815 | doctrine "^3.0.0"
816 | escape-string-regexp "^4.0.0"
817 | eslint-scope "^7.2.0"
818 | eslint-visitor-keys "^3.4.1"
819 | espree "^9.5.2"
820 | esquery "^1.4.2"
821 | esutils "^2.0.2"
822 | fast-deep-equal "^3.1.3"
823 | file-entry-cache "^6.0.1"
824 | find-up "^5.0.0"
825 | glob-parent "^6.0.2"
826 | globals "^13.19.0"
827 | graphemer "^1.4.0"
828 | ignore "^5.2.0"
829 | import-fresh "^3.0.0"
830 | imurmurhash "^0.1.4"
831 | is-glob "^4.0.0"
832 | is-path-inside "^3.0.3"
833 | js-yaml "^4.1.0"
834 | json-stable-stringify-without-jsonify "^1.0.1"
835 | levn "^0.4.1"
836 | lodash.merge "^4.6.2"
837 | minimatch "^3.1.2"
838 | natural-compare "^1.4.0"
839 | optionator "^0.9.1"
840 | strip-ansi "^6.0.1"
841 | strip-json-comments "^3.1.0"
842 | text-table "^0.2.0"
843 |
844 | espree@^9.5.2:
845 | version "9.5.2"
846 | resolved "https://registry.yarnpkg.com/espree/-/espree-9.5.2.tgz#e994e7dc33a082a7a82dceaf12883a829353215b"
847 | integrity sha512-7OASN1Wma5fum5SrNhFMAMJxOUAbhyfQ8dQ//PJaJbNw0URTPWqIghHWt1MmAANKhHZIYOHruW4Kw4ruUWOdGw==
848 | dependencies:
849 | acorn "^8.8.0"
850 | acorn-jsx "^5.3.2"
851 | eslint-visitor-keys "^3.4.1"
852 |
853 | esquery@^1.4.2:
854 | version "1.5.0"
855 | resolved "https://registry.yarnpkg.com/esquery/-/esquery-1.5.0.tgz#6ce17738de8577694edd7361c57182ac8cb0db0b"
856 | integrity sha512-YQLXUplAwJgCydQ78IMJywZCceoqk1oH01OERdSAJc/7U2AylwjhSCLDEtqwg811idIS/9fIU5GjG73IgjKMVg==
857 | dependencies:
858 | estraverse "^5.1.0"
859 |
860 | esrecurse@^4.3.0:
861 | version "4.3.0"
862 | resolved "https://registry.yarnpkg.com/esrecurse/-/esrecurse-4.3.0.tgz#7ad7964d679abb28bee72cec63758b1c5d2c9921"
863 | integrity sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag==
864 | dependencies:
865 | estraverse "^5.2.0"
866 |
867 | estraverse@^5.1.0, estraverse@^5.2.0, estraverse@^5.3.0:
868 | version "5.3.0"
869 | resolved "https://registry.yarnpkg.com/estraverse/-/estraverse-5.3.0.tgz#2eea5290702f26ab8fe5370370ff86c965d21123"
870 | integrity sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==
871 |
872 | esutils@^2.0.2:
873 | version "2.0.3"
874 | resolved "https://registry.yarnpkg.com/esutils/-/esutils-2.0.3.tgz#74d2eb4de0b8da1293711910d50775b9b710ef64"
875 | integrity sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==
876 |
877 | execa@^5.0.0:
878 | version "5.1.1"
879 | resolved "https://registry.yarnpkg.com/execa/-/execa-5.1.1.tgz#f80ad9cbf4298f7bd1d4c9555c21e93741c411dd"
880 | integrity sha512-8uSpZZocAZRBAPIEINJj3Lo9HyGitllczc27Eh5YYojjMFMn8yHMDMaUHE2Jqfq05D/wucwI4JGURyXt1vchyg==
881 | dependencies:
882 | cross-spawn "^7.0.3"
883 | get-stream "^6.0.0"
884 | human-signals "^2.1.0"
885 | is-stream "^2.0.0"
886 | merge-stream "^2.0.0"
887 | npm-run-path "^4.0.1"
888 | onetime "^5.1.2"
889 | signal-exit "^3.0.3"
890 | strip-final-newline "^2.0.0"
891 |
892 | execa@^7.1.1:
893 | version "7.1.1"
894 | resolved "https://registry.yarnpkg.com/execa/-/execa-7.1.1.tgz#3eb3c83d239488e7b409d48e8813b76bb55c9c43"
895 | integrity sha512-wH0eMf/UXckdUYnO21+HDztteVv05rq2GXksxT4fCGeHkBhw1DROXh40wcjMcRqDOWE7iPJ4n3M7e2+YFP+76Q==
896 | dependencies:
897 | cross-spawn "^7.0.3"
898 | get-stream "^6.0.1"
899 | human-signals "^4.3.0"
900 | is-stream "^3.0.0"
901 | merge-stream "^2.0.0"
902 | npm-run-path "^5.1.0"
903 | onetime "^6.0.0"
904 | signal-exit "^3.0.7"
905 | strip-final-newline "^3.0.0"
906 |
907 | fast-deep-equal@^3.1.1, fast-deep-equal@^3.1.3:
908 | version "3.1.3"
909 | resolved "https://registry.yarnpkg.com/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz#3a7d56b559d6cbc3eb512325244e619a65c6c525"
910 | integrity sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==
911 |
912 | fast-glob@^3.2.11, fast-glob@^3.2.12, fast-glob@^3.2.9:
913 | version "3.2.12"
914 | resolved "https://registry.yarnpkg.com/fast-glob/-/fast-glob-3.2.12.tgz#7f39ec99c2e6ab030337142da9e0c18f37afae80"
915 | integrity sha512-DVj4CQIYYow0BlaelwK1pHl5n5cRSJfM60UA0zK891sVInoPri2Ekj7+e1CT3/3qxXenpI+nBBmQAcJPJgaj4w==
916 | dependencies:
917 | "@nodelib/fs.stat" "^2.0.2"
918 | "@nodelib/fs.walk" "^1.2.3"
919 | glob-parent "^5.1.2"
920 | merge2 "^1.3.0"
921 | micromatch "^4.0.4"
922 |
923 | fast-json-stable-stringify@^2.0.0:
924 | version "2.1.0"
925 | resolved "https://registry.yarnpkg.com/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz#874bf69c6f404c2b5d99c481341399fd55892633"
926 | integrity sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==
927 |
928 | fast-levenshtein@^2.0.6:
929 | version "2.0.6"
930 | resolved "https://registry.yarnpkg.com/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz#3d8a5c66883a16a30ca8643e851f19baa7797917"
931 | integrity sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==
932 |
933 | fastq@^1.6.0:
934 | version "1.15.0"
935 | resolved "https://registry.yarnpkg.com/fastq/-/fastq-1.15.0.tgz#d04d07c6a2a68fe4599fea8d2e103a937fae6b3a"
936 | integrity sha512-wBrocU2LCXXa+lWBt8RoIRD89Fi8OdABODa/kEnyeyjS5aZO5/GNvI5sEINADqP/h8M29UHTHUb53sUu5Ihqdw==
937 | dependencies:
938 | reusify "^1.0.4"
939 |
940 | file-entry-cache@^6.0.1:
941 | version "6.0.1"
942 | resolved "https://registry.yarnpkg.com/file-entry-cache/-/file-entry-cache-6.0.1.tgz#211b2dd9659cb0394b073e7323ac3c933d522027"
943 | integrity sha512-7Gps/XWymbLk2QLYK4NzpMOrYjMhdIxXuIvy2QBsLE6ljuodKvdkWs/cpyJJ3CVIVpH0Oi1Hvg1ovbMzLdFBBg==
944 | dependencies:
945 | flat-cache "^3.0.4"
946 |
947 | fill-range@^7.0.1:
948 | version "7.0.1"
949 | resolved "https://registry.yarnpkg.com/fill-range/-/fill-range-7.0.1.tgz#1919a6a7c75fe38b2c7c77e5198535da9acdda40"
950 | integrity sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==
951 | dependencies:
952 | to-regex-range "^5.0.1"
953 |
954 | find-up@^5.0.0:
955 | version "5.0.0"
956 | resolved "https://registry.yarnpkg.com/find-up/-/find-up-5.0.0.tgz#4c92819ecb7083561e4f4a240a86be5198f536fc"
957 | integrity sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng==
958 | dependencies:
959 | locate-path "^6.0.0"
960 | path-exists "^4.0.0"
961 |
962 | flat-cache@^3.0.4:
963 | version "3.0.4"
964 | resolved "https://registry.yarnpkg.com/flat-cache/-/flat-cache-3.0.4.tgz#61b0338302b2fe9f957dcc32fc2a87f1c3048b11"
965 | integrity sha512-dm9s5Pw7Jc0GvMYbshN6zchCA9RgQlzzEZX3vylR9IqFfS8XciblUXOKfW6SiuJ0e13eDYZoZV5wdrev7P3Nwg==
966 | dependencies:
967 | flatted "^3.1.0"
968 | rimraf "^3.0.2"
969 |
970 | flatted@^3.1.0:
971 | version "3.2.7"
972 | resolved "https://registry.yarnpkg.com/flatted/-/flatted-3.2.7.tgz#609f39207cb614b89d0765b477cb2d437fbf9787"
973 | integrity sha512-5nqDSxl8nn5BSNxyR3n4I6eDmbolI6WT+QqR547RwxQapgjQBmtktdP+HTBb/a/zLsbzERTONyUB5pefh5TtjQ==
974 |
975 | for-each@^0.3.3:
976 | version "0.3.3"
977 | resolved "https://registry.yarnpkg.com/for-each/-/for-each-0.3.3.tgz#69b447e88a0a5d32c3e7084f3f1710034b21376e"
978 | integrity sha512-jqYfLp7mo9vIyQf8ykW2v7A+2N4QjeCeI5+Dz9XraiO1ign81wjiH7Fb9vSOWvQfNtmSa4H2RoQTrrXivdUZmw==
979 | dependencies:
980 | is-callable "^1.1.3"
981 |
982 | fs.realpath@^1.0.0:
983 | version "1.0.0"
984 | resolved "https://registry.yarnpkg.com/fs.realpath/-/fs.realpath-1.0.0.tgz#1504ad2523158caa40db4a2787cb01411994ea4f"
985 | integrity sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==
986 |
987 | function-bind@^1.1.1:
988 | version "1.1.1"
989 | resolved "https://registry.yarnpkg.com/function-bind/-/function-bind-1.1.1.tgz#a56899d3ea3c9bab874bb9773b7c5ede92f4895d"
990 | integrity sha512-yIovAzMX49sF8Yl58fSCWJ5svSLuaibPxXQJFLmBObTuCr0Mf1KiPopGM9NiFjiYBCbfaa2Fh6breQ6ANVTI0A==
991 |
992 | function.prototype.name@^1.1.5:
993 | version "1.1.5"
994 | resolved "https://registry.yarnpkg.com/function.prototype.name/-/function.prototype.name-1.1.5.tgz#cce0505fe1ffb80503e6f9e46cc64e46a12a9621"
995 | integrity sha512-uN7m/BzVKQnCUF/iW8jYea67v++2u7m5UgENbHRtdDVclOUP+FMPlCNdmk0h/ysGyo2tavMJEDqJAkJdRa1vMA==
996 | dependencies:
997 | call-bind "^1.0.2"
998 | define-properties "^1.1.3"
999 | es-abstract "^1.19.0"
1000 | functions-have-names "^1.2.2"
1001 |
1002 | functions-have-names@^1.2.2, functions-have-names@^1.2.3:
1003 | version "1.2.3"
1004 | resolved "https://registry.yarnpkg.com/functions-have-names/-/functions-have-names-1.2.3.tgz#0404fe4ee2ba2f607f0e0ec3c80bae994133b834"
1005 | integrity sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ==
1006 |
1007 | get-intrinsic@^1.0.2, get-intrinsic@^1.1.1, get-intrinsic@^1.1.3, get-intrinsic@^1.2.0:
1008 | version "1.2.1"
1009 | resolved "https://registry.yarnpkg.com/get-intrinsic/-/get-intrinsic-1.2.1.tgz#d295644fed4505fc9cde952c37ee12b477a83d82"
1010 | integrity sha512-2DcsyfABl+gVHEfCOaTrWgyt+tb6MSEGmKq+kI5HwLbIYgjgmMcV8KQ41uaKz1xxUcn9tJtgFbQUEVcEbd0FYw==
1011 | dependencies:
1012 | function-bind "^1.1.1"
1013 | has "^1.0.3"
1014 | has-proto "^1.0.1"
1015 | has-symbols "^1.0.3"
1016 |
1017 | get-stream@^6.0.0, get-stream@^6.0.1:
1018 | version "6.0.1"
1019 | resolved "https://registry.yarnpkg.com/get-stream/-/get-stream-6.0.1.tgz#a262d8eef67aced57c2852ad6167526a43cbf7b7"
1020 | integrity sha512-ts6Wi+2j3jQjqi70w5AlN8DFnkSwC+MqmxEzdEALB2qXZYV3X/b1CTfgPLGJNMeAWxdPfU8FO1ms3NUfaHCPYg==
1021 |
1022 | get-symbol-description@^1.0.0:
1023 | version "1.0.0"
1024 | resolved "https://registry.yarnpkg.com/get-symbol-description/-/get-symbol-description-1.0.0.tgz#7fdb81c900101fbd564dd5f1a30af5aadc1e58d6"
1025 | integrity sha512-2EmdH1YvIQiZpltCNgkuiUnyukzxM/R6NDJX31Ke3BG1Nq5b0S2PhX59UKi9vZpPDQVdqn+1IcaAwnzTT5vCjw==
1026 | dependencies:
1027 | call-bind "^1.0.2"
1028 | get-intrinsic "^1.1.1"
1029 |
1030 | get-tsconfig@^4.5.0:
1031 | version "4.5.0"
1032 | resolved "https://registry.yarnpkg.com/get-tsconfig/-/get-tsconfig-4.5.0.tgz#6d52d1c7b299bd3ee9cd7638561653399ac77b0f"
1033 | integrity sha512-MjhiaIWCJ1sAU4pIQ5i5OfOuHHxVo1oYeNsWTON7jxYkod8pHocXeh+SSbmu5OZZZK73B6cbJ2XADzXehLyovQ==
1034 |
1035 | glob-parent@^5.1.2:
1036 | version "5.1.2"
1037 | resolved "https://registry.yarnpkg.com/glob-parent/-/glob-parent-5.1.2.tgz#869832c58034fe68a4093c17dc15e8340d8401c4"
1038 | integrity sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==
1039 | dependencies:
1040 | is-glob "^4.0.1"
1041 |
1042 | glob-parent@^6.0.2:
1043 | version "6.0.2"
1044 | resolved "https://registry.yarnpkg.com/glob-parent/-/glob-parent-6.0.2.tgz#6d237d99083950c79290f24c7642a3de9a28f9e3"
1045 | integrity sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==
1046 | dependencies:
1047 | is-glob "^4.0.3"
1048 |
1049 | glob@7.1.7:
1050 | version "7.1.7"
1051 | resolved "https://registry.yarnpkg.com/glob/-/glob-7.1.7.tgz#3b193e9233f01d42d0b3f78294bbeeb418f94a90"
1052 | integrity sha512-OvD9ENzPLbegENnYP5UUfJIirTg4+XwMWGaQfQTY0JenxNvvIKP3U3/tAQSPIu/lHxXYSZmpXlUHeqAIdKzBLQ==
1053 | dependencies:
1054 | fs.realpath "^1.0.0"
1055 | inflight "^1.0.4"
1056 | inherits "2"
1057 | minimatch "^3.0.4"
1058 | once "^1.3.0"
1059 | path-is-absolute "^1.0.0"
1060 |
1061 | glob@^7.1.3:
1062 | version "7.2.3"
1063 | resolved "https://registry.yarnpkg.com/glob/-/glob-7.2.3.tgz#b8df0fb802bbfa8e89bd1d938b4e16578ed44f2b"
1064 | integrity sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==
1065 | dependencies:
1066 | fs.realpath "^1.0.0"
1067 | inflight "^1.0.4"
1068 | inherits "2"
1069 | minimatch "^3.1.1"
1070 | once "^1.3.0"
1071 | path-is-absolute "^1.0.0"
1072 |
1073 | globals@^13.19.0:
1074 | version "13.20.0"
1075 | resolved "https://registry.yarnpkg.com/globals/-/globals-13.20.0.tgz#ea276a1e508ffd4f1612888f9d1bad1e2717bf82"
1076 | integrity sha512-Qg5QtVkCy/kv3FUSlu4ukeZDVf9ee0iXLAUYX13gbR17bnejFTzr4iS9bY7kwCf1NztRNm1t91fjOiyx4CSwPQ==
1077 | dependencies:
1078 | type-fest "^0.20.2"
1079 |
1080 | globalthis@^1.0.3:
1081 | version "1.0.3"
1082 | resolved "https://registry.yarnpkg.com/globalthis/-/globalthis-1.0.3.tgz#5852882a52b80dc301b0660273e1ed082f0b6ccf"
1083 | integrity sha512-sFdI5LyBiNTHjRd7cGPWapiHWMOXKyuBNX/cWJ3NfzrZQVa8GI/8cofCl74AOVqq9W5kNmguTIzJ/1s2gyI9wA==
1084 | dependencies:
1085 | define-properties "^1.1.3"
1086 |
1087 | globby@^11.1.0:
1088 | version "11.1.0"
1089 | resolved "https://registry.yarnpkg.com/globby/-/globby-11.1.0.tgz#bd4be98bb042f83d796f7e3811991fbe82a0d34b"
1090 | integrity sha512-jhIXaOzy1sb8IyocaruWSn1TjmnBVs8Ayhcy83rmxNJ8q2uWKCAj3CnJY+KpGSXCueAPc0i05kVvVKtP1t9S3g==
1091 | dependencies:
1092 | array-union "^2.1.0"
1093 | dir-glob "^3.0.1"
1094 | fast-glob "^3.2.9"
1095 | ignore "^5.2.0"
1096 | merge2 "^1.4.1"
1097 | slash "^3.0.0"
1098 |
1099 | globby@^13.1.3:
1100 | version "13.1.4"
1101 | resolved "https://registry.yarnpkg.com/globby/-/globby-13.1.4.tgz#2f91c116066bcec152465ba36e5caa4a13c01317"
1102 | integrity sha512-iui/IiiW+QrJ1X1hKH5qwlMQyv34wJAYwH1vrf8b9kBA4sNiif3gKsMHa+BrdnOpEudWjpotfa7LrTzB1ERS/g==
1103 | dependencies:
1104 | dir-glob "^3.0.1"
1105 | fast-glob "^3.2.11"
1106 | ignore "^5.2.0"
1107 | merge2 "^1.4.1"
1108 | slash "^4.0.0"
1109 |
1110 | gopd@^1.0.1:
1111 | version "1.0.1"
1112 | resolved "https://registry.yarnpkg.com/gopd/-/gopd-1.0.1.tgz#29ff76de69dac7489b7c0918a5788e56477c332c"
1113 | integrity sha512-d65bNlIadxvpb/A2abVdlqKqV563juRnZ1Wtk6s1sIR8uNsXR70xqIzVqxVf1eTqDunwT2MkczEeaezCKTZhwA==
1114 | dependencies:
1115 | get-intrinsic "^1.1.3"
1116 |
1117 | graceful-fs@^4.2.4:
1118 | version "4.2.11"
1119 | resolved "https://registry.yarnpkg.com/graceful-fs/-/graceful-fs-4.2.11.tgz#4183e4e8bf08bb6e05bbb2f7d2e0c8f712ca40e3"
1120 | integrity sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==
1121 |
1122 | graphemer@^1.4.0:
1123 | version "1.4.0"
1124 | resolved "https://registry.yarnpkg.com/graphemer/-/graphemer-1.4.0.tgz#fb2f1d55e0e3a1849aeffc90c4fa0dd53a0e66c6"
1125 | integrity sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag==
1126 |
1127 | has-bigints@^1.0.1, has-bigints@^1.0.2:
1128 | version "1.0.2"
1129 | resolved "https://registry.yarnpkg.com/has-bigints/-/has-bigints-1.0.2.tgz#0871bd3e3d51626f6ca0966668ba35d5602d6eaa"
1130 | integrity sha512-tSvCKtBr9lkF0Ex0aQiP9N+OpV4zi2r/Nee5VkRDbaqv35RLYMzbwQfFSZZH0kR+Rd6302UJZ2p/bJCEoR3VoQ==
1131 |
1132 | has-flag@^4.0.0:
1133 | version "4.0.0"
1134 | resolved "https://registry.yarnpkg.com/has-flag/-/has-flag-4.0.0.tgz#944771fd9c81c81265c4d6941860da06bb59479b"
1135 | integrity sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==
1136 |
1137 | has-property-descriptors@^1.0.0:
1138 | version "1.0.0"
1139 | resolved "https://registry.yarnpkg.com/has-property-descriptors/-/has-property-descriptors-1.0.0.tgz#610708600606d36961ed04c196193b6a607fa861"
1140 | integrity sha512-62DVLZGoiEBDHQyqG4w9xCuZ7eJEwNmJRWw2VY84Oedb7WFcA27fiEVe8oUQx9hAUJ4ekurquucTGwsyO1XGdQ==
1141 | dependencies:
1142 | get-intrinsic "^1.1.1"
1143 |
1144 | has-proto@^1.0.1:
1145 | version "1.0.1"
1146 | resolved "https://registry.yarnpkg.com/has-proto/-/has-proto-1.0.1.tgz#1885c1305538958aff469fef37937c22795408e0"
1147 | integrity sha512-7qE+iP+O+bgF9clE5+UoBFzE65mlBiVj3tKCrlNQ0Ogwm0BjpT/gK4SlLYDMybDh5I3TCTKnPPa0oMG7JDYrhg==
1148 |
1149 | has-symbols@^1.0.2, has-symbols@^1.0.3:
1150 | version "1.0.3"
1151 | resolved "https://registry.yarnpkg.com/has-symbols/-/has-symbols-1.0.3.tgz#bb7b2c4349251dce87b125f7bdf874aa7c8b39f8"
1152 | integrity sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==
1153 |
1154 | has-tostringtag@^1.0.0:
1155 | version "1.0.0"
1156 | resolved "https://registry.yarnpkg.com/has-tostringtag/-/has-tostringtag-1.0.0.tgz#7e133818a7d394734f941e73c3d3f9291e658b25"
1157 | integrity sha512-kFjcSNhnlGV1kyoGk7OXKSawH5JOb/LzUc5w9B02hOTO0dfFRjbHQKvg1d6cf3HbeUmtU9VbbV3qzZ2Teh97WQ==
1158 | dependencies:
1159 | has-symbols "^1.0.2"
1160 |
1161 | has@^1.0.3:
1162 | version "1.0.3"
1163 | resolved "https://registry.yarnpkg.com/has/-/has-1.0.3.tgz#722d7cbfc1f6aa8241f16dd814e011e1f41e8796"
1164 | integrity sha512-f2dvO0VU6Oej7RkWJGrehjbzMAjFp5/VKPp5tTpWIV4JHHZK1/BxbFRtf/siA2SWTe09caDmVtYYzWEIbBS4zw==
1165 | dependencies:
1166 | function-bind "^1.1.1"
1167 |
1168 | human-signals@^2.1.0:
1169 | version "2.1.0"
1170 | resolved "https://registry.yarnpkg.com/human-signals/-/human-signals-2.1.0.tgz#dc91fcba42e4d06e4abaed33b3e7a3c02f514ea0"
1171 | integrity sha512-B4FFZ6q/T2jhhksgkbEW3HBvWIfDW85snkQgawt07S7J5QXTk6BkNV+0yAeZrM5QpMAdYlocGoljn0sJ/WQkFw==
1172 |
1173 | human-signals@^4.3.0:
1174 | version "4.3.1"
1175 | resolved "https://registry.yarnpkg.com/human-signals/-/human-signals-4.3.1.tgz#ab7f811e851fca97ffbd2c1fe9a958964de321b2"
1176 | integrity sha512-nZXjEF2nbo7lIw3mgYjItAfgQXog3OjJogSbKa2CQIIvSGWcKgeJnQlNXip6NglNzYH45nSRiEVimMvYL8DDqQ==
1177 |
1178 | ignore@^5.2.0:
1179 | version "5.2.4"
1180 | resolved "https://registry.yarnpkg.com/ignore/-/ignore-5.2.4.tgz#a291c0c6178ff1b960befe47fcdec301674a6324"
1181 | integrity sha512-MAb38BcSbH0eHNBxn7ql2NH/kX33OkB3lZ1BNdh7ENeRChHTYsTvWrMubiIAMNS2llXEEgZ1MUOBtXChP3kaFQ==
1182 |
1183 | import-fresh@^3.0.0, import-fresh@^3.2.1:
1184 | version "3.3.0"
1185 | resolved "https://registry.yarnpkg.com/import-fresh/-/import-fresh-3.3.0.tgz#37162c25fcb9ebaa2e6e53d5b4d88ce17d9e0c2b"
1186 | integrity sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw==
1187 | dependencies:
1188 | parent-module "^1.0.0"
1189 | resolve-from "^4.0.0"
1190 |
1191 | imurmurhash@^0.1.4:
1192 | version "0.1.4"
1193 | resolved "https://registry.yarnpkg.com/imurmurhash/-/imurmurhash-0.1.4.tgz#9218b9b2b928a238b13dc4fb6b6d576f231453ea"
1194 | integrity sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==
1195 |
1196 | inflight@^1.0.4:
1197 | version "1.0.6"
1198 | resolved "https://registry.yarnpkg.com/inflight/-/inflight-1.0.6.tgz#49bd6331d7d02d0c09bc910a1075ba8165b56df9"
1199 | integrity sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==
1200 | dependencies:
1201 | once "^1.3.0"
1202 | wrappy "1"
1203 |
1204 | inherits@2:
1205 | version "2.0.4"
1206 | resolved "https://registry.yarnpkg.com/inherits/-/inherits-2.0.4.tgz#0fa2c64f932917c3433a0ded55363aae37416b7c"
1207 | integrity sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==
1208 |
1209 | internal-slot@^1.0.3, internal-slot@^1.0.4, internal-slot@^1.0.5:
1210 | version "1.0.5"
1211 | resolved "https://registry.yarnpkg.com/internal-slot/-/internal-slot-1.0.5.tgz#f2a2ee21f668f8627a4667f309dc0f4fb6674986"
1212 | integrity sha512-Y+R5hJrzs52QCG2laLn4udYVnxsfny9CpOhNhUvk/SSSVyF6T27FzRbF0sroPidSu3X8oEAkOn2K804mjpt6UQ==
1213 | dependencies:
1214 | get-intrinsic "^1.2.0"
1215 | has "^1.0.3"
1216 | side-channel "^1.0.4"
1217 |
1218 | is-arguments@^1.1.1:
1219 | version "1.1.1"
1220 | resolved "https://registry.yarnpkg.com/is-arguments/-/is-arguments-1.1.1.tgz#15b3f88fda01f2a97fec84ca761a560f123efa9b"
1221 | integrity sha512-8Q7EARjzEnKpt/PCD7e1cgUS0a6X8u5tdSiMqXhojOdoV9TsMsiO+9VLC5vAmO8N7/GmXn7yjR8qnA6bVAEzfA==
1222 | dependencies:
1223 | call-bind "^1.0.2"
1224 | has-tostringtag "^1.0.0"
1225 |
1226 | is-array-buffer@^3.0.1, is-array-buffer@^3.0.2:
1227 | version "3.0.2"
1228 | resolved "https://registry.yarnpkg.com/is-array-buffer/-/is-array-buffer-3.0.2.tgz#f2653ced8412081638ecb0ebbd0c41c6e0aecbbe"
1229 | integrity sha512-y+FyyR/w8vfIRq4eQcM1EYgSTnmHXPqaF+IgzgraytCFq5Xh8lllDVmAZolPJiZttZLeFSINPYMaEJ7/vWUa1w==
1230 | dependencies:
1231 | call-bind "^1.0.2"
1232 | get-intrinsic "^1.2.0"
1233 | is-typed-array "^1.1.10"
1234 |
1235 | is-bigint@^1.0.1:
1236 | version "1.0.4"
1237 | resolved "https://registry.yarnpkg.com/is-bigint/-/is-bigint-1.0.4.tgz#08147a1875bc2b32005d41ccd8291dffc6691df3"
1238 | integrity sha512-zB9CruMamjym81i2JZ3UMn54PKGsQzsJeo6xvN3HJJ4CAsQNB6iRutp2To77OfCNuoxspsIhzaPoO1zyCEhFOg==
1239 | dependencies:
1240 | has-bigints "^1.0.1"
1241 |
1242 | is-boolean-object@^1.1.0:
1243 | version "1.1.2"
1244 | resolved "https://registry.yarnpkg.com/is-boolean-object/-/is-boolean-object-1.1.2.tgz#5c6dc200246dd9321ae4b885a114bb1f75f63719"
1245 | integrity sha512-gDYaKHJmnj4aWxyj6YHyXVpdQawtVLHU5cb+eztPGczf6cjuTdwve5ZIEfgXqH4e57An1D1AKf8CZ3kYrQRqYA==
1246 | dependencies:
1247 | call-bind "^1.0.2"
1248 | has-tostringtag "^1.0.0"
1249 |
1250 | is-callable@^1.1.3, is-callable@^1.1.4, is-callable@^1.2.7:
1251 | version "1.2.7"
1252 | resolved "https://registry.yarnpkg.com/is-callable/-/is-callable-1.2.7.tgz#3bc2a85ea742d9e36205dcacdd72ca1fdc51b055"
1253 | integrity sha512-1BC0BVFhS/p0qtw6enp8e+8OD0UrK0oFLztSjNzhcKA3WDuJxxAPXzPuPtKkjEY9UUoEWlX/8fgKeu2S8i9JTA==
1254 |
1255 | is-core-module@^2.11.0, is-core-module@^2.9.0:
1256 | version "2.12.1"
1257 | resolved "https://registry.yarnpkg.com/is-core-module/-/is-core-module-2.12.1.tgz#0c0b6885b6f80011c71541ce15c8d66cf5a4f9fd"
1258 | integrity sha512-Q4ZuBAe2FUsKtyQJoQHlvP8OvBERxO3jEmy1I7hcRXcJBGGHFh/aJBswbXuS9sgrDH2QUO8ilkwNPHvHMd8clg==
1259 | dependencies:
1260 | has "^1.0.3"
1261 |
1262 | is-date-object@^1.0.1, is-date-object@^1.0.5:
1263 | version "1.0.5"
1264 | resolved "https://registry.yarnpkg.com/is-date-object/-/is-date-object-1.0.5.tgz#0841d5536e724c25597bf6ea62e1bd38298df31f"
1265 | integrity sha512-9YQaSxsAiSwcvS33MBk3wTCVnWK+HhF8VZR2jRxehM16QcVOdHqPn4VPHmRK4lSr38n9JriurInLcP90xsYNfQ==
1266 | dependencies:
1267 | has-tostringtag "^1.0.0"
1268 |
1269 | is-docker@^2.0.0:
1270 | version "2.2.1"
1271 | resolved "https://registry.yarnpkg.com/is-docker/-/is-docker-2.2.1.tgz#33eeabe23cfe86f14bde4408a02c0cfb853acdaa"
1272 | integrity sha512-F+i2BKsFrH66iaUFc0woD8sLy8getkwTwtOBjvs56Cx4CgJDeKQeqfz8wAYiSb8JOprWhHH5p77PbmYCvvUuXQ==
1273 |
1274 | is-docker@^3.0.0:
1275 | version "3.0.0"
1276 | resolved "https://registry.yarnpkg.com/is-docker/-/is-docker-3.0.0.tgz#90093aa3106277d8a77a5910dbae71747e15a200"
1277 | integrity sha512-eljcgEDlEns/7AXFosB5K/2nCM4P7FQPkGc/DWLy5rmFEWvZayGrik1d9/QIY5nJ4f9YsVvBkA6kJpHn9rISdQ==
1278 |
1279 | is-extglob@^2.1.1:
1280 | version "2.1.1"
1281 | resolved "https://registry.yarnpkg.com/is-extglob/-/is-extglob-2.1.1.tgz#a88c02535791f02ed37c76a1b9ea9773c833f8c2"
1282 | integrity sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==
1283 |
1284 | is-glob@^4.0.0, is-glob@^4.0.1, is-glob@^4.0.3:
1285 | version "4.0.3"
1286 | resolved "https://registry.yarnpkg.com/is-glob/-/is-glob-4.0.3.tgz#64f61e42cbbb2eec2071a9dac0b28ba1e65d5084"
1287 | integrity sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==
1288 | dependencies:
1289 | is-extglob "^2.1.1"
1290 |
1291 | is-inside-container@^1.0.0:
1292 | version "1.0.0"
1293 | resolved "https://registry.yarnpkg.com/is-inside-container/-/is-inside-container-1.0.0.tgz#e81fba699662eb31dbdaf26766a61d4814717ea4"
1294 | integrity sha512-KIYLCCJghfHZxqjYBE7rEy0OBuTd5xCHS7tHVgvCLkx7StIoaxwNW3hCALgEUjFfeRk+MG/Qxmp/vtETEF3tRA==
1295 | dependencies:
1296 | is-docker "^3.0.0"
1297 |
1298 | is-map@^2.0.1, is-map@^2.0.2:
1299 | version "2.0.2"
1300 | resolved "https://registry.yarnpkg.com/is-map/-/is-map-2.0.2.tgz#00922db8c9bf73e81b7a335827bc2a43f2b91127"
1301 | integrity sha512-cOZFQQozTha1f4MxLFzlgKYPTyj26picdZTx82hbc/Xf4K/tZOOXSCkMvU4pKioRXGDLJRn0GM7Upe7kR721yg==
1302 |
1303 | is-negative-zero@^2.0.2:
1304 | version "2.0.2"
1305 | resolved "https://registry.yarnpkg.com/is-negative-zero/-/is-negative-zero-2.0.2.tgz#7bf6f03a28003b8b3965de3ac26f664d765f3150"
1306 | integrity sha512-dqJvarLawXsFbNDeJW7zAz8ItJ9cd28YufuuFzh0G8pNHjJMnY08Dv7sYX2uF5UpQOwieAeOExEYAWWfu7ZZUA==
1307 |
1308 | is-number-object@^1.0.4:
1309 | version "1.0.7"
1310 | resolved "https://registry.yarnpkg.com/is-number-object/-/is-number-object-1.0.7.tgz#59d50ada4c45251784e9904f5246c742f07a42fc"
1311 | integrity sha512-k1U0IRzLMo7ZlYIfzRu23Oh6MiIFasgpb9X76eqfFZAqwH44UI4KTBvBYIZ1dSL9ZzChTB9ShHfLkR4pdW5krQ==
1312 | dependencies:
1313 | has-tostringtag "^1.0.0"
1314 |
1315 | is-number@^7.0.0:
1316 | version "7.0.0"
1317 | resolved "https://registry.yarnpkg.com/is-number/-/is-number-7.0.0.tgz#7535345b896734d5f80c4d06c50955527a14f12b"
1318 | integrity sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==
1319 |
1320 | is-path-inside@^3.0.3:
1321 | version "3.0.3"
1322 | resolved "https://registry.yarnpkg.com/is-path-inside/-/is-path-inside-3.0.3.tgz#d231362e53a07ff2b0e0ea7fed049161ffd16283"
1323 | integrity sha512-Fd4gABb+ycGAmKou8eMftCupSir5lRxqf4aD/vd0cD2qc4HL07OjCeuHMr8Ro4CoMaeCKDB0/ECBOVWjTwUvPQ==
1324 |
1325 | is-regex@^1.1.4:
1326 | version "1.1.4"
1327 | resolved "https://registry.yarnpkg.com/is-regex/-/is-regex-1.1.4.tgz#eef5663cd59fa4c0ae339505323df6854bb15958"
1328 | integrity sha512-kvRdxDsxZjhzUX07ZnLydzS1TU/TJlTUHHY4YLL87e37oUA49DfkLqgy+VjFocowy29cKvcSiu+kIv728jTTVg==
1329 | dependencies:
1330 | call-bind "^1.0.2"
1331 | has-tostringtag "^1.0.0"
1332 |
1333 | is-set@^2.0.1, is-set@^2.0.2:
1334 | version "2.0.2"
1335 | resolved "https://registry.yarnpkg.com/is-set/-/is-set-2.0.2.tgz#90755fa4c2562dc1c5d4024760d6119b94ca18ec"
1336 | integrity sha512-+2cnTEZeY5z/iXGbLhPrOAaK/Mau5k5eXq9j14CpRTftq0pAJu2MwVRSZhyZWBzx3o6X795Lz6Bpb6R0GKf37g==
1337 |
1338 | is-shared-array-buffer@^1.0.2:
1339 | version "1.0.2"
1340 | resolved "https://registry.yarnpkg.com/is-shared-array-buffer/-/is-shared-array-buffer-1.0.2.tgz#8f259c573b60b6a32d4058a1a07430c0a7344c79"
1341 | integrity sha512-sqN2UDu1/0y6uvXyStCOzyhAjCSlHceFoMKJW8W9EU9cvic/QdsZ0kEU93HEy3IUEFZIiH/3w+AH/UQbPHNdhA==
1342 | dependencies:
1343 | call-bind "^1.0.2"
1344 |
1345 | is-stream@^2.0.0:
1346 | version "2.0.1"
1347 | resolved "https://registry.yarnpkg.com/is-stream/-/is-stream-2.0.1.tgz#fac1e3d53b97ad5a9d0ae9cef2389f5810a5c077"
1348 | integrity sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg==
1349 |
1350 | is-stream@^3.0.0:
1351 | version "3.0.0"
1352 | resolved "https://registry.yarnpkg.com/is-stream/-/is-stream-3.0.0.tgz#e6bfd7aa6bef69f4f472ce9bb681e3e57b4319ac"
1353 | integrity sha512-LnQR4bZ9IADDRSkvpqMGvt/tEJWclzklNgSw48V5EAaAeDd6qGvN8ei6k5p0tvxSR171VmGyHuTiAOfxAbr8kA==
1354 |
1355 | is-string@^1.0.5, is-string@^1.0.7:
1356 | version "1.0.7"
1357 | resolved "https://registry.yarnpkg.com/is-string/-/is-string-1.0.7.tgz#0dd12bf2006f255bb58f695110eff7491eebc0fd"
1358 | integrity sha512-tE2UXzivje6ofPW7l23cjDOMa09gb7xlAqG6jG5ej6uPV32TlWP3NKPigtaGeHNu9fohccRYvIiZMfOOnOYUtg==
1359 | dependencies:
1360 | has-tostringtag "^1.0.0"
1361 |
1362 | is-symbol@^1.0.2, is-symbol@^1.0.3:
1363 | version "1.0.4"
1364 | resolved "https://registry.yarnpkg.com/is-symbol/-/is-symbol-1.0.4.tgz#a6dac93b635b063ca6872236de88910a57af139c"
1365 | integrity sha512-C/CPBqKWnvdcxqIARxyOh4v1UUEOCHpgDa0WYgpKDFMszcrPcffg5uhwSgPCLD2WWxmq6isisz87tzT01tuGhg==
1366 | dependencies:
1367 | has-symbols "^1.0.2"
1368 |
1369 | is-typed-array@^1.1.10, is-typed-array@^1.1.9:
1370 | version "1.1.10"
1371 | resolved "https://registry.yarnpkg.com/is-typed-array/-/is-typed-array-1.1.10.tgz#36a5b5cb4189b575d1a3e4b08536bfb485801e3f"
1372 | integrity sha512-PJqgEHiWZvMpaFZ3uTc8kHPM4+4ADTlDniuQL7cU/UDA0Ql7F70yGfHph3cLNe+c9toaigv+DFzTJKhc2CtO6A==
1373 | dependencies:
1374 | available-typed-arrays "^1.0.5"
1375 | call-bind "^1.0.2"
1376 | for-each "^0.3.3"
1377 | gopd "^1.0.1"
1378 | has-tostringtag "^1.0.0"
1379 |
1380 | is-weakmap@^2.0.1:
1381 | version "2.0.1"
1382 | resolved "https://registry.yarnpkg.com/is-weakmap/-/is-weakmap-2.0.1.tgz#5008b59bdc43b698201d18f62b37b2ca243e8cf2"
1383 | integrity sha512-NSBR4kH5oVj1Uwvv970ruUkCV7O1mzgVFO4/rev2cLRda9Tm9HrL70ZPut4rOHgY0FNrUu9BCbXA2sdQ+x0chA==
1384 |
1385 | is-weakref@^1.0.2:
1386 | version "1.0.2"
1387 | resolved "https://registry.yarnpkg.com/is-weakref/-/is-weakref-1.0.2.tgz#9529f383a9338205e89765e0392efc2f100f06f2"
1388 | integrity sha512-qctsuLZmIQ0+vSSMfoVvyFe2+GSEvnmZ2ezTup1SBse9+twCCeial6EEi3Nc2KFcf6+qz2FBPnjXsk8xhKSaPQ==
1389 | dependencies:
1390 | call-bind "^1.0.2"
1391 |
1392 | is-weakset@^2.0.1:
1393 | version "2.0.2"
1394 | resolved "https://registry.yarnpkg.com/is-weakset/-/is-weakset-2.0.2.tgz#4569d67a747a1ce5a994dfd4ef6dcea76e7c0a1d"
1395 | integrity sha512-t2yVvttHkQktwnNNmBQ98AhENLdPUTDTE21uPqAQ0ARwQfGeQKRVS0NNurH7bTf7RrvcVn1OOge45CnBeHCSmg==
1396 | dependencies:
1397 | call-bind "^1.0.2"
1398 | get-intrinsic "^1.1.1"
1399 |
1400 | is-wsl@^2.2.0:
1401 | version "2.2.0"
1402 | resolved "https://registry.yarnpkg.com/is-wsl/-/is-wsl-2.2.0.tgz#74a4c76e77ca9fd3f932f290c17ea326cd157271"
1403 | integrity sha512-fKzAra0rGJUUBwGBgNkHZuToZcn+TtXHpeCgmkMJMMYx1sQDYaCSyjJBSCa2nH1DGm7s3n1oBnohoVTBaN7Lww==
1404 | dependencies:
1405 | is-docker "^2.0.0"
1406 |
1407 | isarray@^2.0.5:
1408 | version "2.0.5"
1409 | resolved "https://registry.yarnpkg.com/isarray/-/isarray-2.0.5.tgz#8af1e4c1221244cc62459faf38940d4e644a5723"
1410 | integrity sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw==
1411 |
1412 | isexe@^2.0.0:
1413 | version "2.0.0"
1414 | resolved "https://registry.yarnpkg.com/isexe/-/isexe-2.0.0.tgz#e8fbf374dc556ff8947a10dcb0572d633f2cfa10"
1415 | integrity sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==
1416 |
1417 | "js-tokens@^3.0.0 || ^4.0.0":
1418 | version "4.0.0"
1419 | resolved "https://registry.yarnpkg.com/js-tokens/-/js-tokens-4.0.0.tgz#19203fb59991df98e3a287050d4647cdeaf32499"
1420 | integrity sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==
1421 |
1422 | js-yaml@^4.1.0:
1423 | version "4.1.0"
1424 | resolved "https://registry.yarnpkg.com/js-yaml/-/js-yaml-4.1.0.tgz#c1fb65f8f5017901cdd2c951864ba18458a10602"
1425 | integrity sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==
1426 | dependencies:
1427 | argparse "^2.0.1"
1428 |
1429 | json-schema-traverse@^0.4.1:
1430 | version "0.4.1"
1431 | resolved "https://registry.yarnpkg.com/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz#69f6a87d9513ab8bb8fe63bdb0979c448e684660"
1432 | integrity sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==
1433 |
1434 | json-stable-stringify-without-jsonify@^1.0.1:
1435 | version "1.0.1"
1436 | resolved "https://registry.yarnpkg.com/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz#9db7b59496ad3f3cfef30a75142d2d930ad72651"
1437 | integrity sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw==
1438 |
1439 | json5@^1.0.2:
1440 | version "1.0.2"
1441 | resolved "https://registry.yarnpkg.com/json5/-/json5-1.0.2.tgz#63d98d60f21b313b77c4d6da18bfa69d80e1d593"
1442 | integrity sha512-g1MWMLBiz8FKi1e4w0UyVL3w+iJceWAFBAaBnnGKOpNa5f8TLktkbre1+s6oICydWAm+HRUGTmI+//xv2hvXYA==
1443 | dependencies:
1444 | minimist "^1.2.0"
1445 |
1446 | "jsx-ast-utils@^2.4.1 || ^3.0.0", jsx-ast-utils@^3.3.3:
1447 | version "3.3.3"
1448 | resolved "https://registry.yarnpkg.com/jsx-ast-utils/-/jsx-ast-utils-3.3.3.tgz#76b3e6e6cece5c69d49a5792c3d01bd1a0cdc7ea"
1449 | integrity sha512-fYQHZTZ8jSfmWZ0iyzfwiU4WDX4HpHbMCZ3gPlWYiCl3BoeOTsqKBqnTVfH2rYT7eP5c3sVbeSPHnnJOaTrWiw==
1450 | dependencies:
1451 | array-includes "^3.1.5"
1452 | object.assign "^4.1.3"
1453 |
1454 | language-subtag-registry@~0.3.2:
1455 | version "0.3.22"
1456 | resolved "https://registry.yarnpkg.com/language-subtag-registry/-/language-subtag-registry-0.3.22.tgz#2e1500861b2e457eba7e7ae86877cbd08fa1fd1d"
1457 | integrity sha512-tN0MCzyWnoz/4nHS6uxdlFWoUZT7ABptwKPQ52Ea7URk6vll88bWBVhodtnlfEuCcKWNGoc+uGbw1cwa9IKh/w==
1458 |
1459 | language-tags@=1.0.5:
1460 | version "1.0.5"
1461 | resolved "https://registry.yarnpkg.com/language-tags/-/language-tags-1.0.5.tgz#d321dbc4da30ba8bf3024e040fa5c14661f9193a"
1462 | integrity sha512-qJhlO9cGXi6hBGKoxEG/sKZDAHD5Hnu9Hs4WbOY3pCWXDhw0N8x1NenNzm2EnNLkLkk7J2SdxAkDSbb6ftT+UQ==
1463 | dependencies:
1464 | language-subtag-registry "~0.3.2"
1465 |
1466 | levn@^0.4.1:
1467 | version "0.4.1"
1468 | resolved "https://registry.yarnpkg.com/levn/-/levn-0.4.1.tgz#ae4562c007473b932a6200d403268dd2fffc6ade"
1469 | integrity sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ==
1470 | dependencies:
1471 | prelude-ls "^1.2.1"
1472 | type-check "~0.4.0"
1473 |
1474 | locate-path@^6.0.0:
1475 | version "6.0.0"
1476 | resolved "https://registry.yarnpkg.com/locate-path/-/locate-path-6.0.0.tgz#55321eb309febbc59c4801d931a72452a681d286"
1477 | integrity sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw==
1478 | dependencies:
1479 | p-locate "^5.0.0"
1480 |
1481 | lodash.merge@^4.6.2:
1482 | version "4.6.2"
1483 | resolved "https://registry.yarnpkg.com/lodash.merge/-/lodash.merge-4.6.2.tgz#558aa53b43b661e1925a0afdfa36a9a1085fe57a"
1484 | integrity sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ==
1485 |
1486 | loose-envify@^1.1.0, loose-envify@^1.4.0:
1487 | version "1.4.0"
1488 | resolved "https://registry.yarnpkg.com/loose-envify/-/loose-envify-1.4.0.tgz#71ee51fa7be4caec1a63839f7e682d8132d30caf"
1489 | integrity sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q==
1490 | dependencies:
1491 | js-tokens "^3.0.0 || ^4.0.0"
1492 |
1493 | lru-cache@^6.0.0:
1494 | version "6.0.0"
1495 | resolved "https://registry.yarnpkg.com/lru-cache/-/lru-cache-6.0.0.tgz#6d6fe6570ebd96aaf90fcad1dafa3b2566db3a94"
1496 | integrity sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==
1497 | dependencies:
1498 | yallist "^4.0.0"
1499 |
1500 | merge-stream@^2.0.0:
1501 | version "2.0.0"
1502 | resolved "https://registry.yarnpkg.com/merge-stream/-/merge-stream-2.0.0.tgz#52823629a14dd00c9770fb6ad47dc6310f2c1f60"
1503 | integrity sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==
1504 |
1505 | merge2@^1.3.0, merge2@^1.4.1:
1506 | version "1.4.1"
1507 | resolved "https://registry.yarnpkg.com/merge2/-/merge2-1.4.1.tgz#4368892f885e907455a6fd7dc55c0c9d404990ae"
1508 | integrity sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==
1509 |
1510 | micromatch@^4.0.4:
1511 | version "4.0.5"
1512 | resolved "https://registry.yarnpkg.com/micromatch/-/micromatch-4.0.5.tgz#bc8999a7cbbf77cdc89f132f6e467051b49090c6"
1513 | integrity sha512-DMy+ERcEW2q8Z2Po+WNXuw3c5YaUSFjAO5GsJqfEl7UjvtIuFKO6ZrKvcItdy98dwFI2N1tg3zNIdKaQT+aNdA==
1514 | dependencies:
1515 | braces "^3.0.2"
1516 | picomatch "^2.3.1"
1517 |
1518 | mimic-fn@^2.1.0:
1519 | version "2.1.0"
1520 | resolved "https://registry.yarnpkg.com/mimic-fn/-/mimic-fn-2.1.0.tgz#7ed2c2ccccaf84d3ffcb7a69b57711fc2083401b"
1521 | integrity sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==
1522 |
1523 | mimic-fn@^4.0.0:
1524 | version "4.0.0"
1525 | resolved "https://registry.yarnpkg.com/mimic-fn/-/mimic-fn-4.0.0.tgz#60a90550d5cb0b239cca65d893b1a53b29871ecc"
1526 | integrity sha512-vqiC06CuhBTUdZH+RYl8sFrL096vA45Ok5ISO6sE/Mr1jRbGH4Csnhi8f3wKVl7x8mO4Au7Ir9D3Oyv1VYMFJw==
1527 |
1528 | minimatch@^3.0.4, minimatch@^3.0.5, minimatch@^3.1.1, minimatch@^3.1.2:
1529 | version "3.1.2"
1530 | resolved "https://registry.yarnpkg.com/minimatch/-/minimatch-3.1.2.tgz#19cd194bfd3e428f049a70817c038d89ab4be35b"
1531 | integrity sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==
1532 | dependencies:
1533 | brace-expansion "^1.1.7"
1534 |
1535 | minimist@^1.2.0, minimist@^1.2.6:
1536 | version "1.2.8"
1537 | resolved "https://registry.yarnpkg.com/minimist/-/minimist-1.2.8.tgz#c1a464e7693302e082a075cee0c057741ac4772c"
1538 | integrity sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==
1539 |
1540 | ms@2.1.2:
1541 | version "2.1.2"
1542 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.2.tgz#d09d1f357b443f493382a8eb3ccd183872ae6009"
1543 | integrity sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==
1544 |
1545 | ms@^2.1.1:
1546 | version "2.1.3"
1547 | resolved "https://registry.yarnpkg.com/ms/-/ms-2.1.3.tgz#574c8138ce1d2b5861f0b44579dbadd60c6615b2"
1548 | integrity sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==
1549 |
1550 | nanoid@^3.3.4:
1551 | version "3.3.6"
1552 | resolved "https://registry.yarnpkg.com/nanoid/-/nanoid-3.3.6.tgz#443380c856d6e9f9824267d960b4236ad583ea4c"
1553 | integrity sha512-BGcqMMJuToF7i1rt+2PWSNVnWIkGCU78jBG3RxO/bZlnZPK2Cmi2QaffxGO/2RvWi9sL+FAiRiXMgsyxQ1DIDA==
1554 |
1555 | natural-compare@^1.4.0:
1556 | version "1.4.0"
1557 | resolved "https://registry.yarnpkg.com/natural-compare/-/natural-compare-1.4.0.tgz#4abebfeed7541f2c27acfb29bdbbd15c8d5ba4f7"
1558 | integrity sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw==
1559 |
1560 | next@13.4.3:
1561 | version "13.4.3"
1562 | resolved "https://registry.yarnpkg.com/next/-/next-13.4.3.tgz#7f417dec9fa2731d8c1d1819a1c7d0919ad6fc75"
1563 | integrity sha512-FV3pBrAAnAIfOclTvncw9dDohyeuEEXPe5KNcva91anT/rdycWbgtu3IjUj4n5yHnWK8YEPo0vrUecHmnmUNbA==
1564 | dependencies:
1565 | "@next/env" "13.4.3"
1566 | "@swc/helpers" "0.5.1"
1567 | busboy "1.6.0"
1568 | caniuse-lite "^1.0.30001406"
1569 | postcss "8.4.14"
1570 | styled-jsx "5.1.1"
1571 | zod "3.21.4"
1572 | optionalDependencies:
1573 | "@next/swc-darwin-arm64" "13.4.3"
1574 | "@next/swc-darwin-x64" "13.4.3"
1575 | "@next/swc-linux-arm64-gnu" "13.4.3"
1576 | "@next/swc-linux-arm64-musl" "13.4.3"
1577 | "@next/swc-linux-x64-gnu" "13.4.3"
1578 | "@next/swc-linux-x64-musl" "13.4.3"
1579 | "@next/swc-win32-arm64-msvc" "13.4.3"
1580 | "@next/swc-win32-ia32-msvc" "13.4.3"
1581 | "@next/swc-win32-x64-msvc" "13.4.3"
1582 |
1583 | npm-run-path@^4.0.1:
1584 | version "4.0.1"
1585 | resolved "https://registry.yarnpkg.com/npm-run-path/-/npm-run-path-4.0.1.tgz#b7ecd1e5ed53da8e37a55e1c2269e0b97ed748ea"
1586 | integrity sha512-S48WzZW777zhNIrn7gxOlISNAqi9ZC/uQFnRdbeIHhZhCA6UqpkOT8T1G7BvfdgP4Er8gF4sUbaS0i7QvIfCWw==
1587 | dependencies:
1588 | path-key "^3.0.0"
1589 |
1590 | npm-run-path@^5.1.0:
1591 | version "5.1.0"
1592 | resolved "https://registry.yarnpkg.com/npm-run-path/-/npm-run-path-5.1.0.tgz#bc62f7f3f6952d9894bd08944ba011a6ee7b7e00"
1593 | integrity sha512-sJOdmRGrY2sjNTRMbSvluQqg+8X7ZK61yvzBEIDhz4f8z1TZFYABsqjjCBd/0PUNE9M6QDgHJXQkGUEm7Q+l9Q==
1594 | dependencies:
1595 | path-key "^4.0.0"
1596 |
1597 | object-assign@^4.1.1:
1598 | version "4.1.1"
1599 | resolved "https://registry.yarnpkg.com/object-assign/-/object-assign-4.1.1.tgz#2109adc7965887cfc05cbbd442cac8bfbb360863"
1600 | integrity sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==
1601 |
1602 | object-inspect@^1.12.3, object-inspect@^1.9.0:
1603 | version "1.12.3"
1604 | resolved "https://registry.yarnpkg.com/object-inspect/-/object-inspect-1.12.3.tgz#ba62dffd67ee256c8c086dfae69e016cd1f198b9"
1605 | integrity sha512-geUvdk7c+eizMNUDkRpW1wJwgfOiOeHbxBR/hLXK1aT6zmVSO0jsQcs7fj6MGw89jC/cjGfLcNOrtMYtGqm81g==
1606 |
1607 | object-is@^1.1.5:
1608 | version "1.1.5"
1609 | resolved "https://registry.yarnpkg.com/object-is/-/object-is-1.1.5.tgz#b9deeaa5fc7f1846a0faecdceec138e5778f53ac"
1610 | integrity sha512-3cyDsyHgtmi7I7DfSSI2LDp6SK2lwvtbg0p0R1e0RvTqF5ceGx+K2dfSjm1bKDMVCFEDAQvy+o8c6a7VujOddw==
1611 | dependencies:
1612 | call-bind "^1.0.2"
1613 | define-properties "^1.1.3"
1614 |
1615 | object-keys@^1.1.1:
1616 | version "1.1.1"
1617 | resolved "https://registry.yarnpkg.com/object-keys/-/object-keys-1.1.1.tgz#1c47f272df277f3b1daf061677d9c82e2322c60e"
1618 | integrity sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA==
1619 |
1620 | object.assign@^4.1.3, object.assign@^4.1.4:
1621 | version "4.1.4"
1622 | resolved "https://registry.yarnpkg.com/object.assign/-/object.assign-4.1.4.tgz#9673c7c7c351ab8c4d0b516f4343ebf4dfb7799f"
1623 | integrity sha512-1mxKf0e58bvyjSCtKYY4sRe9itRk3PJpquJOjeIkz885CczcI4IvJJDLPS72oowuSh+pBxUFROpX+TU++hxhZQ==
1624 | dependencies:
1625 | call-bind "^1.0.2"
1626 | define-properties "^1.1.4"
1627 | has-symbols "^1.0.3"
1628 | object-keys "^1.1.1"
1629 |
1630 | object.entries@^1.1.6:
1631 | version "1.1.6"
1632 | resolved "https://registry.yarnpkg.com/object.entries/-/object.entries-1.1.6.tgz#9737d0e5b8291edd340a3e3264bb8a3b00d5fa23"
1633 | integrity sha512-leTPzo4Zvg3pmbQ3rDK69Rl8GQvIqMWubrkxONG9/ojtFE2rD9fjMKfSI5BxW3osRH1m6VdzmqK8oAY9aT4x5w==
1634 | dependencies:
1635 | call-bind "^1.0.2"
1636 | define-properties "^1.1.4"
1637 | es-abstract "^1.20.4"
1638 |
1639 | object.fromentries@^2.0.6:
1640 | version "2.0.6"
1641 | resolved "https://registry.yarnpkg.com/object.fromentries/-/object.fromentries-2.0.6.tgz#cdb04da08c539cffa912dcd368b886e0904bfa73"
1642 | integrity sha512-VciD13dswC4j1Xt5394WR4MzmAQmlgN72phd/riNp9vtD7tp4QQWJ0R4wvclXcafgcYK8veHRed2W6XeGBvcfg==
1643 | dependencies:
1644 | call-bind "^1.0.2"
1645 | define-properties "^1.1.4"
1646 | es-abstract "^1.20.4"
1647 |
1648 | object.hasown@^1.1.2:
1649 | version "1.1.2"
1650 | resolved "https://registry.yarnpkg.com/object.hasown/-/object.hasown-1.1.2.tgz#f919e21fad4eb38a57bc6345b3afd496515c3f92"
1651 | integrity sha512-B5UIT3J1W+WuWIU55h0mjlwaqxiE5vYENJXIXZ4VFe05pNYrkKuK0U/6aFcb0pKywYJh7IhfoqUfKVmrJJHZHw==
1652 | dependencies:
1653 | define-properties "^1.1.4"
1654 | es-abstract "^1.20.4"
1655 |
1656 | object.values@^1.1.6:
1657 | version "1.1.6"
1658 | resolved "https://registry.yarnpkg.com/object.values/-/object.values-1.1.6.tgz#4abbaa71eba47d63589d402856f908243eea9b1d"
1659 | integrity sha512-FVVTkD1vENCsAcwNs9k6jea2uHC/X0+JcjG8YA60FN5CMaJmG95wT9jek/xX9nornqGRrBkKtzuAu2wuHpKqvw==
1660 | dependencies:
1661 | call-bind "^1.0.2"
1662 | define-properties "^1.1.4"
1663 | es-abstract "^1.20.4"
1664 |
1665 | once@^1.3.0:
1666 | version "1.4.0"
1667 | resolved "https://registry.yarnpkg.com/once/-/once-1.4.0.tgz#583b1aa775961d4b113ac17d9c50baef9dd76bd1"
1668 | integrity sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==
1669 | dependencies:
1670 | wrappy "1"
1671 |
1672 | onetime@^5.1.2:
1673 | version "5.1.2"
1674 | resolved "https://registry.yarnpkg.com/onetime/-/onetime-5.1.2.tgz#d0e96ebb56b07476df1dd9c4806e5237985ca45e"
1675 | integrity sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg==
1676 | dependencies:
1677 | mimic-fn "^2.1.0"
1678 |
1679 | onetime@^6.0.0:
1680 | version "6.0.0"
1681 | resolved "https://registry.yarnpkg.com/onetime/-/onetime-6.0.0.tgz#7c24c18ed1fd2e9bca4bd26806a33613c77d34b4"
1682 | integrity sha512-1FlR+gjXK7X+AsAHso35MnyN5KqGwJRi/31ft6x0M194ht7S+rWAvd7PHss9xSKMzE0asv1pyIHaJYq+BbacAQ==
1683 | dependencies:
1684 | mimic-fn "^4.0.0"
1685 |
1686 | open@^9.1.0:
1687 | version "9.1.0"
1688 | resolved "https://registry.yarnpkg.com/open/-/open-9.1.0.tgz#684934359c90ad25742f5a26151970ff8c6c80b6"
1689 | integrity sha512-OS+QTnw1/4vrf+9hh1jc1jnYjzSG4ttTBB8UxOwAnInG3Uo4ssetzC1ihqaIHjLJnA5GGlRl6QlZXOTQhRBUvg==
1690 | dependencies:
1691 | default-browser "^4.0.0"
1692 | define-lazy-prop "^3.0.0"
1693 | is-inside-container "^1.0.0"
1694 | is-wsl "^2.2.0"
1695 |
1696 | optionator@^0.9.1:
1697 | version "0.9.1"
1698 | resolved "https://registry.yarnpkg.com/optionator/-/optionator-0.9.1.tgz#4f236a6373dae0566a6d43e1326674f50c291499"
1699 | integrity sha512-74RlY5FCnhq4jRxVUPKDaRwrVNXMqsGsiW6AJw4XK8hmtm10wC0ypZBLw5IIp85NZMr91+qd1RvvENwg7jjRFw==
1700 | dependencies:
1701 | deep-is "^0.1.3"
1702 | fast-levenshtein "^2.0.6"
1703 | levn "^0.4.1"
1704 | prelude-ls "^1.2.1"
1705 | type-check "^0.4.0"
1706 | word-wrap "^1.2.3"
1707 |
1708 | p-limit@^3.0.2:
1709 | version "3.1.0"
1710 | resolved "https://registry.yarnpkg.com/p-limit/-/p-limit-3.1.0.tgz#e1daccbe78d0d1388ca18c64fea38e3e57e3706b"
1711 | integrity sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==
1712 | dependencies:
1713 | yocto-queue "^0.1.0"
1714 |
1715 | p-locate@^5.0.0:
1716 | version "5.0.0"
1717 | resolved "https://registry.yarnpkg.com/p-locate/-/p-locate-5.0.0.tgz#83c8315c6785005e3bd021839411c9e110e6d834"
1718 | integrity sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw==
1719 | dependencies:
1720 | p-limit "^3.0.2"
1721 |
1722 | parent-module@^1.0.0:
1723 | version "1.0.1"
1724 | resolved "https://registry.yarnpkg.com/parent-module/-/parent-module-1.0.1.tgz#691d2709e78c79fae3a156622452d00762caaaa2"
1725 | integrity sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g==
1726 | dependencies:
1727 | callsites "^3.0.0"
1728 |
1729 | path-exists@^4.0.0:
1730 | version "4.0.0"
1731 | resolved "https://registry.yarnpkg.com/path-exists/-/path-exists-4.0.0.tgz#513bdbe2d3b95d7762e8c1137efa195c6c61b5b3"
1732 | integrity sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w==
1733 |
1734 | path-is-absolute@^1.0.0:
1735 | version "1.0.1"
1736 | resolved "https://registry.yarnpkg.com/path-is-absolute/-/path-is-absolute-1.0.1.tgz#174b9268735534ffbc7ace6bf53a5a9e1b5c5f5f"
1737 | integrity sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==
1738 |
1739 | path-key@^3.0.0, path-key@^3.1.0:
1740 | version "3.1.1"
1741 | resolved "https://registry.yarnpkg.com/path-key/-/path-key-3.1.1.tgz#581f6ade658cbba65a0d3380de7753295054f375"
1742 | integrity sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==
1743 |
1744 | path-key@^4.0.0:
1745 | version "4.0.0"
1746 | resolved "https://registry.yarnpkg.com/path-key/-/path-key-4.0.0.tgz#295588dc3aee64154f877adb9d780b81c554bf18"
1747 | integrity sha512-haREypq7xkM7ErfgIyA0z+Bj4AGKlMSdlQE2jvJo6huWD1EdkKYV+G/T4nq0YEF2vgTT8kqMFKo1uHn950r4SQ==
1748 |
1749 | path-parse@^1.0.7:
1750 | version "1.0.7"
1751 | resolved "https://registry.yarnpkg.com/path-parse/-/path-parse-1.0.7.tgz#fbc114b60ca42b30d9daf5858e4bd68bbedb6735"
1752 | integrity sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==
1753 |
1754 | path-type@^4.0.0:
1755 | version "4.0.0"
1756 | resolved "https://registry.yarnpkg.com/path-type/-/path-type-4.0.0.tgz#84ed01c0a7ba380afe09d90a8c180dcd9d03043b"
1757 | integrity sha512-gDKb8aZMDeD/tZWs9P6+q0J9Mwkdl6xMV8TjnGP3qJVJ06bdMgkbBlLU8IdfOsIsFz2BW1rNVT3XuNEl8zPAvw==
1758 |
1759 | picocolors@^1.0.0:
1760 | version "1.0.0"
1761 | resolved "https://registry.yarnpkg.com/picocolors/-/picocolors-1.0.0.tgz#cb5bdc74ff3f51892236eaf79d68bc44564ab81c"
1762 | integrity sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ==
1763 |
1764 | picomatch@^2.3.1:
1765 | version "2.3.1"
1766 | resolved "https://registry.yarnpkg.com/picomatch/-/picomatch-2.3.1.tgz#3ba3833733646d9d3e4995946c1365a67fb07a42"
1767 | integrity sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==
1768 |
1769 | postcss@8.4.14:
1770 | version "8.4.14"
1771 | resolved "https://registry.yarnpkg.com/postcss/-/postcss-8.4.14.tgz#ee9274d5622b4858c1007a74d76e42e56fd21caf"
1772 | integrity sha512-E398TUmfAYFPBSdzgeieK2Y1+1cpdxJx8yXbK/m57nRhKSmk1GB2tO4lbLBtlkfPQTDKfe4Xqv1ASWPpayPEig==
1773 | dependencies:
1774 | nanoid "^3.3.4"
1775 | picocolors "^1.0.0"
1776 | source-map-js "^1.0.2"
1777 |
1778 | prelude-ls@^1.2.1:
1779 | version "1.2.1"
1780 | resolved "https://registry.yarnpkg.com/prelude-ls/-/prelude-ls-1.2.1.tgz#debc6489d7a6e6b0e7611888cec880337d316396"
1781 | integrity sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g==
1782 |
1783 | prop-types@^15.8.1:
1784 | version "15.8.1"
1785 | resolved "https://registry.yarnpkg.com/prop-types/-/prop-types-15.8.1.tgz#67d87bf1a694f48435cf332c24af10214a3140b5"
1786 | integrity sha512-oj87CgZICdulUohogVAR7AjlC0327U4el4L6eAvOqCeudMDVU0NThNaV+b9Df4dXgSP1gXMTnPdhfe/2qDH5cg==
1787 | dependencies:
1788 | loose-envify "^1.4.0"
1789 | object-assign "^4.1.1"
1790 | react-is "^16.13.1"
1791 |
1792 | punycode@^2.1.0:
1793 | version "2.3.0"
1794 | resolved "https://registry.yarnpkg.com/punycode/-/punycode-2.3.0.tgz#f67fa67c94da8f4d0cfff981aee4118064199b8f"
1795 | integrity sha512-rRV+zQD8tVFys26lAGR9WUuS4iUAngJScM+ZRSKtvl5tKeZ2t5bvdNFdNHBW9FWR4guGHlgmsZ1G7BSm2wTbuA==
1796 |
1797 | queue-microtask@^1.2.2:
1798 | version "1.2.3"
1799 | resolved "https://registry.yarnpkg.com/queue-microtask/-/queue-microtask-1.2.3.tgz#4929228bbc724dfac43e0efb058caf7b6cfb6243"
1800 | integrity sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==
1801 |
1802 | react-audio-voice-recorder@^1.1.6:
1803 | version "1.1.6"
1804 | resolved "https://registry.yarnpkg.com/react-audio-voice-recorder/-/react-audio-voice-recorder-1.1.6.tgz#b6d95c83b9ca0b8fabb88c1dea9c6ebdb8331b84"
1805 | integrity sha512-a8AqO/J3UwAAcYuya/y3mQrhsrUC4vv27cnZTSmlAt/4Jqq7s+fhkdlI4s3/IRCs0ygoJlgsPTMqV+k2OR4esg==
1806 | dependencies:
1807 | react "^18.2.0"
1808 | react-dom "^18.2.0"
1809 |
1810 | react-dom@18.2.0, react-dom@^18.2.0:
1811 | version "18.2.0"
1812 | resolved "https://registry.yarnpkg.com/react-dom/-/react-dom-18.2.0.tgz#22aaf38708db2674ed9ada224ca4aa708d821e3d"
1813 | integrity sha512-6IMTriUmvsjHUjNtEDudZfuDQUoWXVxKHhlEGSk81n4YFS+r/Kl99wXiwlVXtPBtJenozv2P+hxDsw9eA7Xo6g==
1814 | dependencies:
1815 | loose-envify "^1.1.0"
1816 | scheduler "^0.23.0"
1817 |
1818 | react-is@^16.13.1:
1819 | version "16.13.1"
1820 | resolved "https://registry.yarnpkg.com/react-is/-/react-is-16.13.1.tgz#789729a4dc36de2999dc156dd6c1d9c18cea56a4"
1821 | integrity sha512-24e6ynE2H+OKt4kqsOvNd8kBpV65zoxbA4BVsEOB3ARVWQki/DHzaUoC5KuON/BiccDaCCTZBuOcfZs70kR8bQ==
1822 |
1823 | react-loading@^2.0.3:
1824 | version "2.0.3"
1825 | resolved "https://registry.yarnpkg.com/react-loading/-/react-loading-2.0.3.tgz#e8138fb0c3e4674e481b320802ac7048ae14ffb9"
1826 | integrity sha512-Vdqy79zq+bpeWJqC+xjltUjuGApyoItPgL0vgVfcJHhqwU7bAMKzysfGW/ADu6i0z0JiOCRJjo+IkFNkRNbA3A==
1827 |
1828 | react@18.2.0, react@^18.2.0:
1829 | version "18.2.0"
1830 | resolved "https://registry.yarnpkg.com/react/-/react-18.2.0.tgz#555bd98592883255fa00de14f1151a917b5d77d5"
1831 | integrity sha512-/3IjMdb2L9QbBdWiW5e3P2/npwMBaU9mHCSCUzNln0ZCYbcfTsGbTJrU/kGemdH2IWmB2ioZ+zkxtmq6g09fGQ==
1832 | dependencies:
1833 | loose-envify "^1.1.0"
1834 |
1835 | regenerator-runtime@^0.13.11:
1836 | version "0.13.11"
1837 | resolved "https://registry.yarnpkg.com/regenerator-runtime/-/regenerator-runtime-0.13.11.tgz#f6dca3e7ceec20590d07ada785636a90cdca17f9"
1838 | integrity sha512-kY1AZVr2Ra+t+piVaJ4gxaFaReZVH40AKNo7UCX6W+dEwBo/2oZJzqfuN1qLq1oL45o56cPaTXELwrTh8Fpggg==
1839 |
1840 | regexp.prototype.flags@^1.4.3, regexp.prototype.flags@^1.5.0:
1841 | version "1.5.0"
1842 | resolved "https://registry.yarnpkg.com/regexp.prototype.flags/-/regexp.prototype.flags-1.5.0.tgz#fe7ce25e7e4cca8db37b6634c8a2c7009199b9cb"
1843 | integrity sha512-0SutC3pNudRKgquxGoRGIz946MZVHqbNfPjBdxeOhBrdgDKlRoXmYLQN9xRbrR09ZXWeGAdPuif7egofn6v5LA==
1844 | dependencies:
1845 | call-bind "^1.0.2"
1846 | define-properties "^1.2.0"
1847 | functions-have-names "^1.2.3"
1848 |
1849 | resolve-from@^4.0.0:
1850 | version "4.0.0"
1851 | resolved "https://registry.yarnpkg.com/resolve-from/-/resolve-from-4.0.0.tgz#4abcd852ad32dd7baabfe9b40e00a36db5f392e6"
1852 | integrity sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g==
1853 |
1854 | resolve@^1.22.1:
1855 | version "1.22.2"
1856 | resolved "https://registry.yarnpkg.com/resolve/-/resolve-1.22.2.tgz#0ed0943d4e301867955766c9f3e1ae6d01c6845f"
1857 | integrity sha512-Sb+mjNHOULsBv818T40qSPeRiuWLyaGMa5ewydRLFimneixmVy2zdivRl+AF6jaYPC8ERxGDmFSiqui6SfPd+g==
1858 | dependencies:
1859 | is-core-module "^2.11.0"
1860 | path-parse "^1.0.7"
1861 | supports-preserve-symlinks-flag "^1.0.0"
1862 |
1863 | resolve@^2.0.0-next.4:
1864 | version "2.0.0-next.4"
1865 | resolved "https://registry.yarnpkg.com/resolve/-/resolve-2.0.0-next.4.tgz#3d37a113d6429f496ec4752d2a2e58efb1fd4660"
1866 | integrity sha512-iMDbmAWtfU+MHpxt/I5iWI7cY6YVEZUQ3MBgPQ++XD1PELuJHIl82xBmObyP2KyQmkNB2dsqF7seoQQiAn5yDQ==
1867 | dependencies:
1868 | is-core-module "^2.9.0"
1869 | path-parse "^1.0.7"
1870 | supports-preserve-symlinks-flag "^1.0.0"
1871 |
1872 | reusify@^1.0.4:
1873 | version "1.0.4"
1874 | resolved "https://registry.yarnpkg.com/reusify/-/reusify-1.0.4.tgz#90da382b1e126efc02146e90845a88db12925d76"
1875 | integrity sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==
1876 |
1877 | rimraf@^3.0.2:
1878 | version "3.0.2"
1879 | resolved "https://registry.yarnpkg.com/rimraf/-/rimraf-3.0.2.tgz#f1a5402ba6220ad52cc1282bac1ae3aa49fd061a"
1880 | integrity sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==
1881 | dependencies:
1882 | glob "^7.1.3"
1883 |
1884 | run-applescript@^5.0.0:
1885 | version "5.0.0"
1886 | resolved "https://registry.yarnpkg.com/run-applescript/-/run-applescript-5.0.0.tgz#e11e1c932e055d5c6b40d98374e0268d9b11899c"
1887 | integrity sha512-XcT5rBksx1QdIhlFOCtgZkB99ZEouFZ1E2Kc2LHqNW13U3/74YGdkQRmThTwxy4QIyookibDKYZOPqX//6BlAg==
1888 | dependencies:
1889 | execa "^5.0.0"
1890 |
1891 | run-parallel@^1.1.9:
1892 | version "1.2.0"
1893 | resolved "https://registry.yarnpkg.com/run-parallel/-/run-parallel-1.2.0.tgz#66d1368da7bdf921eb9d95bd1a9229e7f21a43ee"
1894 | integrity sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==
1895 | dependencies:
1896 | queue-microtask "^1.2.2"
1897 |
1898 | safe-regex-test@^1.0.0:
1899 | version "1.0.0"
1900 | resolved "https://registry.yarnpkg.com/safe-regex-test/-/safe-regex-test-1.0.0.tgz#793b874d524eb3640d1873aad03596db2d4f2295"
1901 | integrity sha512-JBUUzyOgEwXQY1NuPtvcj/qcBDbDmEvWufhlnXZIm75DEHp+afM1r1ujJpJsV/gSM4t59tpDyPi1sd6ZaPFfsA==
1902 | dependencies:
1903 | call-bind "^1.0.2"
1904 | get-intrinsic "^1.1.3"
1905 | is-regex "^1.1.4"
1906 |
1907 | scheduler@^0.23.0:
1908 | version "0.23.0"
1909 | resolved "https://registry.yarnpkg.com/scheduler/-/scheduler-0.23.0.tgz#ba8041afc3d30eb206a487b6b384002e4e61fdfe"
1910 | integrity sha512-CtuThmgHNg7zIZWAXi3AsyIzA3n4xx7aNyjwC2VJldO2LMVDhFK+63xGqq6CsJH4rTAt6/M+N4GhZiDYPx9eUw==
1911 | dependencies:
1912 | loose-envify "^1.1.0"
1913 |
1914 | semver@^6.3.0:
1915 | version "6.3.0"
1916 | resolved "https://registry.yarnpkg.com/semver/-/semver-6.3.0.tgz#ee0a64c8af5e8ceea67687b133761e1becbd1d3d"
1917 | integrity sha512-b39TBaTSfV6yBrapU89p5fKekE2m/NwnDocOVruQFS1/veMgdzuPcnOM34M6CwxW8jH/lxEa5rBoDeUwu5HHTw==
1918 |
1919 | semver@^7.3.7:
1920 | version "7.5.1"
1921 | resolved "https://registry.yarnpkg.com/semver/-/semver-7.5.1.tgz#c90c4d631cf74720e46b21c1d37ea07edfab91ec"
1922 | integrity sha512-Wvss5ivl8TMRZXXESstBA4uR5iXgEN/VC5/sOcuXdVLzcdkz4HWetIoRfG5gb5X+ij/G9rw9YoGn3QoQ8OCSpw==
1923 | dependencies:
1924 | lru-cache "^6.0.0"
1925 |
1926 | shebang-command@^2.0.0:
1927 | version "2.0.0"
1928 | resolved "https://registry.yarnpkg.com/shebang-command/-/shebang-command-2.0.0.tgz#ccd0af4f8835fbdc265b82461aaf0c36663f34ea"
1929 | integrity sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==
1930 | dependencies:
1931 | shebang-regex "^3.0.0"
1932 |
1933 | shebang-regex@^3.0.0:
1934 | version "3.0.0"
1935 | resolved "https://registry.yarnpkg.com/shebang-regex/-/shebang-regex-3.0.0.tgz#ae16f1644d873ecad843b0307b143362d4c42172"
1936 | integrity sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==
1937 |
1938 | side-channel@^1.0.4:
1939 | version "1.0.4"
1940 | resolved "https://registry.yarnpkg.com/side-channel/-/side-channel-1.0.4.tgz#efce5c8fdc104ee751b25c58d4290011fa5ea2cf"
1941 | integrity sha512-q5XPytqFEIKHkGdiMIrY10mvLRvnQh42/+GoBlFW3b2LXLE2xxJpZFdm94we0BaoV3RwJyGqg5wS7epxTv0Zvw==
1942 | dependencies:
1943 | call-bind "^1.0.0"
1944 | get-intrinsic "^1.0.2"
1945 | object-inspect "^1.9.0"
1946 |
1947 | signal-exit@^3.0.3, signal-exit@^3.0.7:
1948 | version "3.0.7"
1949 | resolved "https://registry.yarnpkg.com/signal-exit/-/signal-exit-3.0.7.tgz#a9a1767f8af84155114eaabd73f99273c8f59ad9"
1950 | integrity sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==
1951 |
1952 | slash@^3.0.0:
1953 | version "3.0.0"
1954 | resolved "https://registry.yarnpkg.com/slash/-/slash-3.0.0.tgz#6539be870c165adbd5240220dbe361f1bc4d4634"
1955 | integrity sha512-g9Q1haeby36OSStwb4ntCGGGaKsaVSjQ68fBxoQcutl5fS1vuY18H3wSt3jFyFtrkx+Kz0V1G85A4MyAdDMi2Q==
1956 |
1957 | slash@^4.0.0:
1958 | version "4.0.0"
1959 | resolved "https://registry.yarnpkg.com/slash/-/slash-4.0.0.tgz#2422372176c4c6c5addb5e2ada885af984b396a7"
1960 | integrity sha512-3dOsAHXXUkQTpOYcoAxLIorMTp4gIQr5IW3iVb7A7lFIp0VHhnynm9izx6TssdrIcVIESAlVjtnO2K8bg+Coew==
1961 |
1962 | source-map-js@^1.0.2:
1963 | version "1.0.2"
1964 | resolved "https://registry.yarnpkg.com/source-map-js/-/source-map-js-1.0.2.tgz#adbc361d9c62df380125e7f161f71c826f1e490c"
1965 | integrity sha512-R0XvVJ9WusLiqTCEiGCmICCMplcCkIwwR11mOSD9CR5u+IXYdiseeEuXCVAjS54zqwkLcPNnmU4OeJ6tUrWhDw==
1966 |
1967 | stop-iteration-iterator@^1.0.0:
1968 | version "1.0.0"
1969 | resolved "https://registry.yarnpkg.com/stop-iteration-iterator/-/stop-iteration-iterator-1.0.0.tgz#6a60be0b4ee757d1ed5254858ec66b10c49285e4"
1970 | integrity sha512-iCGQj+0l0HOdZ2AEeBADlsRC+vsnDsZsbdSiH1yNSjcfKM7fdpCMfqAL/dwF5BLiw/XhRft/Wax6zQbhq2BcjQ==
1971 | dependencies:
1972 | internal-slot "^1.0.4"
1973 |
1974 | streamsearch@^1.1.0:
1975 | version "1.1.0"
1976 | resolved "https://registry.yarnpkg.com/streamsearch/-/streamsearch-1.1.0.tgz#404dd1e2247ca94af554e841a8ef0eaa238da764"
1977 | integrity sha512-Mcc5wHehp9aXz1ax6bZUyY5afg9u2rv5cqQI3mRrYkGC8rW2hM02jWuwjtL++LS5qinSyhj2QfLyNsuc+VsExg==
1978 |
1979 | string.prototype.matchall@^4.0.8:
1980 | version "4.0.8"
1981 | resolved "https://registry.yarnpkg.com/string.prototype.matchall/-/string.prototype.matchall-4.0.8.tgz#3bf85722021816dcd1bf38bb714915887ca79fd3"
1982 | integrity sha512-6zOCOcJ+RJAQshcTvXPHoxoQGONa3e/Lqx90wUA+wEzX78sg5Bo+1tQo4N0pohS0erG9qtCqJDjNCQBjeWVxyg==
1983 | dependencies:
1984 | call-bind "^1.0.2"
1985 | define-properties "^1.1.4"
1986 | es-abstract "^1.20.4"
1987 | get-intrinsic "^1.1.3"
1988 | has-symbols "^1.0.3"
1989 | internal-slot "^1.0.3"
1990 | regexp.prototype.flags "^1.4.3"
1991 | side-channel "^1.0.4"
1992 |
1993 | string.prototype.trim@^1.2.7:
1994 | version "1.2.7"
1995 | resolved "https://registry.yarnpkg.com/string.prototype.trim/-/string.prototype.trim-1.2.7.tgz#a68352740859f6893f14ce3ef1bb3037f7a90533"
1996 | integrity sha512-p6TmeT1T3411M8Cgg9wBTMRtY2q9+PNy9EV1i2lIXUN/btt763oIfxwN3RR8VU6wHX8j/1CFy0L+YuThm6bgOg==
1997 | dependencies:
1998 | call-bind "^1.0.2"
1999 | define-properties "^1.1.4"
2000 | es-abstract "^1.20.4"
2001 |
2002 | string.prototype.trimend@^1.0.6:
2003 | version "1.0.6"
2004 | resolved "https://registry.yarnpkg.com/string.prototype.trimend/-/string.prototype.trimend-1.0.6.tgz#c4a27fa026d979d79c04f17397f250a462944533"
2005 | integrity sha512-JySq+4mrPf9EsDBEDYMOb/lM7XQLulwg5R/m1r0PXEFqrV0qHvl58sdTilSXtKOflCsK2E8jxf+GKC0T07RWwQ==
2006 | dependencies:
2007 | call-bind "^1.0.2"
2008 | define-properties "^1.1.4"
2009 | es-abstract "^1.20.4"
2010 |
2011 | string.prototype.trimstart@^1.0.6:
2012 | version "1.0.6"
2013 | resolved "https://registry.yarnpkg.com/string.prototype.trimstart/-/string.prototype.trimstart-1.0.6.tgz#e90ab66aa8e4007d92ef591bbf3cd422c56bdcf4"
2014 | integrity sha512-omqjMDaY92pbn5HOX7f9IccLA+U1tA9GvtU4JrodiXFfYB7jPzzHpRzpglLAjtUV6bB557zwClJezTqnAiYnQA==
2015 | dependencies:
2016 | call-bind "^1.0.2"
2017 | define-properties "^1.1.4"
2018 | es-abstract "^1.20.4"
2019 |
2020 | strip-ansi@^6.0.1:
2021 | version "6.0.1"
2022 | resolved "https://registry.yarnpkg.com/strip-ansi/-/strip-ansi-6.0.1.tgz#9e26c63d30f53443e9489495b2105d37b67a85d9"
2023 | integrity sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==
2024 | dependencies:
2025 | ansi-regex "^5.0.1"
2026 |
2027 | strip-bom@^3.0.0:
2028 | version "3.0.0"
2029 | resolved "https://registry.yarnpkg.com/strip-bom/-/strip-bom-3.0.0.tgz#2334c18e9c759f7bdd56fdef7e9ae3d588e68ed3"
2030 | integrity sha512-vavAMRXOgBVNF6nyEEmL3DBK19iRpDcoIwW+swQ+CbGiu7lju6t+JklA1MHweoWtadgt4ISVUsXLyDq34ddcwA==
2031 |
2032 | strip-final-newline@^2.0.0:
2033 | version "2.0.0"
2034 | resolved "https://registry.yarnpkg.com/strip-final-newline/-/strip-final-newline-2.0.0.tgz#89b852fb2fcbe936f6f4b3187afb0a12c1ab58ad"
2035 | integrity sha512-BrpvfNAE3dcvq7ll3xVumzjKjZQ5tI1sEUIKr3Uoks0XUl45St3FlatVqef9prk4jRDzhW6WZg+3bk93y6pLjA==
2036 |
2037 | strip-final-newline@^3.0.0:
2038 | version "3.0.0"
2039 | resolved "https://registry.yarnpkg.com/strip-final-newline/-/strip-final-newline-3.0.0.tgz#52894c313fbff318835280aed60ff71ebf12b8fd"
2040 | integrity sha512-dOESqjYr96iWYylGObzd39EuNTa5VJxyvVAEm5Jnh7KGo75V43Hk1odPQkNDyXNmUR6k+gEiDVXnjB8HJ3crXw==
2041 |
2042 | strip-json-comments@^3.1.0, strip-json-comments@^3.1.1:
2043 | version "3.1.1"
2044 | resolved "https://registry.yarnpkg.com/strip-json-comments/-/strip-json-comments-3.1.1.tgz#31f1281b3832630434831c310c01cccda8cbe006"
2045 | integrity sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==
2046 |
2047 | styled-jsx@5.1.1:
2048 | version "5.1.1"
2049 | resolved "https://registry.yarnpkg.com/styled-jsx/-/styled-jsx-5.1.1.tgz#839a1c3aaacc4e735fed0781b8619ea5d0009d1f"
2050 | integrity sha512-pW7uC1l4mBZ8ugbiZrcIsiIvVx1UmTfw7UkC3Um2tmfUq9Bhk8IiyEIPl6F8agHgjzku6j0xQEZbfA5uSgSaCw==
2051 | dependencies:
2052 | client-only "0.0.1"
2053 |
2054 | supports-color@^7.1.0:
2055 | version "7.2.0"
2056 | resolved "https://registry.yarnpkg.com/supports-color/-/supports-color-7.2.0.tgz#1b7dcdcb32b8138801b3e478ba6a51caa89648da"
2057 | integrity sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==
2058 | dependencies:
2059 | has-flag "^4.0.0"
2060 |
2061 | supports-preserve-symlinks-flag@^1.0.0:
2062 | version "1.0.0"
2063 | resolved "https://registry.yarnpkg.com/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz#6eda4bd344a3c94aea376d4cc31bc77311039e09"
2064 | integrity sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==
2065 |
2066 | synckit@^0.8.5:
2067 | version "0.8.5"
2068 | resolved "https://registry.yarnpkg.com/synckit/-/synckit-0.8.5.tgz#b7f4358f9bb559437f9f167eb6bc46b3c9818fa3"
2069 | integrity sha512-L1dapNV6vu2s/4Sputv8xGsCdAVlb5nRDMFU/E27D44l5U6cw1g0dGd45uLc+OXjNMmF4ntiMdCimzcjFKQI8Q==
2070 | dependencies:
2071 | "@pkgr/utils" "^2.3.1"
2072 | tslib "^2.5.0"
2073 |
2074 | tapable@^2.2.0:
2075 | version "2.2.1"
2076 | resolved "https://registry.yarnpkg.com/tapable/-/tapable-2.2.1.tgz#1967a73ef4060a82f12ab96af86d52fdb76eeca0"
2077 | integrity sha512-GNzQvQTOIP6RyTfE2Qxb8ZVlNmw0n88vp1szwWRimP02mnTsx3Wtn5qRdqY9w2XduFNUgvOwhNnQsjwCp+kqaQ==
2078 |
2079 | text-table@^0.2.0:
2080 | version "0.2.0"
2081 | resolved "https://registry.yarnpkg.com/text-table/-/text-table-0.2.0.tgz#7f5ee823ae805207c00af2df4a84ec3fcfa570b4"
2082 | integrity sha512-N+8UisAXDGk8PFXP4HAzVR9nbfmVJ3zYLAWiTIoqC5v5isinhr+r5uaO8+7r3BMfuNIufIsA7RdpVgacC2cSpw==
2083 |
2084 | titleize@^3.0.0:
2085 | version "3.0.0"
2086 | resolved "https://registry.yarnpkg.com/titleize/-/titleize-3.0.0.tgz#71c12eb7fdd2558aa8a44b0be83b8a76694acd53"
2087 | integrity sha512-KxVu8EYHDPBdUYdKZdKtU2aj2XfEx9AfjXxE/Aj0vT06w2icA09Vus1rh6eSu1y01akYg6BjIK/hxyLJINoMLQ==
2088 |
2089 | to-regex-range@^5.0.1:
2090 | version "5.0.1"
2091 | resolved "https://registry.yarnpkg.com/to-regex-range/-/to-regex-range-5.0.1.tgz#1648c44aae7c8d988a326018ed72f5b4dd0392e4"
2092 | integrity sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==
2093 | dependencies:
2094 | is-number "^7.0.0"
2095 |
2096 | tsconfig-paths@^3.14.1:
2097 | version "3.14.2"
2098 | resolved "https://registry.yarnpkg.com/tsconfig-paths/-/tsconfig-paths-3.14.2.tgz#6e32f1f79412decd261f92d633a9dc1cfa99f088"
2099 | integrity sha512-o/9iXgCYc5L/JxCHPe3Hvh8Q/2xm5Z+p18PESBU6Ff33695QnCHBEjcytY2q19ua7Mbl/DavtBOLq+oG0RCL+g==
2100 | dependencies:
2101 | "@types/json5" "^0.0.29"
2102 | json5 "^1.0.2"
2103 | minimist "^1.2.6"
2104 | strip-bom "^3.0.0"
2105 |
2106 | tslib@^1.8.1:
2107 | version "1.14.1"
2108 | resolved "https://registry.yarnpkg.com/tslib/-/tslib-1.14.1.tgz#cf2d38bdc34a134bcaf1091c41f6619e2f672d00"
2109 | integrity sha512-Xni35NKzjgMrwevysHTCArtLDpPvye8zV/0E4EyYn43P7/7qvQwPh9BGkHewbMulVntbigmcT7rdX3BNo9wRJg==
2110 |
2111 | tslib@^2.4.0, tslib@^2.5.0:
2112 | version "2.5.2"
2113 | resolved "https://registry.yarnpkg.com/tslib/-/tslib-2.5.2.tgz#1b6f07185c881557b0ffa84b111a0106989e8338"
2114 | integrity sha512-5svOrSA2w3iGFDs1HibEVBGbDrAY82bFQ3HZ3ixB+88nsbsWQoKqDRb5UBYAUPEzbBn6dAp5gRNXglySbx1MlA==
2115 |
2116 | tsutils@^3.21.0:
2117 | version "3.21.0"
2118 | resolved "https://registry.yarnpkg.com/tsutils/-/tsutils-3.21.0.tgz#b48717d394cea6c1e096983eed58e9d61715b623"
2119 | integrity sha512-mHKK3iUXL+3UF6xL5k0PEhKRUBKPBCv/+RkEOpjRWxxx27KKRBmmA60A9pgOUvMi8GKhRMPEmjBRPzs2W7O1OA==
2120 | dependencies:
2121 | tslib "^1.8.1"
2122 |
2123 | type-check@^0.4.0, type-check@~0.4.0:
2124 | version "0.4.0"
2125 | resolved "https://registry.yarnpkg.com/type-check/-/type-check-0.4.0.tgz#07b8203bfa7056c0657050e3ccd2c37730bab8f1"
2126 | integrity sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew==
2127 | dependencies:
2128 | prelude-ls "^1.2.1"
2129 |
2130 | type-fest@^0.20.2:
2131 | version "0.20.2"
2132 | resolved "https://registry.yarnpkg.com/type-fest/-/type-fest-0.20.2.tgz#1bf207f4b28f91583666cb5fbd327887301cd5f4"
2133 | integrity sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==
2134 |
2135 | typed-array-length@^1.0.4:
2136 | version "1.0.4"
2137 | resolved "https://registry.yarnpkg.com/typed-array-length/-/typed-array-length-1.0.4.tgz#89d83785e5c4098bec72e08b319651f0eac9c1bb"
2138 | integrity sha512-KjZypGq+I/H7HI5HlOoGHkWUUGq+Q0TPhQurLbyrVrvnKTBgzLhIJ7j6J/XTQOi0d1RjyZ0wdas8bKs2p0x3Ng==
2139 | dependencies:
2140 | call-bind "^1.0.2"
2141 | for-each "^0.3.3"
2142 | is-typed-array "^1.1.9"
2143 |
2144 | typescript@5.0.4:
2145 | version "5.0.4"
2146 | resolved "https://registry.yarnpkg.com/typescript/-/typescript-5.0.4.tgz#b217fd20119bd61a94d4011274e0ab369058da3b"
2147 | integrity sha512-cW9T5W9xY37cc+jfEnaUvX91foxtHkza3Nw3wkoF4sSlKn0MONdkdEndig/qPBWXNkmplh3NzayQzCiHM4/hqw==
2148 |
2149 | unbox-primitive@^1.0.2:
2150 | version "1.0.2"
2151 | resolved "https://registry.yarnpkg.com/unbox-primitive/-/unbox-primitive-1.0.2.tgz#29032021057d5e6cdbd08c5129c226dff8ed6f9e"
2152 | integrity sha512-61pPlCD9h51VoreyJ0BReideM3MDKMKnh6+V9L08331ipq6Q8OFXZYiqP6n/tbHx4s5I9uRhcye6BrbkizkBDw==
2153 | dependencies:
2154 | call-bind "^1.0.2"
2155 | has-bigints "^1.0.2"
2156 | has-symbols "^1.0.3"
2157 | which-boxed-primitive "^1.0.2"
2158 |
2159 | untildify@^4.0.0:
2160 | version "4.0.0"
2161 | resolved "https://registry.yarnpkg.com/untildify/-/untildify-4.0.0.tgz#2bc947b953652487e4600949fb091e3ae8cd919b"
2162 | integrity sha512-KK8xQ1mkzZeg9inewmFVDNkg3l5LUhoq9kN6iWYB/CC9YMG8HA+c1Q8HwDe6dEX7kErrEVNVBO3fWsVq5iDgtw==
2163 |
2164 | uri-js@^4.2.2:
2165 | version "4.4.1"
2166 | resolved "https://registry.yarnpkg.com/uri-js/-/uri-js-4.4.1.tgz#9b1a52595225859e55f669d928f88c6c57f2a77e"
2167 | integrity sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==
2168 | dependencies:
2169 | punycode "^2.1.0"
2170 |
2171 | which-boxed-primitive@^1.0.2:
2172 | version "1.0.2"
2173 | resolved "https://registry.yarnpkg.com/which-boxed-primitive/-/which-boxed-primitive-1.0.2.tgz#13757bc89b209b049fe5d86430e21cf40a89a8e6"
2174 | integrity sha512-bwZdv0AKLpplFY2KZRX6TvyuN7ojjr7lwkg6ml0roIy9YeuSr7JS372qlNW18UQYzgYK9ziGcerWqZOmEn9VNg==
2175 | dependencies:
2176 | is-bigint "^1.0.1"
2177 | is-boolean-object "^1.1.0"
2178 | is-number-object "^1.0.4"
2179 | is-string "^1.0.5"
2180 | is-symbol "^1.0.3"
2181 |
2182 | which-collection@^1.0.1:
2183 | version "1.0.1"
2184 | resolved "https://registry.yarnpkg.com/which-collection/-/which-collection-1.0.1.tgz#70eab71ebbbd2aefaf32f917082fc62cdcb70906"
2185 | integrity sha512-W8xeTUwaln8i3K/cY1nGXzdnVZlidBcagyNFtBdD5kxnb4TvGKR7FfSIS3mYpwWS1QUCutfKz8IY8RjftB0+1A==
2186 | dependencies:
2187 | is-map "^2.0.1"
2188 | is-set "^2.0.1"
2189 | is-weakmap "^2.0.1"
2190 | is-weakset "^2.0.1"
2191 |
2192 | which-typed-array@^1.1.9:
2193 | version "1.1.9"
2194 | resolved "https://registry.yarnpkg.com/which-typed-array/-/which-typed-array-1.1.9.tgz#307cf898025848cf995e795e8423c7f337efbde6"
2195 | integrity sha512-w9c4xkx6mPidwp7180ckYWfMmvxpjlZuIudNtDf4N/tTAUB8VJbX25qZoAsrtGuYNnGw3pa0AXgbGKRB8/EceA==
2196 | dependencies:
2197 | available-typed-arrays "^1.0.5"
2198 | call-bind "^1.0.2"
2199 | for-each "^0.3.3"
2200 | gopd "^1.0.1"
2201 | has-tostringtag "^1.0.0"
2202 | is-typed-array "^1.1.10"
2203 |
2204 | which@^2.0.1:
2205 | version "2.0.2"
2206 | resolved "https://registry.yarnpkg.com/which/-/which-2.0.2.tgz#7c6a8dd0a636a0327e10b59c9286eee93f3f51b1"
2207 | integrity sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==
2208 | dependencies:
2209 | isexe "^2.0.0"
2210 |
2211 | word-wrap@^1.2.3:
2212 | version "1.2.3"
2213 | resolved "https://registry.yarnpkg.com/word-wrap/-/word-wrap-1.2.3.tgz#610636f6b1f703891bd34771ccb17fb93b47079c"
2214 | integrity sha512-Hz/mrNwitNRh/HUAtM/VT/5VH+ygD6DV7mYKZAtHOrbs8U7lvPS6xf7EJKMF0uW1KJCl0H701g3ZGus+muE5vQ==
2215 |
2216 | wrappy@1:
2217 | version "1.0.2"
2218 | resolved "https://registry.yarnpkg.com/wrappy/-/wrappy-1.0.2.tgz#b5243d8f3ec1aa35f1364605bc0d1036e30ab69f"
2219 | integrity sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==
2220 |
2221 | yallist@^4.0.0:
2222 | version "4.0.0"
2223 | resolved "https://registry.yarnpkg.com/yallist/-/yallist-4.0.0.tgz#9bb92790d9c0effec63be73519e11a35019a3a72"
2224 | integrity sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==
2225 |
2226 | yocto-queue@^0.1.0:
2227 | version "0.1.0"
2228 | resolved "https://registry.yarnpkg.com/yocto-queue/-/yocto-queue-0.1.0.tgz#0294eb3dee05028d31ee1a5fa2c556a6aaf10a1b"
2229 | integrity sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==
2230 |
2231 | zod@3.21.4:
2232 | version "3.21.4"
2233 | resolved "https://registry.yarnpkg.com/zod/-/zod-3.21.4.tgz#10882231d992519f0a10b5dd58a38c9dabbb64db"
2234 | integrity sha512-m46AKbrzKVzOzs/DZgVnG5H55N1sv1M8qZU3A8RIKbs3mrACDNeIOeilDymVb2HdmP8uwshOCF4uJ8uM9rCqJw==
2235 |
--------------------------------------------------------------------------------