├── nodemon.json ├── .env.example ├── failed_videos.json ├── tsconfig.json ├── src ├── tokenCosts.helper.ts ├── utils │ └── index.ts ├── helpers.ts ├── article.helper.ts ├── llm.ts ├── deepgram.helpers.ts ├── googleSheet.helper.ts └── youtube.helpers.ts ├── LICENSE ├── package.json ├── scrapedVideoLinks.json ├── README.md ├── .gitignore ├── index.ts └── yarn.lock /nodemon.json: -------------------------------------------------------------------------------- 1 | { 2 | "watch": ["src", "index.ts"], 3 | "ignore": ["data/*", "*.json"], 4 | "ext": ".ts,.js", 5 | "exec": "ts-node index.ts" 6 | } -------------------------------------------------------------------------------- /.env.example: -------------------------------------------------------------------------------- 1 | DEEPGRAM_API_KEY= 2 | OPENAI_API_KEY= 3 | GOOGLE_SERVICE_ACCOUNT_EMAIL= 4 | GOOGLE_PRIVATE_KEY= 5 | GOOGLE_SHEET_ID= 6 | SHEET_NAME_PATREON = 'Patreon_Videos' 7 | SHEET_NAME_YOUTUBE = 'Youtube_Videos' 8 | CHANNEL_URL= 9 | ARTICLE_URL= -------------------------------------------------------------------------------- /failed_videos.json: -------------------------------------------------------------------------------- 1 | [ 2 | { 3 | "url": "C:\\Users\\User\\Documents\\Youtube-video-analyzer\\data\\patreonAudio\\96592419", 4 | "error": "ENOENT: no such file or directory, open 'C:\\Users\\User\\Documents\\Youtube-video-analyzer\\data\\patreonAudio\\96592419'", 5 | "timestamp": "2025-01-09T10:22:24.968Z" 6 | } 7 | ] -------------------------------------------------------------------------------- /tsconfig.json: -------------------------------------------------------------------------------- 1 | { 2 | "compilerOptions": { 3 | "target": "es2016" /* Set the JavaScript language version for emitted JavaScript and include compatible library declarations. */, 4 | "module": "commonjs" /* Specify what module code is generated. */, 5 | "resolveJsonModule": true /* Enable importing .json files. */, 6 | "esModuleInterop": true /* Emit additional JavaScript to ease support for importing CommonJS modules. This enables 'allowSyntheticDefaultImports' for type compatibility. */, 7 | "forceConsistentCasingInFileNames": true /* Ensure that casing is correct in imports. */, 8 | "strict": true /* Enable all strict type-checking options. */, 9 | "skipLibCheck": true /* Skip type checking all .d.ts files. */ 10 | } 11 | } 12 | -------------------------------------------------------------------------------- /src/tokenCosts.helper.ts: -------------------------------------------------------------------------------- 1 | import * as tiktoken from "tiktoken"; 2 | const INPUT_TOKEN_COST_PER_1K_TOKENS = 0.01; 3 | const OUTPUT_TOKEN_COST_PER_1K_TOKENS = 0.03; 4 | 5 | // Function to estimate tokens 6 | function estimateTokens(text: string): number { 7 | const tokenEncoder = tiktoken.encoding_for_model("gpt-4o"); 8 | return tokenEncoder.encode(text).length; 9 | } 10 | 11 | export function calculateTokenCosts(prompt: string, result: string): number { 12 | //Calculate token costs for prompt and result 13 | const inputTokens = estimateTokens(prompt); 14 | const outputTokens = estimateTokens(result); 15 | 16 | // Calculate total cost in USD 17 | const cost = (inputTokens * INPUT_TOKEN_COST_PER_1K_TOKENS + outputTokens * OUTPUT_TOKEN_COST_PER_1K_TOKENS) / 1000; 18 | return cost; 19 | } -------------------------------------------------------------------------------- /src/utils/index.ts: -------------------------------------------------------------------------------- 1 | export async function delay(ms: number): Promise { 2 | return new Promise(resolve => setTimeout(resolve, ms)); 3 | } 4 | 5 | export function formatTime(seconds: number): string { 6 | if (seconds >= 3600) { 7 | const hours = Math.floor(seconds / 3600); 8 | const minutes = Math.floor((seconds % 3600) / 60); 9 | const remainingSeconds = Math.floor(seconds % 60); 10 | return `${hours}:${minutes.toString().padStart(2, '0')}:${remainingSeconds.toString().padStart(2, '0')}`; 11 | } 12 | 13 | const minutes = Math.floor(seconds / 60); 14 | const remainingSeconds = Math.floor(seconds % 60); 15 | return `${minutes}:${remainingSeconds.toString().padStart(2, '0')}`; 16 | } 17 | 18 | export function createTimestampLink(videoLink: string, startTime: number): string { 19 | if (videoLink.includes("youtube.com")) { 20 | return `${videoLink}?t=${Math.floor(startTime)}`; 21 | } 22 | 23 | return videoLink; 24 | } -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | MIT License 2 | 3 | Copyright (c) 2024 Ichikawa Hiroshi 4 | 5 | Permission is hereby granted, free of charge, to any person obtaining a copy 6 | of this software and associated documentation files (the "Software"), to deal 7 | in the Software without restriction, including without limitation the rights 8 | to use, copy, modify, merge, publish, distribute, sublicense, and/or sell 9 | copies of the Software, and to permit persons to whom the Software is 10 | furnished to do so, subject to the following conditions: 11 | 12 | The above copyright notice and this permission notice shall be included in all 13 | copies or substantial portions of the Software. 14 | 15 | THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR 16 | IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, 17 | FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE 18 | AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER 19 | LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, 20 | OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN THE 21 | SOFTWARE. 22 | -------------------------------------------------------------------------------- /src/helpers.ts: -------------------------------------------------------------------------------- 1 | import fs from 'node:fs' 2 | 3 | export function addRecipeTitles(data: any, filePath: string) { 4 | let json = [] 5 | 6 | try { 7 | if (fs.existsSync(filePath)) { 8 | const file = fs.readFileSync(filePath, 'utf8') 9 | if (file) { 10 | json = JSON.parse(file) 11 | } 12 | } 13 | } catch (error) { 14 | json = [] 15 | } 16 | 17 | json.push(data) 18 | 19 | fs.writeFileSync(filePath, JSON.stringify(json, null, 2)) 20 | } 21 | 22 | export function getRecipeTitles(filePath: string) { 23 | const json = JSON.parse(fs.readFileSync(filePath, 'utf8')) 24 | 25 | return json as { 26 | mainDish: string 27 | sideDish: string 28 | mealType: string 29 | tasteType: string 30 | recipeTitles: string 31 | userCountry: string 32 | userLanguage: string 33 | }[] 34 | } 35 | 36 | export function addRecipe(data: any, filePath: string) { 37 | let json = [] 38 | 39 | try { 40 | if (fs.existsSync(filePath)) { 41 | const file = fs.readFileSync(filePath, 'utf8') 42 | if (file) { 43 | json = JSON.parse(file) 44 | } 45 | } 46 | } catch (error) { 47 | json = [] 48 | } 49 | 50 | json.push(data) 51 | 52 | fs.writeFileSync(filePath, JSON.stringify(json, null, 2)) 53 | } 54 | -------------------------------------------------------------------------------- /package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "functions", 3 | "version": "1.0.0", 4 | "main": "dist/main.js", 5 | "scripts": { 6 | "dev": "NODE_ENV=local nodemon", 7 | "start": "ts-node index.ts" 8 | }, 9 | "dependencies": { 10 | "@deepgram/sdk": "^3.9.0", 11 | "@distube/ytdl-core": "^4.15.8", 12 | "@google-cloud/speech": "^6.7.0", 13 | "@microsoft/tiktokenizer": "^1.0.9", 14 | "@types/fluent-ffmpeg": "^2.1.27", 15 | "axios": "^1.7.9", 16 | "cheerio": "^1.0.0", 17 | "dayjs": "^1.11.13", 18 | "dotenv": "^16.4.7", 19 | "ffmpeg-static": "^5.2.0", 20 | "fluent-ffmpeg": "^2.1.3", 21 | "google-auth-library": "^9.15.0", 22 | "google-spreadsheet": "^4.1.4", 23 | "http-proxy-agent": "^7.0.2", 24 | "openai": "^4.76.0", 25 | "tiktoken": "^1.0.17", 26 | "youtube-dl-exec": "^3.0.12", 27 | "youtube-sr": "^4.3.11" 28 | }, 29 | "devDependencies": { 30 | "@types/node": "^22.10.5", 31 | "@types/node-fetch": "^2.6.10", 32 | "@typescript-eslint/eslint-plugin": "^8.12.2", 33 | "@typescript-eslint/parser": "^8.12.2", 34 | "eslint": "^9.13.0", 35 | "eslint-config-prettier": "^9.1.0", 36 | "eslint-plugin-import": "^2.31.0", 37 | "eslint-plugin-prettier": "^5.2.1", 38 | "nodemon": "^3.0.2", 39 | "prettier": "^3.3.3", 40 | "ts-node": "^10.9.2", 41 | "typescript": "^5.6.3" 42 | } 43 | } 44 | -------------------------------------------------------------------------------- /scrapedVideoLinks.json: -------------------------------------------------------------------------------- 1 | [ 2 | "https://www.youtube.com/watch?v=1LdYbqLlAlk", 3 | "https://www.youtube.com/watch?v=vMW52ZIs3-M", 4 | "https://www.youtube.com/watch?v=CsWCCl7C934", 5 | "https://www.youtube.com/watch?v=N36dvlNNCaw", 6 | "https://www.youtube.com/watch?v=hzP2mM1YZdA", 7 | "https://www.youtube.com/watch?v=LPRknsFe96k", 8 | "https://www.youtube.com/watch?v=Ct4HkKs_HBY", 9 | "https://www.youtube.com/watch?v=eS2IDoafML4", 10 | "https://www.youtube.com/watch?v=mba9X3ALPMQ", 11 | "https://www.youtube.com/watch?v=4IWdnxvSTkM", 12 | "https://www.youtube.com/watch?v=amQm72Nycgw", 13 | "https://www.youtube.com/watch?v=CXQwvaKOtNQ", 14 | "https://www.youtube.com/watch?v=z783jvfh9FM", 15 | "https://www.youtube.com/watch?v=P6Ya0Mj7bAE", 16 | "https://www.youtube.com/watch?v=0JZPSlbEiKA", 17 | "https://www.youtube.com/watch?v=ToevXdEap2o", 18 | "https://www.youtube.com/watch?v=3rZuAl5oNbg", 19 | "https://www.youtube.com/watch?v=XjgAGbV3UAQ", 20 | "https://www.youtube.com/watch?v=r3i8reFcLx8", 21 | "https://www.youtube.com/watch?v=vvgJjEjve9E", 22 | "https://www.youtube.com/watch?v=cS991Q0JqTQ", 23 | "https://www.youtube.com/watch?v=Fo6wmOyOo0U", 24 | "https://www.youtube.com/watch?v=wLAJFTjltbM", 25 | "https://www.youtube.com/watch?v=Dps0myF3NNg", 26 | "https://www.youtube.com/watch?v=Qm5drcQnVKs", 27 | "https://www.youtube.com/watch?v=wwW9IV4V16Y", 28 | "https://www.youtube.com/watch?v=CVYzdCvz5UE", 29 | "https://www.youtube.com/watch?v=ZBhz9udcREg", 30 | "https://www.youtube.com/watch?v=V_wSjgPhbag", 31 | "https://www.youtube.com/watch?v=eAZo4jPNRPQ", 32 | "https://www.youtube.com/watch?v=2HBwlcpL1tk", 33 | "https://www.youtube.com/watch?v=hEgP6YhyR3k", 34 | "https://www.youtube.com/watch?v=yBX8U_p2YzU", 35 | "https://www.youtube.com/watch?v=EMCQFrp6tHI", 36 | "https://www.youtube.com/watch?v=vZXagC-ucEw", 37 | "https://www.youtube.com/watch?v=UGvjPyOjLyI", 38 | "https://www.youtube.com/watch?v=DfTcn1DMv9g", 39 | "https://www.youtube.com/watch?v=mebChjE5Guo", 40 | "https://www.youtube.com/watch?v=1ZpYmdtPpWI", 41 | "https://www.youtube.com/watch?v=ULDZk6FoAiY" 42 | ] -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # Youtube-video-analyzer 2 | 3 | A sophisticated Node.js application that analyzes YouTube videos for legal compliance by transcribing audio content and comparing it against predefined legal rules. 4 | 5 | ## Core Features 6 | 7 | - YouTube video audio extraction and processing 8 | - Speech-to-text transcription using Deepgram API 9 | - Legal rules extraction from regulatory articles 10 | - Automated compliance analysis using GPT-4 11 | - Multi-language support (optimized for Czech) 12 | - Token cost tracking and optimization 13 | 14 | ## Technical Stack 15 | 16 | - **Runtime**: Node.js 17 | - **Language**: TypeScript 18 | - **APIs**: 19 | - OpenAI GPT-4 20 | - Deepgram Speech-to-Text 21 | - YouTube Data API 22 | 23 | ## Key Components 24 | 25 | 1. **Video Processing Pipeline** 26 | - Downloads YouTube videos as audio files 27 | - Supports chunked processing for large files 28 | - Handles multi-speaker transcription 29 | 30 | 2. **Transcription Engine** 31 | - Uses Deepgram's Nova-2 model 32 | - Provides paragraph segmentation 33 | - Speaker diarization 34 | - Punctuation and formatting 35 | 36 | 3. **Legal Analysis System** 37 | - Extracts rules from regulatory documents 38 | - Performs compliance checking 39 | - Generates detailed violation reports 40 | 41 | ## Environment Setup 42 | 43 | Required environment variables: 44 | ```bash 45 | OPENAI_API_KEY=your_openai_key 46 | DEEPGRAM_API_KEY=your_deepgram_key 47 | ``` 48 | 49 | ## Usage 50 | 51 | ```bash 52 | const videoUrls = [ 53 | "https://www.youtube.com/watch?v=example1", 54 | "https://www.youtube.com/watch?v=example2" 55 | ]; 56 | const articleUrl = "https://regulatory-article-url"; 57 | 58 | await main(videoUrls, articleUrl); 59 | ``` 60 | 61 | ## Contributing 62 | - Fork the repository 63 | - Create your feature branch (git checkout -b feature/AmazingFeature) 64 | - Commit your changes (git commit -m 'Add some AmazingFeature') 65 | - Push to the branch (git push origin feature/AmazingFeature) 66 | - Open a Pull Request 67 | 68 | ## License 69 | This project is licensed under the [LICENSE](https://github.com/0xichikawa/Youtube-video-analyzer/blob/master/LICENSE) - see the LICENSE file for details. 70 | -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | # Logs 2 | logs 3 | *.log 4 | npm-debug.log* 5 | yarn-debug.log* 6 | yarn-error.log* 7 | lerna-debug.log* 8 | .pnpm-debug.log* 9 | 10 | # Diagnostic reports (https://nodejs.org/api/report.html) 11 | report.[0-9]*.[0-9]*.[0-9]*.[0-9]*.json 12 | 13 | # Runtime data 14 | pids 15 | *.pid 16 | *.seed 17 | *.pid.lock 18 | 19 | # Directory for instrumented libs generated by jscoverage/JSCover 20 | lib-cov 21 | 22 | # Coverage directory used by tools like istanbul 23 | coverage 24 | *.lcov 25 | 26 | # nyc test coverage 27 | .nyc_output 28 | 29 | # Grunt intermediate storage (https://gruntjs.com/creating-plugins#storing-task-files) 30 | .grunt 31 | 32 | # Bower dependency directory (https://bower.io/) 33 | bower_components 34 | 35 | # node-waf configuration 36 | .lock-wscript 37 | 38 | # Compiled binary addons (https://nodejs.org/api/addons.html) 39 | build/Release 40 | 41 | # Dependency directories 42 | node_modules/ 43 | jspm_packages/ 44 | 45 | # Snowpack dependency directory (https://snowpack.dev/) 46 | web_modules/ 47 | 48 | # TypeScript cache 49 | *.tsbuildinfo 50 | 51 | # Optional npm cache directory 52 | .npm 53 | 54 | # Optional eslint cache 55 | .eslintcache 56 | 57 | # Optional stylelint cache 58 | .stylelintcache 59 | 60 | # Microbundle cache 61 | .rpt2_cache/ 62 | .rts2_cache_cjs/ 63 | .rts2_cache_es/ 64 | .rts2_cache_umd/ 65 | 66 | # Optional REPL history 67 | .node_repl_history 68 | 69 | # Output of 'npm pack' 70 | *.tgz 71 | 72 | # Yarn Integrity file 73 | .yarn-integrity 74 | 75 | # dotenv environment variable files 76 | .env 77 | .env.development.local 78 | .env.test.local 79 | .env.production.local 80 | .env.local 81 | 82 | # parcel-bundler cache (https://parceljs.org/) 83 | .cache 84 | .parcel-cache 85 | 86 | # Next.js build output 87 | .next 88 | out 89 | 90 | # Nuxt.js build / generate output 91 | .nuxt 92 | dist 93 | 94 | # Gatsby files 95 | .cache/ 96 | # Comment in the public line in if your project uses Gatsby and not Next.js 97 | # https://nextjs.org/blog/next-9-1#public-directory-support 98 | # public 99 | 100 | # vuepress build output 101 | .vuepress/dist 102 | 103 | # vuepress v2.x temp and cache directory 104 | .temp 105 | .cache 106 | 107 | # Docusaurus cache and generated files 108 | .docusaurus 109 | 110 | # Serverless directories 111 | .serverless/ 112 | 113 | # FuseBox cache 114 | .fusebox/ 115 | 116 | # DynamoDB Local files 117 | .dynamodb/ 118 | 119 | # TernJS port file 120 | .tern-port 121 | 122 | # Stores VSCode versions used for testing VSCode extensions 123 | .vscode-test 124 | 125 | # yarn v2 126 | .yarn/cache 127 | .yarn/unplugged 128 | .yarn/build-state.yml 129 | .yarn/install-state.gz 130 | .pnp.* 131 | 132 | cookies.txt 133 | data 134 | cookies.json 135 | proxies.json -------------------------------------------------------------------------------- /index.ts: -------------------------------------------------------------------------------- 1 | import * as fs from "fs"; 2 | import * as path from "path"; 3 | import dotenv from "dotenv"; 4 | import { extractLegalRules } from "./src/article.helper"; 5 | import { processSingleVideo, processSingleAudio } from "./src/youtube.helpers"; 6 | import { delay } from "./src/utils"; 7 | import { processAudioForTranscription } from "./src/deepgram.helpers"; 8 | 9 | dotenv.config(); 10 | 11 | const CONFIG = { 12 | VIDEO_LINKS_FILE: 'scrapedVideoLinks.json', 13 | PROCESS_DELAY: 5000 14 | } as const; 15 | 16 | async function main(): Promise { 17 | try { 18 | // const scrapedVideoUrls: string[] = JSON.parse( 19 | // fs.readFileSync(CONFIG.VIDEO_LINKS_FILE, 'utf-8') 20 | // ); 21 | const articleUrl = process.env.ARTICLE_URL; 22 | if (!articleUrl) { 23 | throw new Error("ARTICLE_URL is not defined in the environment variables."); 24 | } 25 | const { legalRules, tokenCosts } = await extractLegalRules(articleUrl); 26 | 27 | const patreonAudioDir = path.join(__dirname, 'data', 'patreonAudio'); 28 | const audioFiles = fs.readdirSync(patreonAudioDir) 29 | .filter(file => file.endsWith('.mp3')) 30 | .map(file => { 31 | const filePath = file.replace('.mp3', ''); 32 | return path.join(patreonAudioDir, filePath); 33 | }); 34 | 35 | if(!audioFiles.length) { 36 | console.log("No audio files found in the directory."); 37 | return; 38 | } 39 | 40 | for (const [index, audioFile] of audioFiles.entries()) { 41 | console.log(`Processing audio ${index + 1}/${audioFiles.length}: ${audioFile}`); 42 | 43 | const success = await processSingleAudio(audioFile, legalRules); 44 | console.log(success ? 45 | `✅ Successfully processed: ${audioFile}` : 46 | `❌ Skipping audio due to errors: ${audioFile}` 47 | ); 48 | 49 | if (index < audioFiles.length - 1) { 50 | await delay(CONFIG.PROCESS_DELAY); 51 | } 52 | } 53 | 54 | // const scrapedVideoUrls = [ 55 | // // "https://www.youtube.com/watch?v=wFw4TovEicE", 56 | // // "https://www.youtube.com/watch?v=p76oc2yfcX0" 57 | // ] 58 | 59 | // if (!scrapedVideoUrls.length) { 60 | // throw new Error("No video URLs found. Exiting."); 61 | // } 62 | 63 | // for (const [index, videoUrl] of scrapedVideoUrls.entries()) { 64 | // console.log(`Processing video ${index + 1}/${scrapedVideoUrls.length}: ${videoUrl}`); 65 | 66 | // const success = await processSingleVideo(videoUrl, legalRules); 67 | // console.log(success ? 68 | // `✅ Successfully processed: ${videoUrl}` : 69 | // `❌ Skipping video due to errors: ${videoUrl}` 70 | // ); 71 | 72 | // if (index < scrapedVideoUrls.length - 1) { 73 | // await delay(CONFIG.PROCESS_DELAY); 74 | // } 75 | // } 76 | 77 | console.log("Token cost:", tokenCosts); 78 | } catch (error) { 79 | console.error("Error in main process:", error); 80 | process.exit(1); 81 | } 82 | } 83 | 84 | main(); 85 | -------------------------------------------------------------------------------- /src/article.helper.ts: -------------------------------------------------------------------------------- 1 | import axios from "axios"; 2 | import * as cheerio from "cheerio"; // For extracting text from HTML 3 | import OpenAI from 'openai'; // Default import 4 | import { calculateTokenCosts } from "./tokenCosts.helper"; // Adjust the path as needed 5 | 6 | // Initialize OpenAI 7 | const openai = new OpenAI({ 8 | apiKey: process.env.OPENAI_API_KEY, 9 | }); 10 | 11 | interface LegalRuleResult { 12 | legalRules: string[]; 13 | tokenCosts: number; 14 | } 15 | 16 | /** 17 | * Fetches and cleans the content of an article from a given URL. 18 | * @param url - The URL of the article. 19 | * @returns A promise resolving to the extracted article content. 20 | */ 21 | async function fetchArticleContent(url: string): Promise { 22 | try { 23 | const response = await axios.get(url); 24 | 25 | // Load the HTML content 26 | const $ = cheerio.load(response.data); 27 | 28 | // Extract the main content (adjust selectors as needed) 29 | const content = $("body") 30 | .find("p") // Extract

tags (or refine for specific selectors) 31 | .map((_, el) => $(el).text()) 32 | .get() 33 | .join("\n\n"); // Join paragraphs with spacing 34 | 35 | if (!content) { 36 | throw new Error("Failed to extract article content."); 37 | } 38 | 39 | return content; 40 | } catch (error) { 41 | console.error("Error fetching article content:", error instanceof Error ? error.message : error); 42 | throw new Error("Unable to fetch or parse the article content."); 43 | } 44 | } 45 | 46 | /** 47 | * Extracts summarized legal rules from the article content using OpenAI. 48 | * @param content - The text content of the article. 49 | * @returns A promise resolving to an array of legal rules. 50 | */ 51 | export async function extractLegalRules(articleUrl: string): Promise { 52 | try { 53 | const articleContent = await fetchArticleContent(articleUrl); 54 | 55 | const extractLegalRulesPrompt = ` 56 | You are a legal assistant specializing in Czech law. Your task is to identify and summarize the key legal rules and principles from the following government article. Please provide your summary in detail, listing each legal rule clearly in Czech, and include brief explanations where necessary. 57 | 58 | **Government Article Content:** "${articleContent}" 59 | 60 | - Use bullet points to enhance readability. 61 | - Focus on legal concepts related to potential violations of consumer protection, financial regulations, or other relevant areas of law. 62 | - Provide clear definitions and contexts for each rule to facilitate understanding of their implications. 63 | `; 64 | 65 | const response = await openai.chat.completions.create({ 66 | model: "gpt-4o", 67 | messages: [ 68 | { role: "system", content: "You are a legal assistant specializing in Czech law." }, 69 | { 70 | role: "user", 71 | content: extractLegalRulesPrompt, 72 | }, 73 | ], 74 | }); 75 | 76 | const summary = response.choices[0]?.message?.content; 77 | if (!summary) { 78 | throw new Error("Failed to extract legal rules."); 79 | } 80 | 81 | // Split the summary into an array of rules 82 | const legalRules = summary 83 | .split("\n") 84 | .map(line => line.trim()) 85 | .filter(line => line.length > 0); // Remove empty lines 86 | 87 | const tokenCosts = calculateTokenCosts(extractLegalRulesPrompt, summary); 88 | return { legalRules, tokenCosts }; 89 | } catch (error) { 90 | console.error("Error extracting legal rules:", error instanceof Error ? error.message : error); 91 | throw new Error("Unable to summarize legal rules."); 92 | } 93 | } -------------------------------------------------------------------------------- /src/llm.ts: -------------------------------------------------------------------------------- 1 | import OpenAI from "openai"; 2 | 3 | import { calculateTokenCosts } from "./tokenCosts.helper"; 4 | 5 | interface Paragraph { 6 | sentences: Sentence[]; 7 | speaker: number; 8 | num_words: number; 9 | start: number; 10 | end: number; 11 | } 12 | 13 | interface Sentence { 14 | text: string; 15 | start: number; 16 | end: number; 17 | } 18 | 19 | interface AnalysisResult { 20 | transcript: string; 21 | violatedReason: string; 22 | start: number; 23 | end: number; 24 | } 25 | 26 | interface LLMResult { 27 | results: AnalysisResult[]; 28 | analyzeTotalCost: number; 29 | } 30 | 31 | const openai = new OpenAI({ 32 | apiKey: process.env.OPENAI_API_KEY, 33 | }); 34 | 35 | // Function to analyze transcripts in paragraphs 36 | export async function analyzeTranscriptsInParagraphs(paragraphs: Paragraph[], legalRules: string[]): Promise { 37 | let analyzeTotalCost = 0; 38 | const results: AnalysisResult[] = []; 39 | 40 | for (const paragraph of paragraphs) { 41 | const { sentences } = paragraph; 42 | 43 | if (sentences.length === 0) continue; // Skip if there are no sentences 44 | 45 | for (const sentence of sentences) { 46 | const { text } = sentence; 47 | 48 | const checkViolationsPrompt = ` 49 | You are a legal assistant trained in Czech law. Thoroughly review the following YouTube transcript and identify any statements that may contravene the legal rules extracted from the government article provided below. 50 | 51 | **YouTube Transcript:** "${text}" 52 | 53 | **Extracted Legal Rules (in Czech):** ${legalRules.join(", ")} 54 | 55 | - If you find any violations, respond with "Violation" and explain the reason how they violate the legal rules, beginning with "Violated reason: ". 56 | - If there are no violations, simply respond with "No Violations". 57 | - Ensure that your analysis includes specific references to the extracted legal rules where applicable. 58 | `; 59 | 60 | try { 61 | const response = await openai.chat.completions.create({ 62 | model: "gpt-4o", 63 | messages: [ 64 | { role: "system", content: "You are a legal assistant specializing in Czech law." }, 65 | { role: "user", content: checkViolationsPrompt }, 66 | ], 67 | }); 68 | 69 | // Validate the response structure 70 | if (response.choices && response.choices.length > 0) { 71 | const violationCheckResponse = response.choices[0]?.message?.content?.trim() || ""; 72 | console.log("Violation Check Response:", violationCheckResponse); 73 | 74 | // Check if the response indicates a violation 75 | if (violationCheckResponse.startsWith("Violation")) { 76 | // Extract the violated reason using a more robust extraction method 77 | const violatedReasonPrefix = "Violated reason: "; 78 | const violatedReasonIndex = violationCheckResponse.indexOf(violatedReasonPrefix); 79 | let violatedReason = ""; 80 | 81 | if (violatedReasonIndex !== -1) { 82 | // Extract the reason correctly 83 | violatedReason = violationCheckResponse.substring(violatedReasonIndex + violatedReasonPrefix.length).trim(); 84 | } 85 | 86 | // Store the result with the violated reason 87 | results.push({ 88 | transcript: text, 89 | violatedReason, 90 | start: sentence.start, 91 | end: sentence.end, 92 | }); 93 | } 94 | 95 | // Count the token costs 96 | analyzeTotalCost += calculateTokenCosts(checkViolationsPrompt, violationCheckResponse); 97 | } else { 98 | console.error("No choices returned in the response for sentence:", text); 99 | } 100 | 101 | } catch (error) { 102 | console.error("Error checking violation for sentence:", text, "Error:", error); 103 | } 104 | } 105 | } 106 | 107 | return { results, analyzeTotalCost }; // This will only contain violations 108 | } -------------------------------------------------------------------------------- /src/deepgram.helpers.ts: -------------------------------------------------------------------------------- 1 | import { createClient, PrerecordedSchema } from "@deepgram/sdk"; 2 | import * as fs from "fs"; 3 | import * as path from "path"; 4 | import { downloadAudio } from "./youtube.helpers"; 5 | import dotenv from "dotenv"; 6 | 7 | dotenv.config(); 8 | 9 | const deepgram = createClient(process.env.DEEPGRAM_API_KEY as string); 10 | 11 | interface Sentence { 12 | text: string; 13 | start: number; 14 | end: number; 15 | } 16 | 17 | interface Paragraph { 18 | sentences: Sentence[]; 19 | speaker: number; 20 | num_words: number; 21 | start: number; 22 | end: number; 23 | } 24 | 25 | interface TranscriptionResult { 26 | transcript: string; // The complete transcript of the audio 27 | paragraphs: Paragraph[]; // Array of paragraphs 28 | id: string; // The ID of the video 29 | audioPath: string; // The path to the audio file 30 | } 31 | 32 | /** 33 | * Function to transcribe an audio file and return a structured response. 34 | * @param audioPath - The path to the audio file to be transcribed. 35 | * @returns A promise that resolves to an object containing the transcript and its structured details. 36 | */ 37 | async function transcribeAudio(audioPath: string): Promise { 38 | console.log(`Transcribing audio file: ${audioPath}`); 39 | try { 40 | const audioFile = fs.readFileSync(audioPath); 41 | const transcriptionOptions: PrerecordedSchema = { 42 | model: "nova-2-general", 43 | language: "cs", 44 | smart_format: false, 45 | diarize: true, 46 | paragraphs: true, 47 | punctuate: true, 48 | multichannel: false, 49 | }; 50 | 51 | const { result, error } = await deepgram.listen.prerecorded.transcribeFile( 52 | audioFile, 53 | transcriptionOptions 54 | ); 55 | 56 | if (error) { 57 | throw new Error(`Deepgram transcription error: ${error}`); 58 | } 59 | 60 | const channel = result.results.channels?.[0]; 61 | const alternative = channel?.alternatives?.[0]; 62 | 63 | const transcript = alternative?.transcript || ''; 64 | console.log(`Transcript: ${transcript}`); 65 | 66 | // Safely handle the paragraphs 67 | const paragraphs = alternative?.paragraphs?.paragraphs?.map((paragraph: any) => ({ 68 | start: paragraph.start, 69 | end: paragraph.end, 70 | num_words: paragraph.num_words, 71 | speaker: paragraph.speaker, 72 | sentences: paragraph.sentences.map((sentence: any) => ({ 73 | text: sentence.text, 74 | start: sentence.start, 75 | end: sentence.end, 76 | })), 77 | })) || []; 78 | 79 | return { 80 | transcript, 81 | paragraphs, 82 | id: path.basename(audioPath), 83 | audioPath 84 | }; 85 | } catch (error) { 86 | console.error("Error in transcription:", error); 87 | throw error; 88 | } 89 | } 90 | 91 | export async function processVideoForTranscription(videoUrl: string): Promise { 92 | try { 93 | console.log(`Processing video ${videoUrl}...`); 94 | 95 | const { audioPath, id } = await downloadAudio(videoUrl); 96 | console.log(`Audio downloaded for ${id}`); 97 | 98 | const { transcript, paragraphs } = await transcribeAudio(audioPath); 99 | 100 | // Optionally save the transcription to a file, if needed 101 | const outputPath = path.join(__dirname, "..", "data", `${id}.json`); 102 | await fs.promises.writeFile( 103 | outputPath, 104 | JSON.stringify(transcript, null, 2) 105 | ); 106 | console.log(`Transcription completed and saved to ${outputPath}`); 107 | return { transcript, audioPath, paragraphs, id } 108 | } catch (error) { 109 | console.error(`Error processing video ${videoUrl}:`, error); 110 | throw error; 111 | } 112 | } 113 | 114 | export async function processAudioForTranscription(audioPath: string): Promise { 115 | try { 116 | console.log(`Processing audio ${audioPath}...`); 117 | const id = path.basename(audioPath); 118 | const audioFile = `${audioPath}.mp3`; 119 | 120 | const { transcript, paragraphs } = await transcribeAudio(audioFile); 121 | 122 | // Optionally save the transcription to a file, if needed 123 | const outputPath = path.join(__dirname, "..", "data", `${id}.json`); 124 | await fs.promises.writeFile( 125 | outputPath, 126 | JSON.stringify(transcript, null, 2) 127 | ); 128 | console.log(`Transcription completed and saved to ${outputPath}`); 129 | return { transcript, audioPath, paragraphs, id } 130 | } catch (error) { 131 | console.error(`Error processing video ${audioPath}:`, error); 132 | throw error; 133 | } 134 | } -------------------------------------------------------------------------------- /src/googleSheet.helper.ts: -------------------------------------------------------------------------------- 1 | import OpenAI from "openai" 2 | import { GoogleSpreadsheet } from "google-spreadsheet"; 3 | import { JWT } from "google-auth-library"; 4 | import dotenv from 'dotenv'; 5 | import { time, timeStamp } from "console"; 6 | 7 | dotenv.config(); 8 | 9 | interface VideoData { 10 | id: string; 11 | transcript: string; 12 | violated_reason: string; 13 | start: number; 14 | end: number; 15 | video_link: string; 16 | timestamp_link: string; 17 | } 18 | 19 | const openai = new OpenAI({ 20 | apiKey: process.env.OPENAI_API_KEY, 21 | }); 22 | 23 | export async function saveToGoogleSheets(data: VideoData[], sheetName: string): Promise { 24 | console.log("Saving to Google Sheets..."); 25 | 26 | // Create the JWT auth instance 27 | const serviceAccountAuth = new JWT({ 28 | email: process.env.GOOGLE_SERVICE_ACCOUNT_EMAIL, 29 | key: process.env.GOOGLE_PRIVATE_KEY, 30 | scopes: ['https://www.googleapis.com/auth/spreadsheets'], 31 | }); 32 | 33 | // Create the GoogleSpreadsheet instance 34 | const doc = new GoogleSpreadsheet(process.env.GOOGLE_SHEET_ID as string, serviceAccountAuth); 35 | await doc.loadInfo(); 36 | 37 | let sheet = doc.sheetsByTitle[sheetName as string]; 38 | if (!sheet) { 39 | sheet = await doc.addSheet({ title: process.env.SHEET_NAME, headerValues: ['id', 'transcript', 'violated_reason', 'start', 'end', 'video_link'] }); 40 | } 41 | 42 | const rows = data.map(item => ({ 43 | id: item.id, 44 | transcript: item.transcript, 45 | violated_reason: item.violated_reason, 46 | start: item.start, 47 | end: item.end, 48 | video_link: item.video_link, 49 | timeStamp_link: item.timestamp_link 50 | })); 51 | 52 | await sheet.addRows(rows); 53 | console.log("Saved data to Google Sheets successfully."); 54 | } 55 | 56 | async function clearGoogleSheet() { 57 | console.log("Clearing Google Sheets..."); 58 | 59 | // Create the JWT auth instance 60 | const serviceAccountAuth = new JWT({ 61 | email: process.env.GOOGLE_SERVICE_ACCOUNT_EMAIL, 62 | key: process.env.GOOGLE_PRIVATE_KEY, 63 | scopes: ['https://www.googleapis.com/auth/spreadsheets'], 64 | }); 65 | 66 | // Create the GoogleSpreadsheet instance 67 | const doc = new GoogleSpreadsheet(process.env.GOOGLE_SHEET_ID as string, serviceAccountAuth); 68 | await doc.loadInfo(); 69 | 70 | let sheet = doc.sheetsByTitle[process.env.SHEET_NAME as string]; 71 | await sheet.loadHeaderRow(); // Ensure header values are loaded 72 | 73 | const rowCount = sheet.rowCount; 74 | if (rowCount > 1) { 75 | const clearRange = { 76 | startRowIndex: 1, // Starting from the second row (index 1) 77 | startColumnIndex: 0, // Starting from the first column (index 0) 78 | endRowIndex: rowCount, // To the last row 79 | endColumnIndex: sheet.headerValues.length, // To the last column count 80 | }; 81 | 82 | // Use the update method to set the content in the range to empty strings 83 | await sheet.loadCells(clearRange); 84 | for (let rowIndex = 1; rowIndex < rowCount; rowIndex++) { 85 | for (let colIndex = 0; colIndex < sheet.headerValues.length; colIndex++) { 86 | const cell = sheet.getCell(rowIndex, colIndex); 87 | cell.value = ''; // Clear the existing data 88 | } 89 | } 90 | await sheet.saveUpdatedCells(); // Save the changes 91 | } 92 | } 93 | 94 | export async function updateGoogleSheet(): Promise { 95 | const serviceAccountAuth = new JWT({ 96 | email: process.env.GOOGLE_SERVICE_ACCOUNT_EMAIL, 97 | key: process.env.GOOGLE_PRIVATE_KEY, 98 | scopes: ['https://www.googleapis.com/auth/spreadsheets'], 99 | }); 100 | 101 | const doc = new GoogleSpreadsheet(process.env.GOOGLE_SHEET_ID as string, serviceAccountAuth); 102 | await doc.loadInfo(); 103 | 104 | let sheet = doc.sheetsByTitle[process.env.SHEET_NAME_PATREON_UPDATED as string]; 105 | // let updatedSheet = doc.sheetsByTitle[process.env.SHEET_NAME_PATREON_UPDATED as string]; 106 | if (!sheet ) { 107 | throw new Error('Sheets not found'); 108 | } 109 | 110 | await sheet.loadHeaderRow(); 111 | // await updatedSheet.loadHeaderRow(); 112 | const rows = await sheet.getRows(); 113 | 114 | const data: VideoData[] = rows.map(row => ({ 115 | id: row.get('id'), 116 | transcript: row.get('transcript'), 117 | violated_reason: row.get('violated_reason'), 118 | start: row.get('start'), 119 | end: row.get('end'), 120 | video_link: row.get('video_link'), 121 | timestamp_link: row.get('timestamp_link') 122 | })); 123 | 124 | await sheet.clearRows(); 125 | 126 | for (const row of data) { 127 | try { 128 | const analysisPrompt = ` 129 | Video Transcript: ${row.transcript} 130 | Current Analysis: ${row.violated_reason} 131 | 132 | Please analyze if this legal analysis is correct or incorrect based on Czech law. 133 | Provide a clear "CORRECT" or "INCORRECT" at the start of your response, followed by bullet points explaining why.`; 134 | 135 | const response = await openai.chat.completions.create({ 136 | model: "gpt-4", 137 | messages: [ 138 | { role: "system", content: "You are a legal assistant specializing in Czech law." }, 139 | { role: "user", content: analysisPrompt }, 140 | ], 141 | }); 142 | 143 | if (response.choices && response.choices.length > 0) { 144 | const analysis = response.choices[0]?.message?.content?.trim() || ""; 145 | console.log("Analysis for ID:", row.id, ":", analysis); 146 | 147 | if (analysis.startsWith("CORRECT")) { 148 | await sheet.addRow({ 149 | id: row.id, 150 | transcript: row.transcript, 151 | violated_reason: row.violated_reason, 152 | start: row.start, 153 | end: row.end, 154 | video_link: row.video_link, 155 | timestamp_link: row.timestamp_link 156 | }); 157 | } 158 | } 159 | } catch (error) { 160 | console.error("Error analyzing violation for ID:", row.id, "Error:", error); 161 | } 162 | } 163 | 164 | console.log("Google Sheets updated successfully."); 165 | } 166 | -------------------------------------------------------------------------------- /src/youtube.helpers.ts: -------------------------------------------------------------------------------- 1 | import * as fs from "fs"; 2 | import * as path from "path"; 3 | import youtubedl, { youtubeDl, Payload } from "youtube-dl-exec"; 4 | import { processVideoForTranscription, processAudioForTranscription } from "./deepgram.helpers"; 5 | import { analyzeTranscriptsInParagraphs } from "./llm"; 6 | import { saveToGoogleSheets } from "./googleSheet.helper"; 7 | import { timeStamp } from "console"; 8 | 9 | interface FailedVideo { 10 | url: string; 11 | error: string; 12 | timestamp: string; 13 | } 14 | 15 | const FAILED_VIDEOS_FILE = 'failed_videos.json'; 16 | 17 | export async function downloadAudio(videoUrl: string): Promise<{ audioPath: string, id: string }> { 18 | try { 19 | const videoId = videoUrl.split('v=')[1].split('&')[0]; 20 | 21 | // Prepare the data directory 22 | const dataDir = path.join(__dirname, '..', 'data'); 23 | if (!fs.existsSync(dataDir)) { 24 | fs.mkdirSync(dataDir, { recursive: true }); 25 | } 26 | 27 | const finalAudioPath = path.join(dataDir, `${videoId}.mp3`); 28 | console.log(`Final Audio Path: ${finalAudioPath}`); 29 | 30 | const proxies = JSON.parse(fs.readFileSync(path.join(__dirname, 'proxies.json'), 'utf-8')); 31 | const proxyItem = proxies[Math.floor(Math.random() * proxies.length)].trim(); 32 | console.log(`Using proxy: ${proxyItem}`); 33 | 34 | const subprocess = youtubeDl.exec(videoUrl, { 35 | extractAudio: true, 36 | audioFormat: 'mp3', 37 | audioQuality: 0, 38 | proxy: proxyItem, 39 | cookies: "cookies.txt", 40 | userAgent: 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/114.0.0.0 Safari/537.36', 41 | output: finalAudioPath, 42 | }) 43 | if (subprocess.stdout) { 44 | subprocess.stdout.on('data', (data) => { 45 | const message = data.toString(); 46 | console.log(message); // Print the message to the terminal 47 | }); 48 | } 49 | await subprocess; 50 | return { audioPath: finalAudioPath, id:videoId }; 51 | } catch (error) { 52 | console.error('Error in downloadAudio:', error); 53 | throw error; 54 | } 55 | } 56 | 57 | export async function getVideoLinks(channelUrl: string): Promise { 58 | const scrapedVideoUrls: string[] = []; 59 | 60 | try { 61 | // Calculate the date two years ago 62 | const dateTwoYearsAgo = new Date(); 63 | dateTwoYearsAgo.setFullYear(dateTwoYearsAgo.getFullYear() - 2); 64 | const formattedDate = dateTwoYearsAgo.toISOString().split('T')[0].replace(/-/g, ''); 65 | 66 | // Fetch all video URLs from the channel 67 | const videoUrlsString: string | Payload = await youtubedl(channelUrl, { 68 | flatPlaylist: true, 69 | getUrl: true, 70 | noWarnings: true, 71 | }); 72 | 73 | if (typeof videoUrlsString === 'string') { 74 | // Filter out empty URLs and shorts 75 | const videoUrls = videoUrlsString.split('\n') 76 | .map(url => url.trim()) 77 | .filter(url => url && !url.includes('short')); 78 | 79 | // Fetch metadata for all videos in parallel 80 | const fetchPromises = videoUrls.map(async (videoUrl) => { 81 | const output = await youtubedl(videoUrl, { 82 | dumpSingleJson: true, 83 | noCheckCertificates: true, 84 | noWarnings: true, 85 | preferFreeFormats: true, 86 | addHeader: ['referer:youtube.com', 'user-agent:googlebot'], 87 | userAgent: 'Mozilla/5.0 (Windows NT 10.0; Win64; x64) AppleWebKit/537.36 (KHTML, like Gecko) Chrome/58.0.3029.110 Safari/537.3', 88 | }); 89 | 90 | return { url: videoUrl, output }; 91 | }); 92 | 93 | // Resolve all promises 94 | const results = await Promise.all(fetchPromises); 95 | 96 | // Filter results based on upload date 97 | results.forEach(({ url, output }) => { 98 | if (typeof output === 'object' && output.upload_date > formattedDate) { 99 | scrapedVideoUrls.push(url); 100 | } 101 | }); 102 | } 103 | 104 | console.log('Scraped video URLs:', scrapedVideoUrls); 105 | return scrapedVideoUrls; 106 | } catch (error) { 107 | console.error('Error fetching video links:', error); 108 | throw error; // Rethrow the error after logging it 109 | } 110 | } 111 | 112 | function saveFailedVideo(videoUrl: string, error: string) { 113 | let failedVideos: FailedVideo[] = []; 114 | 115 | if (fs.existsSync(FAILED_VIDEOS_FILE)) { 116 | failedVideos = JSON.parse(fs.readFileSync(FAILED_VIDEOS_FILE, 'utf-8')); 117 | } 118 | 119 | failedVideos.push({ 120 | url: videoUrl, 121 | error: error.toString(), 122 | timestamp: new Date().toISOString() 123 | }); 124 | 125 | fs.writeFileSync(FAILED_VIDEOS_FILE, JSON.stringify(failedVideos, null, 2)); 126 | } 127 | 128 | export async function processSingleVideo(videoUrl: string, extractedRules: string[], maxRetries = 3): Promise { 129 | let audioFilePath: string | undefined; 130 | for (let attempt = 1; attempt <= maxRetries; attempt++) { 131 | try { 132 | const { paragraphs, id, audioPath } = await processVideoForTranscription(videoUrl); 133 | audioFilePath = audioPath; 134 | console.log("Processing completed for video:", id); 135 | 136 | const { results } = await analyzeTranscriptsInParagraphs(paragraphs, extractedRules); 137 | const sheetsData = results.map(result => ({ 138 | id, 139 | transcript: result.transcript, 140 | violated_reason: result.violatedReason, 141 | start: result.start, 142 | end: result.end, 143 | video_link: videoUrl, 144 | timestamp_link: `https://www.youtube.com/watch?v=${id}&t=${result.start}`, 145 | })); 146 | 147 | 148 | if (process.env.SHEET_NAME_YOUTUBE) { 149 | await saveToGoogleSheets(sheetsData, process.env.SHEET_NAME_YOUTUBE); 150 | } else { 151 | console.error("SHEET_NAME_YOUTUBE is not defined in the environment variables"); 152 | } 153 | console.log("sheetsData--->" ,sheetsData); 154 | 155 | if (audioFilePath && fs.existsSync(audioFilePath)) { 156 | fs.unlinkSync(audioFilePath); 157 | console.log(`Deleted audio file: ${audioFilePath}`); 158 | } 159 | return true; 160 | } catch (error) { 161 | console.error(`Attempt ${attempt} failed for video ${videoUrl}:`, error); 162 | if (attempt === maxRetries) { 163 | saveFailedVideo(videoUrl, error instanceof Error ? error.message : String(error)); 164 | return false; 165 | } 166 | const delay = Math.pow(2, attempt) * 1000; 167 | await new Promise(resolve => setTimeout(resolve, delay)); 168 | } 169 | } 170 | return false; 171 | } 172 | 173 | export async function processSingleAudio(audioFile: string, extractedRules: string[], maxRetries = 3): Promise { 174 | let audioFilePath: string | undefined; 175 | for (let attempt = 1; attempt <= maxRetries; attempt++) { 176 | try { 177 | const { paragraphs, id, audioPath } = await processAudioForTranscription(audioFile); 178 | audioFilePath = audioPath; 179 | console.log("Processing completed for video:", id); 180 | 181 | const { results } = await analyzeTranscriptsInParagraphs(paragraphs, extractedRules); 182 | const sheetsData = results.map(result => ({ 183 | id: id, 184 | transcript: result.transcript, 185 | violated_reason: result.violatedReason, 186 | start: result.start, 187 | end: result.end, 188 | video_link: `https://www.patreon.com/posts/${id}`, 189 | timestamp_link: `https://www.patreon.com/posts/${id}`, 190 | })); 191 | 192 | if (process.env.SHEET_NAME_PATREON) { 193 | await saveToGoogleSheets(sheetsData, process.env.SHEET_NAME_PATREON); 194 | } else { 195 | console.error("SHEET_NAME_PATREON is not defined in the environment variables"); 196 | } 197 | console.log("sheetsData--->" ,sheetsData); 198 | 199 | if (audioFilePath && fs.existsSync(audioFilePath)) { 200 | fs.unlinkSync(audioFilePath); 201 | console.log(`Deleted audio file: ${audioFilePath}`); 202 | } 203 | return true; 204 | } catch (error) { 205 | console.error(`Attempt ${attempt} failed for audio ${audioFile}:`, error); 206 | if (attempt === maxRetries) { 207 | saveFailedVideo(audioFile, error instanceof Error ? error.message : String(error)); 208 | return false; 209 | } 210 | const delay = Math.pow(2, attempt) * 1000; 211 | await new Promise(resolve => setTimeout(resolve, delay)); 212 | } 213 | } 214 | return false; 215 | } -------------------------------------------------------------------------------- /yarn.lock: -------------------------------------------------------------------------------- 1 | # THIS IS AN AUTOGENERATED FILE. DO NOT EDIT THIS FILE DIRECTLY. 2 | # yarn lockfile v1 3 | 4 | 5 | "@cspotcode/source-map-support@^0.8.0": 6 | version "0.8.1" 7 | resolved "https://registry.npmjs.org/@cspotcode/source-map-support/-/source-map-support-0.8.1.tgz" 8 | integrity sha512-IchNf6dN4tHoMFIn/7OE8LWZ19Y6q/67Bmf6vnGREv8RSbBVb9LPJxEcnwrcwX6ixSvaiGoomAUvu4YSxXrVgw== 9 | dependencies: 10 | "@jridgewell/trace-mapping" "0.3.9" 11 | 12 | "@deepgram/captions@^1.1.1": 13 | version "1.2.0" 14 | resolved "https://registry.npmjs.org/@deepgram/captions/-/captions-1.2.0.tgz" 15 | integrity sha512-8B1C/oTxTxyHlSFubAhNRgCbQ2SQ5wwvtlByn8sDYZvdDtdn/VE2yEPZ4BvUnrKWmsbTQY6/ooLV+9Ka2qmDSQ== 16 | dependencies: 17 | dayjs "^1.11.10" 18 | 19 | "@deepgram/sdk@^3.9.0": 20 | version "3.9.0" 21 | resolved "https://registry.npmjs.org/@deepgram/sdk/-/sdk-3.9.0.tgz" 22 | integrity sha512-X/7JzoYjCObyEaPb2Dgnkwk2LwRe4bw0FJJCLdkjpnFfJCFgA9IWgRD8FEUI6/hp8dW/CqqXkGPA2Q3DIsVG8A== 23 | dependencies: 24 | "@deepgram/captions" "^1.1.1" 25 | "@types/node" "^18.19.39" 26 | cross-fetch "^3.1.5" 27 | deepmerge "^4.3.1" 28 | events "^3.3.0" 29 | ws "^8.17.0" 30 | 31 | "@derhuerst/http-basic@^8.2.0": 32 | version "8.2.4" 33 | resolved "https://registry.npmjs.org/@derhuerst/http-basic/-/http-basic-8.2.4.tgz" 34 | integrity sha512-F9rL9k9Xjf5blCz8HsJRO4diy111cayL2vkY2XE4r4t3n0yPXVYy3KD3nJ1qbrSn9743UWSXH4IwuCa/HWlGFw== 35 | dependencies: 36 | caseless "^0.12.0" 37 | concat-stream "^2.0.0" 38 | http-response-object "^3.0.1" 39 | parse-cache-control "^1.0.1" 40 | 41 | "@distube/ytdl-core@^4.15.8": 42 | version "4.15.8" 43 | resolved "https://registry.npmjs.org/@distube/ytdl-core/-/ytdl-core-4.15.8.tgz" 44 | integrity sha512-yuQr8KDKuusXmaNNAw+stsRu6nmJUPy9hL6IgPm/8ei1zixfQFZpAIflXsqDrdXIaSp4hzTmQ1Z0KYhuqF2/JQ== 45 | dependencies: 46 | http-cookie-agent "^6.0.8" 47 | https-proxy-agent "^7.0.6" 48 | m3u8stream "^0.8.6" 49 | miniget "^4.2.3" 50 | sax "^1.4.1" 51 | tough-cookie "^4.1.4" 52 | undici five 53 | 54 | "@eslint-community/eslint-utils@^4.2.0", "@eslint-community/eslint-utils@^4.4.0": 55 | version "4.4.1" 56 | resolved "https://registry.npmjs.org/@eslint-community/eslint-utils/-/eslint-utils-4.4.1.tgz" 57 | integrity sha512-s3O3waFUrMV8P/XaF/+ZTp1X9XBZW1a4B97ZnjQF2KYWaFD2A8KyFBsrsfSjEmjn3RGWAIuvlneuZm3CUK3jbA== 58 | dependencies: 59 | eslint-visitor-keys "^3.4.3" 60 | 61 | "@eslint-community/regexpp@^4.10.0", "@eslint-community/regexpp@^4.12.1": 62 | version "4.12.1" 63 | resolved "https://registry.npmjs.org/@eslint-community/regexpp/-/regexpp-4.12.1.tgz" 64 | integrity sha512-CCZCDJuduB9OUkFkY2IgppNZMi2lBQgD2qzwXkEia16cge2pijY/aXi96CJMquDMn3nJdlPV1A5KrJEXwfLNzQ== 65 | 66 | "@eslint/config-array@^0.19.0": 67 | version "0.19.0" 68 | resolved "https://registry.npmjs.org/@eslint/config-array/-/config-array-0.19.0.tgz" 69 | integrity sha512-zdHg2FPIFNKPdcHWtiNT+jEFCHYVplAXRDlQDyqy0zGx/q2parwh7brGJSiTxRk/TSMkbM//zt/f5CHgyTyaSQ== 70 | dependencies: 71 | "@eslint/object-schema" "^2.1.4" 72 | debug "^4.3.1" 73 | minimatch "^3.1.2" 74 | 75 | "@eslint/core@^0.9.0": 76 | version "0.9.0" 77 | resolved "https://registry.npmjs.org/@eslint/core/-/core-0.9.0.tgz" 78 | integrity sha512-7ATR9F0e4W85D/0w7cU0SNj7qkAexMG+bAHEZOjo9akvGuhHE2m7umzWzfnpa0XAg5Kxc1BWmtPMV67jJ+9VUg== 79 | 80 | "@eslint/eslintrc@^3.2.0": 81 | version "3.2.0" 82 | resolved "https://registry.npmjs.org/@eslint/eslintrc/-/eslintrc-3.2.0.tgz" 83 | integrity sha512-grOjVNN8P3hjJn/eIETF1wwd12DdnwFDoyceUJLYYdkpbwq3nLi+4fqrTAONx7XDALqlL220wC/RHSC/QTI/0w== 84 | dependencies: 85 | ajv "^6.12.4" 86 | debug "^4.3.2" 87 | espree "^10.0.1" 88 | globals "^14.0.0" 89 | ignore "^5.2.0" 90 | import-fresh "^3.2.1" 91 | js-yaml "^4.1.0" 92 | minimatch "^3.1.2" 93 | strip-json-comments "^3.1.1" 94 | 95 | "@eslint/js@9.16.0": 96 | version "9.16.0" 97 | resolved "https://registry.npmjs.org/@eslint/js/-/js-9.16.0.tgz" 98 | integrity sha512-tw2HxzQkrbeuvyj1tG2Yqq+0H9wGoI2IMk4EOsQeX+vmd75FtJAzf+gTA69WF+baUKRYQ3x2kbLE08js5OsTVg== 99 | 100 | "@eslint/object-schema@^2.1.4": 101 | version "2.1.4" 102 | resolved "https://registry.npmjs.org/@eslint/object-schema/-/object-schema-2.1.4.tgz" 103 | integrity sha512-BsWiH1yFGjXXS2yvrf5LyuoSIIbPrGUWob917o+BTKuZ7qJdxX8aJLRxs1fS9n6r7vESrq1OUqb68dANcFXuQQ== 104 | 105 | "@eslint/plugin-kit@^0.2.3": 106 | version "0.2.3" 107 | resolved "https://registry.npmjs.org/@eslint/plugin-kit/-/plugin-kit-0.2.3.tgz" 108 | integrity sha512-2b/g5hRmpbb1o4GnTZax9N9m0FXzz9OV42ZzI4rDDMDuHUqigAiQCEWChBWCY4ztAGVRjoWT19v0yMmc5/L5kA== 109 | dependencies: 110 | levn "^0.4.1" 111 | 112 | "@google-cloud/common@^5.0.0": 113 | version "5.0.2" 114 | resolved "https://registry.npmjs.org/@google-cloud/common/-/common-5.0.2.tgz" 115 | integrity sha512-V7bmBKYQyu0eVG2BFejuUjlBt+zrya6vtsKdY+JxMM/dNntPF41vZ9+LhOshEUH01zOHEqBSvI7Dad7ZS6aUeA== 116 | dependencies: 117 | "@google-cloud/projectify" "^4.0.0" 118 | "@google-cloud/promisify" "^4.0.0" 119 | arrify "^2.0.1" 120 | duplexify "^4.1.1" 121 | extend "^3.0.2" 122 | google-auth-library "^9.0.0" 123 | html-entities "^2.5.2" 124 | retry-request "^7.0.0" 125 | teeny-request "^9.0.0" 126 | 127 | "@google-cloud/projectify@^4.0.0": 128 | version "4.0.0" 129 | resolved "https://registry.npmjs.org/@google-cloud/projectify/-/projectify-4.0.0.tgz" 130 | integrity sha512-MmaX6HeSvyPbWGwFq7mXdo0uQZLGBYCwziiLIGq5JVX+/bdI3SAq6bP98trV5eTWfLuvsMcIC1YJOF2vfteLFA== 131 | 132 | "@google-cloud/promisify@^4.0.0": 133 | version "4.0.0" 134 | resolved "https://registry.npmjs.org/@google-cloud/promisify/-/promisify-4.0.0.tgz" 135 | integrity sha512-Orxzlfb9c67A15cq2JQEyVc7wEsmFBmHjZWZYQMUyJ1qivXyMwdyNOs9odi79hze+2zqdTtu1E19IM/FtqZ10g== 136 | 137 | "@google-cloud/speech@^6.7.0": 138 | version "6.7.0" 139 | resolved "https://registry.npmjs.org/@google-cloud/speech/-/speech-6.7.0.tgz" 140 | integrity sha512-rLCVYD5vAoHkhHHkg/12lZckduhYCOZWxk/sIxBeS5nMSIlsrixPml/wbm6el7/8l8oNsKaiLzj+B5ABXmipRg== 141 | dependencies: 142 | "@google-cloud/common" "^5.0.0" 143 | "@types/pumpify" "^1.4.1" 144 | google-gax "^4.0.3" 145 | pumpify "^2.0.0" 146 | stream-events "^1.0.4" 147 | uuid "^9.0.0" 148 | 149 | "@grpc/grpc-js@^1.10.9": 150 | version "1.12.4" 151 | resolved "https://registry.npmjs.org/@grpc/grpc-js/-/grpc-js-1.12.4.tgz" 152 | integrity sha512-NBhrxEWnFh0FxeA0d//YP95lRFsSx2TNLEUQg4/W+5f/BMxcCjgOOIT24iD+ZB/tZw057j44DaIxja7w4XMrhg== 153 | dependencies: 154 | "@grpc/proto-loader" "^0.7.13" 155 | "@js-sdsl/ordered-map" "^4.4.2" 156 | 157 | "@grpc/proto-loader@^0.7.13": 158 | version "0.7.13" 159 | resolved "https://registry.npmjs.org/@grpc/proto-loader/-/proto-loader-0.7.13.tgz" 160 | integrity sha512-AiXO/bfe9bmxBjxxtYxFAXGZvMaN5s8kO+jBHAJCON8rJoB5YS/D6X7ZNc6XQkuHNmyl4CYaMI1fJ/Gn27RGGw== 161 | dependencies: 162 | lodash.camelcase "^4.3.0" 163 | long "^5.0.0" 164 | protobufjs "^7.2.5" 165 | yargs "^17.7.2" 166 | 167 | "@humanfs/core@^0.19.1": 168 | version "0.19.1" 169 | resolved "https://registry.npmjs.org/@humanfs/core/-/core-0.19.1.tgz" 170 | integrity sha512-5DyQ4+1JEUzejeK1JGICcideyfUbGixgS9jNgex5nqkW+cY7WZhxBigmieN5Qnw9ZosSNVC9KQKyb+GUaGyKUA== 171 | 172 | "@humanfs/node@^0.16.6": 173 | version "0.16.6" 174 | resolved "https://registry.npmjs.org/@humanfs/node/-/node-0.16.6.tgz" 175 | integrity sha512-YuI2ZHQL78Q5HbhDiBA1X4LmYdXCKCMQIfw0pw7piHJwyREFebJUvrQN4cMssyES6x+vfUbx1CIpaQUKYdQZOw== 176 | dependencies: 177 | "@humanfs/core" "^0.19.1" 178 | "@humanwhocodes/retry" "^0.3.0" 179 | 180 | "@humanwhocodes/module-importer@^1.0.1": 181 | version "1.0.1" 182 | resolved "https://registry.npmjs.org/@humanwhocodes/module-importer/-/module-importer-1.0.1.tgz" 183 | integrity sha512-bxveV4V8v5Yb4ncFTT3rPSgZBOpCkjfK0y4oVVVJwIuDVBRMDXrPyXRL988i5ap9m9bnyEEjWfm5WkBmtffLfA== 184 | 185 | "@humanwhocodes/retry@^0.3.0": 186 | version "0.3.1" 187 | resolved "https://registry.npmjs.org/@humanwhocodes/retry/-/retry-0.3.1.tgz" 188 | integrity sha512-JBxkERygn7Bv/GbN5Rv8Ul6LVknS+5Bp6RgDC/O8gEBU/yeH5Ui5C/OlWrTb6qct7LjjfT6Re2NxB0ln0yYybA== 189 | 190 | "@humanwhocodes/retry@^0.4.1": 191 | version "0.4.1" 192 | resolved "https://registry.npmjs.org/@humanwhocodes/retry/-/retry-0.4.1.tgz" 193 | integrity sha512-c7hNEllBlenFTHBky65mhq8WD2kbN9Q6gk0bTk8lSBvc554jpXSkST1iePudpt7+A/AQvuHs9EMqjHDXMY1lrA== 194 | 195 | "@jclem/logfmt2@~2.4.3": 196 | version "2.4.3" 197 | resolved "https://registry.npmjs.org/@jclem/logfmt2/-/logfmt2-2.4.3.tgz" 198 | integrity sha512-d7zluLlx+JRtVICF0+ghcrVdXBdE3eXrpIuFdcCcWxA3ABOyemkTySG4ha2AdsWFwAnh8tkB1vtyeZsWAbLumg== 199 | 200 | "@jridgewell/resolve-uri@^3.0.3": 201 | version "3.1.2" 202 | resolved "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.1.2.tgz" 203 | integrity sha512-bRISgCIjP20/tbWSPWMEi54QVPRZExkuD9lJL+UIxUKtwVJA8wW1Trb1jMs1RFXo1CBTNZ/5hpC9QvmKWdopKw== 204 | 205 | "@jridgewell/sourcemap-codec@^1.4.10": 206 | version "1.5.0" 207 | resolved "https://registry.npmjs.org/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.5.0.tgz" 208 | integrity sha512-gv3ZRaISU3fjPAgNsriBRqGWQL6quFx04YMPW/zD8XMLsU32mhCCbfbO6KZFLjvYpCZ8zyDEgqsgf+PwPaM7GQ== 209 | 210 | "@jridgewell/trace-mapping@0.3.9": 211 | version "0.3.9" 212 | resolved "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.9.tgz" 213 | integrity sha512-3Belt6tdc8bPgAtbcmdtNJlirVoTmEb5e2gC94PnkwEW9jI6CAHUeoG85tjWP5WquqfavoMtMwiG4P926ZKKuQ== 214 | dependencies: 215 | "@jridgewell/resolve-uri" "^3.0.3" 216 | "@jridgewell/sourcemap-codec" "^1.4.10" 217 | 218 | "@js-sdsl/ordered-map@^4.4.2": 219 | version "4.4.2" 220 | resolved "https://registry.npmjs.org/@js-sdsl/ordered-map/-/ordered-map-4.4.2.tgz" 221 | integrity sha512-iUKgm52T8HOE/makSxjqoWhe95ZJA1/G1sYsGev2JDKUSS14KAgg1LHb+Ba+IPow0xflbnSkOsZcO08C7w1gYw== 222 | 223 | "@kikobeats/time-span@~1.0.2": 224 | version "1.0.5" 225 | resolved "https://registry.npmjs.org/@kikobeats/time-span/-/time-span-1.0.5.tgz" 226 | integrity sha512-txRAdmi35N1wnsLS1AO5mTlbY5Cv5/61WXqek2y3L9Q7u4mgdUVq819so5xe753hL5gYeLzlWoJ/VJfXg9nx8g== 227 | 228 | "@microsoft/tiktokenizer@^1.0.9": 229 | version "1.0.9" 230 | resolved "https://registry.npmjs.org/@microsoft/tiktokenizer/-/tiktokenizer-1.0.9.tgz" 231 | integrity sha512-rl8G2WVLfLVxzQR0uVn//Wl3SUQNYgQg0ML4e0Dvx7CDTl/cvi33yiVt7CJ35e9igSkVmQMOg7/J/Wo0unw0Kg== 232 | 233 | "@nodelib/fs.scandir@2.1.5": 234 | version "2.1.5" 235 | resolved "https://registry.npmjs.org/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz" 236 | integrity sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g== 237 | dependencies: 238 | "@nodelib/fs.stat" "2.0.5" 239 | run-parallel "^1.1.9" 240 | 241 | "@nodelib/fs.stat@^2.0.2", "@nodelib/fs.stat@2.0.5": 242 | version "2.0.5" 243 | resolved "https://registry.npmjs.org/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz" 244 | integrity sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A== 245 | 246 | "@nodelib/fs.walk@^1.2.3": 247 | version "1.2.8" 248 | resolved "https://registry.npmjs.org/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz" 249 | integrity sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg== 250 | dependencies: 251 | "@nodelib/fs.scandir" "2.1.5" 252 | fastq "^1.6.0" 253 | 254 | "@pkgr/core@^0.1.0": 255 | version "0.1.1" 256 | resolved "https://registry.npmjs.org/@pkgr/core/-/core-0.1.1.tgz" 257 | integrity sha512-cq8o4cWH0ibXh9VGi5P20Tu9XF/0fFXl9EUinr9QfTM7a7p0oTA4iJRCQWppXR1Pg8dSM0UCItCkPwsk9qWWYA== 258 | 259 | "@protobufjs/aspromise@^1.1.1", "@protobufjs/aspromise@^1.1.2": 260 | version "1.1.2" 261 | resolved "https://registry.npmjs.org/@protobufjs/aspromise/-/aspromise-1.1.2.tgz" 262 | integrity sha512-j+gKExEuLmKwvz3OgROXtrJ2UG2x8Ch2YZUxahh+s1F2HZ+wAceUNLkvy6zKCPVRkU++ZWQrdxsUeQXmcg4uoQ== 263 | 264 | "@protobufjs/base64@^1.1.2": 265 | version "1.1.2" 266 | resolved "https://registry.npmjs.org/@protobufjs/base64/-/base64-1.1.2.tgz" 267 | integrity sha512-AZkcAA5vnN/v4PDqKyMR5lx7hZttPDgClv83E//FMNhR2TMcLUhfRUBHCmSl0oi9zMgDDqRUJkSxO3wm85+XLg== 268 | 269 | "@protobufjs/codegen@^2.0.4": 270 | version "2.0.4" 271 | resolved "https://registry.npmjs.org/@protobufjs/codegen/-/codegen-2.0.4.tgz" 272 | integrity sha512-YyFaikqM5sH0ziFZCN3xDC7zeGaB/d0IUb9CATugHWbd1FRFwWwt4ld4OYMPWu5a3Xe01mGAULCdqhMlPl29Jg== 273 | 274 | "@protobufjs/eventemitter@^1.1.0": 275 | version "1.1.0" 276 | resolved "https://registry.npmjs.org/@protobufjs/eventemitter/-/eventemitter-1.1.0.tgz" 277 | integrity sha512-j9ednRT81vYJ9OfVuXG6ERSTdEL1xVsNgqpkxMsbIabzSo3goCjDIveeGv5d03om39ML71RdmrGNjG5SReBP/Q== 278 | 279 | "@protobufjs/fetch@^1.1.0": 280 | version "1.1.0" 281 | resolved "https://registry.npmjs.org/@protobufjs/fetch/-/fetch-1.1.0.tgz" 282 | integrity sha512-lljVXpqXebpsijW71PZaCYeIcE5on1w5DlQy5WH6GLbFryLUrBD4932W/E2BSpfRJWseIL4v/KPgBFxDOIdKpQ== 283 | dependencies: 284 | "@protobufjs/aspromise" "^1.1.1" 285 | "@protobufjs/inquire" "^1.1.0" 286 | 287 | "@protobufjs/float@^1.0.2": 288 | version "1.0.2" 289 | resolved "https://registry.npmjs.org/@protobufjs/float/-/float-1.0.2.tgz" 290 | integrity sha512-Ddb+kVXlXst9d+R9PfTIxh1EdNkgoRe5tOX6t01f1lYWOvJnSPDBlG241QLzcyPdoNTsblLUdujGSE4RzrTZGQ== 291 | 292 | "@protobufjs/inquire@^1.1.0": 293 | version "1.1.0" 294 | resolved "https://registry.npmjs.org/@protobufjs/inquire/-/inquire-1.1.0.tgz" 295 | integrity sha512-kdSefcPdruJiFMVSbn801t4vFK7KB/5gd2fYvrxhuJYg8ILrmn9SKSX2tZdV6V+ksulWqS7aXjBcRXl3wHoD9Q== 296 | 297 | "@protobufjs/path@^1.1.2": 298 | version "1.1.2" 299 | resolved "https://registry.npmjs.org/@protobufjs/path/-/path-1.1.2.tgz" 300 | integrity sha512-6JOcJ5Tm08dOHAbdR3GrvP+yUUfkjG5ePsHYczMFLq3ZmMkAD98cDgcT2iA1lJ9NVwFd4tH/iSSoe44YWkltEA== 301 | 302 | "@protobufjs/pool@^1.1.0": 303 | version "1.1.0" 304 | resolved "https://registry.npmjs.org/@protobufjs/pool/-/pool-1.1.0.tgz" 305 | integrity sha512-0kELaGSIDBKvcgS4zkjz1PeddatrjYcmMWOlAuAPwAeccUrPHdUqo/J6LiymHHEiJT5NrF1UVwxY14f+fy4WQw== 306 | 307 | "@protobufjs/utf8@^1.1.0": 308 | version "1.1.0" 309 | resolved "https://registry.npmjs.org/@protobufjs/utf8/-/utf8-1.1.0.tgz" 310 | integrity sha512-Vvn3zZrhQZkkBE8LSuW3em98c0FwgO4nxzv6OdSxPKJIEKY2bGbHn+mhGIPerzI4twdxaP8/0+06HBpwf345Lw== 311 | 312 | "@rtsao/scc@^1.1.0": 313 | version "1.1.0" 314 | resolved "https://registry.npmjs.org/@rtsao/scc/-/scc-1.1.0.tgz" 315 | integrity sha512-zt6OdqaDoOnJ1ZYsCYGt9YmWzDXl4vQdKTyJev62gFhRGKdx7mcT54V9KIjg+d2wi9EXsPvAPKe7i7WjfVWB8g== 316 | 317 | "@tootallnate/once@2": 318 | version "2.0.0" 319 | resolved "https://registry.npmjs.org/@tootallnate/once/-/once-2.0.0.tgz" 320 | integrity sha512-XCuKFP5PS55gnMVu3dty8KPatLqUoy/ZYzDzAGCQ8JNFCkLXzmI7vNHCR+XpbZaMWQK/vQubr7PkYq8g470J/A== 321 | 322 | "@tsconfig/node10@^1.0.7": 323 | version "1.0.11" 324 | resolved "https://registry.npmjs.org/@tsconfig/node10/-/node10-1.0.11.tgz" 325 | integrity sha512-DcRjDCujK/kCk/cUe8Xz8ZSpm8mS3mNNpta+jGCA6USEDfktlNvm1+IuZ9eTcDbNk41BHwpHHeW+N1lKCz4zOw== 326 | 327 | "@tsconfig/node12@^1.0.7": 328 | version "1.0.11" 329 | resolved "https://registry.npmjs.org/@tsconfig/node12/-/node12-1.0.11.tgz" 330 | integrity sha512-cqefuRsh12pWyGsIoBKJA9luFu3mRxCA+ORZvA4ktLSzIuCUtWVxGIuXigEwO5/ywWFMZ2QEGKWvkZG1zDMTag== 331 | 332 | "@tsconfig/node14@^1.0.0": 333 | version "1.0.3" 334 | resolved "https://registry.npmjs.org/@tsconfig/node14/-/node14-1.0.3.tgz" 335 | integrity sha512-ysT8mhdixWK6Hw3i1V2AeRqZ5WfXg1G43mqoYlM2nc6388Fq5jcXyr5mRsqViLx/GJYdoL0bfXD8nmF+Zn/Iow== 336 | 337 | "@tsconfig/node16@^1.0.2": 338 | version "1.0.4" 339 | resolved "https://registry.npmjs.org/@tsconfig/node16/-/node16-1.0.4.tgz" 340 | integrity sha512-vxhUy4J8lyeyinH7Azl1pdd43GJhZH/tP2weN8TntQblOY+A0XbT8DJk1/oCPuOOyg/Ja757rG0CgHcWC8OfMA== 341 | 342 | "@types/caseless@*": 343 | version "0.12.5" 344 | resolved "https://registry.npmjs.org/@types/caseless/-/caseless-0.12.5.tgz" 345 | integrity sha512-hWtVTC2q7hc7xZ/RLbxapMvDMgUnDvKvMOpKal4DrMyfGBUfB1oKaZlIRr6mJL+If3bAP6sV/QneGzF6tJjZDg== 346 | 347 | "@types/duplexify@*": 348 | version "3.6.4" 349 | resolved "https://registry.npmjs.org/@types/duplexify/-/duplexify-3.6.4.tgz" 350 | integrity sha512-2eahVPsd+dy3CL6FugAzJcxoraWhUghZGEQJns1kTKfCXWKJ5iG/VkaB05wRVrDKHfOFKqb0X0kXh91eE99RZg== 351 | dependencies: 352 | "@types/node" "*" 353 | 354 | "@types/estree@^1.0.6": 355 | version "1.0.6" 356 | resolved "https://registry.npmjs.org/@types/estree/-/estree-1.0.6.tgz" 357 | integrity sha512-AYnb1nQyY49te+VRAVgmzfcgjYS91mY5P0TKUDCLEM+gNnA+3T6rWITXRLYCpahpqSQbN5cE+gHpnPyXjHWxcw== 358 | 359 | "@types/fluent-ffmpeg@^2.1.27": 360 | version "2.1.27" 361 | resolved "https://registry.npmjs.org/@types/fluent-ffmpeg/-/fluent-ffmpeg-2.1.27.tgz" 362 | integrity sha512-QiDWjihpUhriISNoBi2hJBRUUmoj/BMTYcfz+F+ZM9hHWBYABFAE6hjP/TbCZC0GWwlpa3FzvHH9RzFeRusZ7A== 363 | dependencies: 364 | "@types/node" "*" 365 | 366 | "@types/json-schema@^7.0.15": 367 | version "7.0.15" 368 | resolved "https://registry.npmjs.org/@types/json-schema/-/json-schema-7.0.15.tgz" 369 | integrity sha512-5+fP8P8MFNC+AyZCDxrB2pkZFPGzqQWUzpSeuuVLvm8VMcorNYavBqoFcxK8bQz4Qsbn4oUEEem4wDLfcysGHA== 370 | 371 | "@types/json5@^0.0.29": 372 | version "0.0.29" 373 | resolved "https://registry.npmjs.org/@types/json5/-/json5-0.0.29.tgz" 374 | integrity sha512-dRLjCWHYg4oaA77cxO64oO+7JwCwnIzkZPdrrC71jQmQtlhM556pwKo5bUzqvZndkVbeFLIIi+9TC40JNF5hNQ== 375 | 376 | "@types/long@^4.0.0": 377 | version "4.0.2" 378 | resolved "https://registry.npmjs.org/@types/long/-/long-4.0.2.tgz" 379 | integrity sha512-MqTGEo5bj5t157U6fA/BiDynNkn0YknVdh48CMPkTSpFTVmvao5UQmm7uEF6xBEo7qIMAlY/JSleYaE6VOdpaA== 380 | 381 | "@types/node-fetch@^2.6.10", "@types/node-fetch@^2.6.4": 382 | version "2.6.12" 383 | resolved "https://registry.npmjs.org/@types/node-fetch/-/node-fetch-2.6.12.tgz" 384 | integrity sha512-8nneRWKCg3rMtF69nLQJnOYUcbafYeFSjqkw3jCRLsqkWFlHaoQrr5mXmofFGOx3DKn7UfmBMyov8ySvLRVldA== 385 | dependencies: 386 | "@types/node" "*" 387 | form-data "^4.0.0" 388 | 389 | "@types/node@*", "@types/node@^22.10.5", "@types/node@>=13.7.0": 390 | version "22.10.5" 391 | resolved "https://registry.npmjs.org/@types/node/-/node-22.10.5.tgz" 392 | integrity sha512-F8Q+SeGimwOo86fiovQh8qiXfFEh2/ocYv7tU5pJ3EXMSSxk1Joj5wefpFK2fHTf/N6HKGSxIDBT9f3gCxXPkQ== 393 | dependencies: 394 | undici-types "~6.20.0" 395 | 396 | "@types/node@^10.0.3": 397 | version "10.17.60" 398 | resolved "https://registry.npmjs.org/@types/node/-/node-10.17.60.tgz" 399 | integrity sha512-F0KIgDJfy2nA3zMLmWGKxcH2ZVEtCZXHHdOQs2gSaQ27+lNeEfGxzkIw90aXswATX7AZ33tahPbzy6KAfUreVw== 400 | 401 | "@types/node@^18.11.18": 402 | version "18.19.67" 403 | resolved "https://registry.npmjs.org/@types/node/-/node-18.19.67.tgz" 404 | integrity sha512-wI8uHusga+0ZugNp0Ol/3BqQfEcCCNfojtO6Oou9iVNGPTL6QNSdnUdqq85fRgIorLhLMuPIKpsN98QE9Nh+KQ== 405 | dependencies: 406 | undici-types "~5.26.4" 407 | 408 | "@types/node@^18.19.39": 409 | version "18.19.67" 410 | resolved "https://registry.npmjs.org/@types/node/-/node-18.19.67.tgz" 411 | integrity sha512-wI8uHusga+0ZugNp0Ol/3BqQfEcCCNfojtO6Oou9iVNGPTL6QNSdnUdqq85fRgIorLhLMuPIKpsN98QE9Nh+KQ== 412 | dependencies: 413 | undici-types "~5.26.4" 414 | 415 | "@types/pumpify@^1.4.1": 416 | version "1.4.4" 417 | resolved "https://registry.npmjs.org/@types/pumpify/-/pumpify-1.4.4.tgz" 418 | integrity sha512-+cWbQUecD04MQYkjNBhPmcUIP368aloYmqm+ImdMKA8rMpxRNAhZAD6gIj+sAVTF1DliqrT/qUp6aGNi/9U3tw== 419 | dependencies: 420 | "@types/duplexify" "*" 421 | "@types/node" "*" 422 | 423 | "@types/request@^2.48.8": 424 | version "2.48.12" 425 | resolved "https://registry.npmjs.org/@types/request/-/request-2.48.12.tgz" 426 | integrity sha512-G3sY+NpsA9jnwm0ixhAFQSJ3Q9JkpLZpJbI3GMv0mIAT0y3mRabYeINzal5WOChIiaTEGQYlHOKgkaM9EisWHw== 427 | dependencies: 428 | "@types/caseless" "*" 429 | "@types/node" "*" 430 | "@types/tough-cookie" "*" 431 | form-data "^2.5.0" 432 | 433 | "@types/tough-cookie@*": 434 | version "4.0.5" 435 | resolved "https://registry.npmjs.org/@types/tough-cookie/-/tough-cookie-4.0.5.tgz" 436 | integrity sha512-/Ad8+nIOV7Rl++6f1BdKxFSMgmoqEoYbHRpPcx3JEfv8VRsQe9Z4mCXeJBzxs7mbHY/XOZZuXlRNfhpVPbs6ZA== 437 | 438 | "@typescript-eslint/eslint-plugin@^8.12.2": 439 | version "8.17.0" 440 | resolved "https://registry.npmjs.org/@typescript-eslint/eslint-plugin/-/eslint-plugin-8.17.0.tgz" 441 | integrity sha512-HU1KAdW3Tt8zQkdvNoIijfWDMvdSweFYm4hWh+KwhPstv+sCmWb89hCIP8msFm9N1R/ooh9honpSuvqKWlYy3w== 442 | dependencies: 443 | "@eslint-community/regexpp" "^4.10.0" 444 | "@typescript-eslint/scope-manager" "8.17.0" 445 | "@typescript-eslint/type-utils" "8.17.0" 446 | "@typescript-eslint/utils" "8.17.0" 447 | "@typescript-eslint/visitor-keys" "8.17.0" 448 | graphemer "^1.4.0" 449 | ignore "^5.3.1" 450 | natural-compare "^1.4.0" 451 | ts-api-utils "^1.3.0" 452 | 453 | "@typescript-eslint/parser@^8.0.0 || ^8.0.0-alpha.0", "@typescript-eslint/parser@^8.12.2": 454 | version "8.17.0" 455 | resolved "https://registry.npmjs.org/@typescript-eslint/parser/-/parser-8.17.0.tgz" 456 | integrity sha512-Drp39TXuUlD49F7ilHHCG7TTg8IkA+hxCuULdmzWYICxGXvDXmDmWEjJYZQYgf6l/TFfYNE167m7isnc3xlIEg== 457 | dependencies: 458 | "@typescript-eslint/scope-manager" "8.17.0" 459 | "@typescript-eslint/types" "8.17.0" 460 | "@typescript-eslint/typescript-estree" "8.17.0" 461 | "@typescript-eslint/visitor-keys" "8.17.0" 462 | debug "^4.3.4" 463 | 464 | "@typescript-eslint/scope-manager@8.17.0": 465 | version "8.17.0" 466 | resolved "https://registry.npmjs.org/@typescript-eslint/scope-manager/-/scope-manager-8.17.0.tgz" 467 | integrity sha512-/ewp4XjvnxaREtqsZjF4Mfn078RD/9GmiEAtTeLQ7yFdKnqwTOgRMSvFz4et9U5RiJQ15WTGXPLj89zGusvxBg== 468 | dependencies: 469 | "@typescript-eslint/types" "8.17.0" 470 | "@typescript-eslint/visitor-keys" "8.17.0" 471 | 472 | "@typescript-eslint/type-utils@8.17.0": 473 | version "8.17.0" 474 | resolved "https://registry.npmjs.org/@typescript-eslint/type-utils/-/type-utils-8.17.0.tgz" 475 | integrity sha512-q38llWJYPd63rRnJ6wY/ZQqIzPrBCkPdpIsaCfkR3Q4t3p6sb422zougfad4TFW9+ElIFLVDzWGiGAfbb/v2qw== 476 | dependencies: 477 | "@typescript-eslint/typescript-estree" "8.17.0" 478 | "@typescript-eslint/utils" "8.17.0" 479 | debug "^4.3.4" 480 | ts-api-utils "^1.3.0" 481 | 482 | "@typescript-eslint/types@8.17.0": 483 | version "8.17.0" 484 | resolved "https://registry.npmjs.org/@typescript-eslint/types/-/types-8.17.0.tgz" 485 | integrity sha512-gY2TVzeve3z6crqh2Ic7Cr+CAv6pfb0Egee7J5UAVWCpVvDI/F71wNfolIim4FE6hT15EbpZFVUj9j5i38jYXA== 486 | 487 | "@typescript-eslint/typescript-estree@8.17.0": 488 | version "8.17.0" 489 | resolved "https://registry.npmjs.org/@typescript-eslint/typescript-estree/-/typescript-estree-8.17.0.tgz" 490 | integrity sha512-JqkOopc1nRKZpX+opvKqnM3XUlM7LpFMD0lYxTqOTKQfCWAmxw45e3qlOCsEqEB2yuacujivudOFpCnqkBDNMw== 491 | dependencies: 492 | "@typescript-eslint/types" "8.17.0" 493 | "@typescript-eslint/visitor-keys" "8.17.0" 494 | debug "^4.3.4" 495 | fast-glob "^3.3.2" 496 | is-glob "^4.0.3" 497 | minimatch "^9.0.4" 498 | semver "^7.6.0" 499 | ts-api-utils "^1.3.0" 500 | 501 | "@typescript-eslint/utils@8.17.0": 502 | version "8.17.0" 503 | resolved "https://registry.npmjs.org/@typescript-eslint/utils/-/utils-8.17.0.tgz" 504 | integrity sha512-bQC8BnEkxqG8HBGKwG9wXlZqg37RKSMY7v/X8VEWD8JG2JuTHuNK0VFvMPMUKQcbk6B+tf05k+4AShAEtCtJ/w== 505 | dependencies: 506 | "@eslint-community/eslint-utils" "^4.4.0" 507 | "@typescript-eslint/scope-manager" "8.17.0" 508 | "@typescript-eslint/types" "8.17.0" 509 | "@typescript-eslint/typescript-estree" "8.17.0" 510 | 511 | "@typescript-eslint/visitor-keys@8.17.0": 512 | version "8.17.0" 513 | resolved "https://registry.npmjs.org/@typescript-eslint/visitor-keys/-/visitor-keys-8.17.0.tgz" 514 | integrity sha512-1Hm7THLpO6ww5QU6H/Qp+AusUUl+z/CAm3cNZZ0jQvon9yicgO7Rwd+/WWRpMKLYV6p2UvdbR27c86rzCPpreg== 515 | dependencies: 516 | "@typescript-eslint/types" "8.17.0" 517 | eslint-visitor-keys "^4.2.0" 518 | 519 | abort-controller@^3.0.0: 520 | version "3.0.0" 521 | resolved "https://registry.npmjs.org/abort-controller/-/abort-controller-3.0.0.tgz" 522 | integrity sha512-h8lQ8tacZYnR3vNQTgibj+tODHI5/+l06Au2Pcriv/Gmet0eaj4TwWH41sO9wnHDiQsEj19q0drzdWdeAHtweg== 523 | dependencies: 524 | event-target-shim "^5.0.0" 525 | 526 | acorn-jsx@^5.3.2: 527 | version "5.3.2" 528 | resolved "https://registry.npmjs.org/acorn-jsx/-/acorn-jsx-5.3.2.tgz" 529 | integrity sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ== 530 | 531 | acorn-walk@^8.1.1: 532 | version "8.3.4" 533 | resolved "https://registry.npmjs.org/acorn-walk/-/acorn-walk-8.3.4.tgz" 534 | integrity sha512-ueEepnujpqee2o5aIYnvHU6C0A42MNdsIDeqy5BydrkuC5R1ZuUFnm27EeFJGoEHJQgn3uleRvmTXaJgfXbt4g== 535 | dependencies: 536 | acorn "^8.11.0" 537 | 538 | "acorn@^6.0.0 || ^7.0.0 || ^8.0.0", acorn@^8.11.0, acorn@^8.14.0, acorn@^8.4.1: 539 | version "8.14.0" 540 | resolved "https://registry.npmjs.org/acorn/-/acorn-8.14.0.tgz" 541 | integrity sha512-cl669nCJTZBsL97OF4kUQm5g5hC2uihk0NxY3WENAC0TYdILVkAyHymAntgxGkl7K+t0cXIrH5siy5S4XkFycA== 542 | 543 | agent-base@^7.1.0, agent-base@^7.1.2, agent-base@^7.1.3: 544 | version "7.1.3" 545 | resolved "https://registry.npmjs.org/agent-base/-/agent-base-7.1.3.tgz" 546 | integrity sha512-jRR5wdylq8CkOe6hei19GGZnxM6rBGwFl3Bg0YItGDimvjGtAvdZk4Pu6Cl4u4Igsws4a1fd1Vq3ezrhn4KmFw== 547 | 548 | agent-base@6: 549 | version "6.0.2" 550 | resolved "https://registry.npmjs.org/agent-base/-/agent-base-6.0.2.tgz" 551 | integrity sha512-RZNwNclF7+MS/8bDg70amg32dyeZGZxiDuQmZxKLAlQjr3jGyLx+4Kkk58UO7D2QdgFIQCovuSuZESne6RG6XQ== 552 | dependencies: 553 | debug "4" 554 | 555 | agentkeepalive@^4.2.1: 556 | version "4.5.0" 557 | resolved "https://registry.npmjs.org/agentkeepalive/-/agentkeepalive-4.5.0.tgz" 558 | integrity sha512-5GG/5IbQQpC9FpkRGsSvZI5QYeSCzlJHdpBQntCsuTOxhKD8lqKhrleg2Yi7yvMIf82Ycmmqln9U8V9qwEiJew== 559 | dependencies: 560 | humanize-ms "^1.2.1" 561 | 562 | ajv@^6.12.4: 563 | version "6.12.6" 564 | resolved "https://registry.npmjs.org/ajv/-/ajv-6.12.6.tgz" 565 | integrity sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g== 566 | dependencies: 567 | fast-deep-equal "^3.1.1" 568 | fast-json-stable-stringify "^2.0.0" 569 | json-schema-traverse "^0.4.1" 570 | uri-js "^4.2.2" 571 | 572 | ansi-regex@^5.0.1: 573 | version "5.0.1" 574 | resolved "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz" 575 | integrity sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ== 576 | 577 | ansi-styles@^4.0.0, ansi-styles@^4.1.0: 578 | version "4.3.0" 579 | resolved "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz" 580 | integrity sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg== 581 | dependencies: 582 | color-convert "^2.0.1" 583 | 584 | anymatch@~3.1.2: 585 | version "3.1.3" 586 | resolved "https://registry.npmjs.org/anymatch/-/anymatch-3.1.3.tgz" 587 | integrity sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw== 588 | dependencies: 589 | normalize-path "^3.0.0" 590 | picomatch "^2.0.4" 591 | 592 | arg@^4.1.0: 593 | version "4.1.3" 594 | resolved "https://registry.npmjs.org/arg/-/arg-4.1.3.tgz" 595 | integrity sha512-58S9QDqG0Xx27YwPSt9fJxivjYl432YCwfDMfZ+71RAqUrZef7LrKQZ3LHLOwCS4FLNBplP533Zx895SeOCHvA== 596 | 597 | argparse@^2.0.1: 598 | version "2.0.1" 599 | resolved "https://registry.npmjs.org/argparse/-/argparse-2.0.1.tgz" 600 | integrity sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q== 601 | 602 | array-buffer-byte-length@^1.0.1: 603 | version "1.0.1" 604 | resolved "https://registry.npmjs.org/array-buffer-byte-length/-/array-buffer-byte-length-1.0.1.tgz" 605 | integrity sha512-ahC5W1xgou+KTXix4sAO8Ki12Q+jf4i0+tmk3sC+zgcynshkHxzpXdImBehiUYKKKDwvfFiJl1tZt6ewscS1Mg== 606 | dependencies: 607 | call-bind "^1.0.5" 608 | is-array-buffer "^3.0.4" 609 | 610 | array-includes@^3.1.8: 611 | version "3.1.8" 612 | resolved "https://registry.npmjs.org/array-includes/-/array-includes-3.1.8.tgz" 613 | integrity sha512-itaWrbYbqpGXkGhZPGUulwnhVf5Hpy1xiCFsGqyIGglbBxmG5vSjxQen3/WGOjPpNEv1RtBLKxbmVXm8HpJStQ== 614 | dependencies: 615 | call-bind "^1.0.7" 616 | define-properties "^1.2.1" 617 | es-abstract "^1.23.2" 618 | es-object-atoms "^1.0.0" 619 | get-intrinsic "^1.2.4" 620 | is-string "^1.0.7" 621 | 622 | array.prototype.findlastindex@^1.2.5: 623 | version "1.2.5" 624 | resolved "https://registry.npmjs.org/array.prototype.findlastindex/-/array.prototype.findlastindex-1.2.5.tgz" 625 | integrity sha512-zfETvRFA8o7EiNn++N5f/kaCw221hrpGsDmcpndVupkPzEc1Wuf3VgC0qby1BbHs7f5DVYjgtEU2LLh5bqeGfQ== 626 | dependencies: 627 | call-bind "^1.0.7" 628 | define-properties "^1.2.1" 629 | es-abstract "^1.23.2" 630 | es-errors "^1.3.0" 631 | es-object-atoms "^1.0.0" 632 | es-shim-unscopables "^1.0.2" 633 | 634 | array.prototype.flat@^1.3.2: 635 | version "1.3.2" 636 | resolved "https://registry.npmjs.org/array.prototype.flat/-/array.prototype.flat-1.3.2.tgz" 637 | integrity sha512-djYB+Zx2vLewY8RWlNCUdHjDXs2XOgm602S9E7P/UpHgfeHL00cRiIF+IN/G/aUJ7kGPb6yO/ErDI5V2s8iycA== 638 | dependencies: 639 | call-bind "^1.0.2" 640 | define-properties "^1.2.0" 641 | es-abstract "^1.22.1" 642 | es-shim-unscopables "^1.0.0" 643 | 644 | array.prototype.flatmap@^1.3.2: 645 | version "1.3.2" 646 | resolved "https://registry.npmjs.org/array.prototype.flatmap/-/array.prototype.flatmap-1.3.2.tgz" 647 | integrity sha512-Ewyx0c9PmpcsByhSW4r+9zDU7sGjFc86qf/kKtuSCRdhfbk0SNLLkaT5qvcHnRGgc5NP/ly/y+qkXkqONX54CQ== 648 | dependencies: 649 | call-bind "^1.0.2" 650 | define-properties "^1.2.0" 651 | es-abstract "^1.22.1" 652 | es-shim-unscopables "^1.0.0" 653 | 654 | arraybuffer.prototype.slice@^1.0.3: 655 | version "1.0.3" 656 | resolved "https://registry.npmjs.org/arraybuffer.prototype.slice/-/arraybuffer.prototype.slice-1.0.3.tgz" 657 | integrity sha512-bMxMKAjg13EBSVscxTaYA4mRc5t1UAXa2kXiGTNfZ079HIWXEkKmkgFrh/nJqamaLSrXO5H4WFFkPEaLJWbs3A== 658 | dependencies: 659 | array-buffer-byte-length "^1.0.1" 660 | call-bind "^1.0.5" 661 | define-properties "^1.2.1" 662 | es-abstract "^1.22.3" 663 | es-errors "^1.2.1" 664 | get-intrinsic "^1.2.3" 665 | is-array-buffer "^3.0.4" 666 | is-shared-array-buffer "^1.0.2" 667 | 668 | arrify@^2.0.1: 669 | version "2.0.1" 670 | resolved "https://registry.npmjs.org/arrify/-/arrify-2.0.1.tgz" 671 | integrity sha512-3duEwti880xqi4eAMN8AyR4a0ByT90zoYdLlevfrvU43vb0YZwZVfxOgxWrLXXXpyugL0hNZc9G6BiB5B3nUug== 672 | 673 | async@^0.2.9: 674 | version "0.2.10" 675 | resolved "https://registry.npmjs.org/async/-/async-0.2.10.tgz" 676 | integrity sha512-eAkdoKxU6/LkKDBzLpT+t6Ff5EtfSF4wx1WfJiPEEV7WNLnDaRXk0oVysiEPm262roaachGexwUv94WhSgN5TQ== 677 | 678 | asynckit@^0.4.0: 679 | version "0.4.0" 680 | resolved "https://registry.npmjs.org/asynckit/-/asynckit-0.4.0.tgz" 681 | integrity sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q== 682 | 683 | available-typed-arrays@^1.0.7: 684 | version "1.0.7" 685 | resolved "https://registry.npmjs.org/available-typed-arrays/-/available-typed-arrays-1.0.7.tgz" 686 | integrity sha512-wvUjBtSGN7+7SjNpq/9M2Tg350UZD3q62IFZLbRAR1bSMlCo1ZaeW+BJ+D090e4hIIZLBcTDWe4Mh4jvUDajzQ== 687 | dependencies: 688 | possible-typed-array-names "^1.0.0" 689 | 690 | axios@^1.7.7, axios@^1.7.9: 691 | version "1.7.9" 692 | resolved "https://registry.npmjs.org/axios/-/axios-1.7.9.tgz" 693 | integrity sha512-LhLcE7Hbiryz8oMDdDptSrWowmB4Bl6RCt6sIJKpRB4XtVf0iEgewX3au/pJqm+Py1kCASkb/FFKjxQaLtxJvw== 694 | dependencies: 695 | follow-redirects "^1.15.6" 696 | form-data "^4.0.0" 697 | proxy-from-env "^1.1.0" 698 | 699 | balanced-match@^1.0.0: 700 | version "1.0.2" 701 | resolved "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz" 702 | integrity sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw== 703 | 704 | base64-js@^1.3.0: 705 | version "1.5.1" 706 | resolved "https://registry.npmjs.org/base64-js/-/base64-js-1.5.1.tgz" 707 | integrity sha512-AKpaYlHn8t4SVbOHCy+b5+KKgvR4vrsD8vbvrbiQJps7fKDTkjkDry6ji0rUJjC0kzbNePLwzxq8iypo41qeWA== 708 | 709 | bignumber.js@^9.0.0: 710 | version "9.1.2" 711 | resolved "https://registry.npmjs.org/bignumber.js/-/bignumber.js-9.1.2.tgz" 712 | integrity sha512-2/mKyZH9K85bzOEfhXDBFZTGd1CTs+5IHpeFQo9luiBG7hghdC851Pj2WAhb6E3R6b9tZj/XKhbg4fum+Kepug== 713 | 714 | bin-version-check@~6.0.0: 715 | version "6.0.0" 716 | resolved "https://registry.npmjs.org/bin-version-check/-/bin-version-check-6.0.0.tgz" 717 | integrity sha512-k9TS/pADINX9UlErjAkbkxDer8C+WlguMwySI8sLMGLUMDvwuHmDx00yoHe7nxshgwtLBcMWQgrlwjzscUeQKg== 718 | dependencies: 719 | binary-version "^7.1.0" 720 | semver "^7.6.0" 721 | semver-truncate "^3.0.0" 722 | 723 | binary-extensions@^2.0.0: 724 | version "2.3.0" 725 | resolved "https://registry.npmjs.org/binary-extensions/-/binary-extensions-2.3.0.tgz" 726 | integrity sha512-Ceh+7ox5qe7LJuLHoY0feh3pHuUDHAcRUeyL2VYghZwfpkNIy/+8Ocg0a3UuSoYzavmylwuLWQOf3hl0jjMMIw== 727 | 728 | binary-version@^7.1.0: 729 | version "7.1.0" 730 | resolved "https://registry.npmjs.org/binary-version/-/binary-version-7.1.0.tgz" 731 | integrity sha512-Iy//vPc3ANPNlIWd242Npqc8MK0a/i4kVcHDlDA6HNMv5zMxz4ulIFhOSYJVKw/8AbHdHy0CnGYEt1QqSXxPsw== 732 | dependencies: 733 | execa "^8.0.1" 734 | find-versions "^6.0.0" 735 | 736 | boolbase@^1.0.0: 737 | version "1.0.0" 738 | resolved "https://registry.npmjs.org/boolbase/-/boolbase-1.0.0.tgz" 739 | integrity sha512-JZOSA7Mo9sNGB8+UjSgzdLtokWAky1zbztM3WRLCbZ70/3cTANmQmOdR7y2g+J0e2WXywy1yS468tY+IruqEww== 740 | 741 | brace-expansion@^1.1.7: 742 | version "1.1.11" 743 | resolved "https://registry.npmjs.org/brace-expansion/-/brace-expansion-1.1.11.tgz" 744 | integrity sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA== 745 | dependencies: 746 | balanced-match "^1.0.0" 747 | concat-map "0.0.1" 748 | 749 | brace-expansion@^2.0.1: 750 | version "2.0.1" 751 | resolved "https://registry.npmjs.org/brace-expansion/-/brace-expansion-2.0.1.tgz" 752 | integrity sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA== 753 | dependencies: 754 | balanced-match "^1.0.0" 755 | 756 | braces@^3.0.3, braces@~3.0.2: 757 | version "3.0.3" 758 | resolved "https://registry.npmjs.org/braces/-/braces-3.0.3.tgz" 759 | integrity sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA== 760 | dependencies: 761 | fill-range "^7.1.1" 762 | 763 | buffer-equal-constant-time@1.0.1: 764 | version "1.0.1" 765 | resolved "https://registry.npmjs.org/buffer-equal-constant-time/-/buffer-equal-constant-time-1.0.1.tgz" 766 | integrity sha512-zRpUiDwd/xk6ADqPMATG8vc9VPrkck7T07OIx0gnjmJAnHnTVXNQG3vfvWNuiZIkwu9KrKdA1iJKfsfTVxE6NA== 767 | 768 | buffer-from@^1.0.0: 769 | version "1.1.2" 770 | resolved "https://registry.npmjs.org/buffer-from/-/buffer-from-1.1.2.tgz" 771 | integrity sha512-E+XQCRwSbaaiChtv6k6Dwgc+bx+Bs6vuKJHHl5kox/BaKbhiXzqQOwK4cO22yElGp2OCmjwVhT3HmxgyPGnJfQ== 772 | 773 | call-bind@^1.0.2, call-bind@^1.0.5, call-bind@^1.0.6, call-bind@^1.0.7: 774 | version "1.0.7" 775 | resolved "https://registry.npmjs.org/call-bind/-/call-bind-1.0.7.tgz" 776 | integrity sha512-GHTSNSYICQ7scH7sZ+M2rFopRoLh8t2bLSW6BbgrtLsahOIB5iyAVJf9GjWK3cYTDaMj4XdBpM1cA6pIS0Kv2w== 777 | dependencies: 778 | es-define-property "^1.0.0" 779 | es-errors "^1.3.0" 780 | function-bind "^1.1.2" 781 | get-intrinsic "^1.2.4" 782 | set-function-length "^1.2.1" 783 | 784 | callsites@^3.0.0: 785 | version "3.1.0" 786 | resolved "https://registry.npmjs.org/callsites/-/callsites-3.1.0.tgz" 787 | integrity sha512-P8BjAsXvZS+VIDUI11hHCQEv74YT67YUi5JJFNWIqL235sBmjX4+qx9Muvls5ivyNENctx46xQLQ3aTuE7ssaQ== 788 | 789 | caseless@^0.12.0: 790 | version "0.12.0" 791 | resolved "https://registry.npmjs.org/caseless/-/caseless-0.12.0.tgz" 792 | integrity sha512-4tYFyifaFfGacoiObjJegolkwSU4xQNGbVgUiNYVUxbQ2x2lUsFvY4hVgVzGiIe6WLOPqycWXA40l+PWsxthUw== 793 | 794 | chalk@^4.0.0: 795 | version "4.1.2" 796 | resolved "https://registry.npmjs.org/chalk/-/chalk-4.1.2.tgz" 797 | integrity sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA== 798 | dependencies: 799 | ansi-styles "^4.1.0" 800 | supports-color "^7.1.0" 801 | 802 | cheerio-select@^2.1.0: 803 | version "2.1.0" 804 | resolved "https://registry.npmjs.org/cheerio-select/-/cheerio-select-2.1.0.tgz" 805 | integrity sha512-9v9kG0LvzrlcungtnJtpGNxY+fzECQKhK4EGJX2vByejiMX84MFNQw4UxPJl3bFbTMw+Dfs37XaIkCwTZfLh4g== 806 | dependencies: 807 | boolbase "^1.0.0" 808 | css-select "^5.1.0" 809 | css-what "^6.1.0" 810 | domelementtype "^2.3.0" 811 | domhandler "^5.0.3" 812 | domutils "^3.0.1" 813 | 814 | cheerio@^1.0.0: 815 | version "1.0.0" 816 | resolved "https://registry.npmjs.org/cheerio/-/cheerio-1.0.0.tgz" 817 | integrity sha512-quS9HgjQpdaXOvsZz82Oz7uxtXiy6UIsIQcpBj7HRw2M63Skasm9qlDocAM7jNuaxdhpPU7c4kJN+gA5MCu4ww== 818 | dependencies: 819 | cheerio-select "^2.1.0" 820 | dom-serializer "^2.0.0" 821 | domhandler "^5.0.3" 822 | domutils "^3.1.0" 823 | encoding-sniffer "^0.2.0" 824 | htmlparser2 "^9.1.0" 825 | parse5 "^7.1.2" 826 | parse5-htmlparser2-tree-adapter "^7.0.0" 827 | parse5-parser-stream "^7.1.2" 828 | undici "^6.19.5" 829 | whatwg-mimetype "^4.0.0" 830 | 831 | chokidar@^3.5.2: 832 | version "3.6.0" 833 | resolved "https://registry.npmjs.org/chokidar/-/chokidar-3.6.0.tgz" 834 | integrity sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw== 835 | dependencies: 836 | anymatch "~3.1.2" 837 | braces "~3.0.2" 838 | glob-parent "~5.1.2" 839 | is-binary-path "~2.1.0" 840 | is-glob "~4.0.1" 841 | normalize-path "~3.0.0" 842 | readdirp "~3.6.0" 843 | optionalDependencies: 844 | fsevents "~2.3.2" 845 | 846 | cliui@^8.0.1: 847 | version "8.0.1" 848 | resolved "https://registry.npmjs.org/cliui/-/cliui-8.0.1.tgz" 849 | integrity sha512-BSeNnyus75C4//NQ9gQt1/csTXyo/8Sb+afLAkzAptFuMsod9HFokGNudZpi/oQV73hnVK+sR+5PVRMd+Dr7YQ== 850 | dependencies: 851 | string-width "^4.2.0" 852 | strip-ansi "^6.0.1" 853 | wrap-ansi "^7.0.0" 854 | 855 | color-convert@^2.0.1: 856 | version "2.0.1" 857 | resolved "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz" 858 | integrity sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ== 859 | dependencies: 860 | color-name "~1.1.4" 861 | 862 | color-name@~1.1.4: 863 | version "1.1.4" 864 | resolved "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz" 865 | integrity sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA== 866 | 867 | combined-stream@^1.0.6, combined-stream@^1.0.8: 868 | version "1.0.8" 869 | resolved "https://registry.npmjs.org/combined-stream/-/combined-stream-1.0.8.tgz" 870 | integrity sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg== 871 | dependencies: 872 | delayed-stream "~1.0.0" 873 | 874 | concat-map@0.0.1: 875 | version "0.0.1" 876 | resolved "https://registry.npmjs.org/concat-map/-/concat-map-0.0.1.tgz" 877 | integrity sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg== 878 | 879 | concat-stream@^2.0.0: 880 | version "2.0.0" 881 | resolved "https://registry.npmjs.org/concat-stream/-/concat-stream-2.0.0.tgz" 882 | integrity sha512-MWufYdFw53ccGjCA+Ol7XJYpAlW6/prSMzuPOTRnJGcGzuhLn4Scrz7qf6o8bROZ514ltazcIFJZevcfbo0x7A== 883 | dependencies: 884 | buffer-from "^1.0.0" 885 | inherits "^2.0.3" 886 | readable-stream "^3.0.2" 887 | typedarray "^0.0.6" 888 | 889 | convert-hrtime@^5.0.0: 890 | version "5.0.0" 891 | resolved "https://registry.npmjs.org/convert-hrtime/-/convert-hrtime-5.0.0.tgz" 892 | integrity sha512-lOETlkIeYSJWcbbcvjRKGxVMXJR+8+OQb/mTPbA4ObPMytYIsUbuOE0Jzy60hjARYszq1id0j8KgVhC+WGZVTg== 893 | 894 | create-require@^1.1.0: 895 | version "1.1.1" 896 | resolved "https://registry.npmjs.org/create-require/-/create-require-1.1.1.tgz" 897 | integrity sha512-dcKFX3jn0MpIaXjisoRvexIJVEKzaq7z2rZKxf+MSr9TkdmHmsU4m2lcLojrj/FHl8mk5VxMmYA+ftRkP/3oKQ== 898 | 899 | cross-fetch@^3.1.5: 900 | version "3.1.8" 901 | resolved "https://registry.npmjs.org/cross-fetch/-/cross-fetch-3.1.8.tgz" 902 | integrity sha512-cvA+JwZoU0Xq+h6WkMvAUqPEYy92Obet6UdKLfW60qn99ftItKjB5T+BkyWOFWe2pUyfQ+IJHmpOTznqk1M6Kg== 903 | dependencies: 904 | node-fetch "^2.6.12" 905 | 906 | cross-spawn@^7.0.3, cross-spawn@^7.0.5: 907 | version "7.0.6" 908 | resolved "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.6.tgz" 909 | integrity sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA== 910 | dependencies: 911 | path-key "^3.1.0" 912 | shebang-command "^2.0.0" 913 | which "^2.0.1" 914 | 915 | css-select@^5.1.0: 916 | version "5.1.0" 917 | resolved "https://registry.npmjs.org/css-select/-/css-select-5.1.0.tgz" 918 | integrity sha512-nwoRF1rvRRnnCqqY7updORDsuqKzqYJ28+oSMaJMMgOauh3fvwHqMS7EZpIPqK8GL+g9mKxF1vP/ZjSeNjEVHg== 919 | dependencies: 920 | boolbase "^1.0.0" 921 | css-what "^6.1.0" 922 | domhandler "^5.0.2" 923 | domutils "^3.0.1" 924 | nth-check "^2.0.1" 925 | 926 | css-what@^6.1.0: 927 | version "6.1.0" 928 | resolved "https://registry.npmjs.org/css-what/-/css-what-6.1.0.tgz" 929 | integrity sha512-HTUrgRJ7r4dsZKU6GjmpfRK1O76h97Z8MfS1G0FozR+oF2kG6Vfe8JE6zwrkbxigziPHinCJ+gCPjA9EaBDtRw== 930 | 931 | d@^1.0.1, d@^1.0.2, d@1: 932 | version "1.0.2" 933 | resolved "https://registry.npmjs.org/d/-/d-1.0.2.tgz" 934 | integrity sha512-MOqHvMWF9/9MX6nza0KgvFH4HpMU0EF5uUDXqX/BtxtU8NfB0QzRtJ8Oe/6SuS4kbhyzVJwjd97EA4PKrzJ8bw== 935 | dependencies: 936 | es5-ext "^0.10.64" 937 | type "^2.7.2" 938 | 939 | dargs@~7.0.0: 940 | version "7.0.0" 941 | resolved "https://registry.npmjs.org/dargs/-/dargs-7.0.0.tgz" 942 | integrity sha512-2iy1EkLdlBzQGvbweYRFxmFath8+K7+AKB0TlhHWkNuH+TmovaMH/Wp7V7R4u7f4SnX3OgLsU9t1NI9ioDnUpg== 943 | 944 | data-view-buffer@^1.0.1: 945 | version "1.0.1" 946 | resolved "https://registry.npmjs.org/data-view-buffer/-/data-view-buffer-1.0.1.tgz" 947 | integrity sha512-0lht7OugA5x3iJLOWFhWK/5ehONdprk0ISXqVFn/NFrDu+cuc8iADFrGQz5BnRK7LLU3JmkbXSxaqX+/mXYtUA== 948 | dependencies: 949 | call-bind "^1.0.6" 950 | es-errors "^1.3.0" 951 | is-data-view "^1.0.1" 952 | 953 | data-view-byte-length@^1.0.1: 954 | version "1.0.1" 955 | resolved "https://registry.npmjs.org/data-view-byte-length/-/data-view-byte-length-1.0.1.tgz" 956 | integrity sha512-4J7wRJD3ABAzr8wP+OcIcqq2dlUKp4DVflx++hs5h5ZKydWMI6/D/fAot+yh6g2tHh8fLFTvNOaVN357NvSrOQ== 957 | dependencies: 958 | call-bind "^1.0.7" 959 | es-errors "^1.3.0" 960 | is-data-view "^1.0.1" 961 | 962 | data-view-byte-offset@^1.0.0: 963 | version "1.0.0" 964 | resolved "https://registry.npmjs.org/data-view-byte-offset/-/data-view-byte-offset-1.0.0.tgz" 965 | integrity sha512-t/Ygsytq+R995EJ5PZlD4Cu56sWa8InXySaViRzw9apusqsOO2bQP+SbYzAhR0pFKoB+43lYy8rWban9JSuXnA== 966 | dependencies: 967 | call-bind "^1.0.6" 968 | es-errors "^1.3.0" 969 | is-data-view "^1.0.1" 970 | 971 | dayjs@^1.11.10, dayjs@^1.11.13: 972 | version "1.11.13" 973 | resolved "https://registry.npmjs.org/dayjs/-/dayjs-1.11.13.tgz" 974 | integrity sha512-oaMBel6gjolK862uaPQOVTA7q3TZhuSvuMQAAglQDOWYO9A91IrAOUJEyKVlqJlHE0vq5p5UXxzdPfMH/x6xNg== 975 | 976 | debug-fabulous@2.0.2: 977 | version "2.0.2" 978 | resolved "https://registry.npmjs.org/debug-fabulous/-/debug-fabulous-2.0.2.tgz" 979 | integrity sha512-XfAbX8/owqC+pjIg0/+3V1gp8TugJT7StX/TE1TYedjrRf7h7SgUAL/+gKoAQGPCLbSU5L5LPvDg4/cGn1E/WA== 980 | dependencies: 981 | debug "^4" 982 | memoizee "0.4" 983 | 984 | debug-logfmt@~1.2.2: 985 | version "1.2.3" 986 | resolved "https://registry.npmjs.org/debug-logfmt/-/debug-logfmt-1.2.3.tgz" 987 | integrity sha512-Btc8hrSu2017BcECwhnkKtA7+9qBRv06x8igvJRRyDcZo1cmEbwp/OmLDSJFuJ/wgrdF7TbtGeVV6FCxagJoNQ== 988 | dependencies: 989 | "@jclem/logfmt2" "~2.4.3" 990 | "@kikobeats/time-span" "~1.0.2" 991 | debug-fabulous "2.0.2" 992 | pretty-ms "~7.0.1" 993 | 994 | debug@^3.2.7: 995 | version "3.2.7" 996 | resolved "https://registry.npmjs.org/debug/-/debug-3.2.7.tgz" 997 | integrity sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ== 998 | dependencies: 999 | ms "^2.1.1" 1000 | 1001 | debug@^4, debug@^4.3.1, debug@^4.3.2, debug@^4.3.4, debug@4: 1002 | version "4.3.7" 1003 | resolved "https://registry.npmjs.org/debug/-/debug-4.3.7.tgz" 1004 | integrity sha512-Er2nc/H7RrMXZBFCEim6TCmMk02Z8vLC2Rbi1KEBggpo0fS6l0S1nnapwmIi3yW/+GOJap1Krg4w0Hg80oCqgQ== 1005 | dependencies: 1006 | ms "^2.1.3" 1007 | 1008 | deep-is@^0.1.3: 1009 | version "0.1.4" 1010 | resolved "https://registry.npmjs.org/deep-is/-/deep-is-0.1.4.tgz" 1011 | integrity sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ== 1012 | 1013 | deepmerge@^4.3.1: 1014 | version "4.3.1" 1015 | resolved "https://registry.npmjs.org/deepmerge/-/deepmerge-4.3.1.tgz" 1016 | integrity sha512-3sUqbMEc77XqpdNO7FRyRog+eW3ph+GYCbj+rK+uYyRMuwsVy0rMiVtPn+QJlKFvWP/1PYpapqYn0Me2knFn+A== 1017 | 1018 | define-data-property@^1.0.1, define-data-property@^1.1.4: 1019 | version "1.1.4" 1020 | resolved "https://registry.npmjs.org/define-data-property/-/define-data-property-1.1.4.tgz" 1021 | integrity sha512-rBMvIzlpA8v6E+SJZoo++HAYqsLrkg7MSfIinMPFhmkorw7X+dOXVJQs+QT69zGkzMyfDnIMN2Wid1+NbL3T+A== 1022 | dependencies: 1023 | es-define-property "^1.0.0" 1024 | es-errors "^1.3.0" 1025 | gopd "^1.0.1" 1026 | 1027 | define-properties@^1.2.0, define-properties@^1.2.1: 1028 | version "1.2.1" 1029 | resolved "https://registry.npmjs.org/define-properties/-/define-properties-1.2.1.tgz" 1030 | integrity sha512-8QmQKqEASLd5nx0U1B1okLElbUuuttJ/AnYmRXbbbGDWh6uS208EjD4Xqq/I9wK7u0v6O08XhTWnt5XtEbR6Dg== 1031 | dependencies: 1032 | define-data-property "^1.0.1" 1033 | has-property-descriptors "^1.0.0" 1034 | object-keys "^1.1.1" 1035 | 1036 | delayed-stream@~1.0.0: 1037 | version "1.0.0" 1038 | resolved "https://registry.npmjs.org/delayed-stream/-/delayed-stream-1.0.0.tgz" 1039 | integrity sha512-ZySD7Nf91aLB0RxL4KGrKHBXl7Eds1DAmEdcoVawXnLD7SDhpNgtuII2aAkg7a7QS41jxPSZ17p4VdGnMHk3MQ== 1040 | 1041 | diff@^4.0.1: 1042 | version "4.0.2" 1043 | resolved "https://registry.npmjs.org/diff/-/diff-4.0.2.tgz" 1044 | integrity sha512-58lmxKSA4BNyLz+HHMUzlOEpg09FV+ev6ZMe3vJihgdxzgcwZ8VoEEPmALCZG9LmqfVoNMMKpttIYTVG6uDY7A== 1045 | 1046 | doctrine@^2.1.0: 1047 | version "2.1.0" 1048 | resolved "https://registry.npmjs.org/doctrine/-/doctrine-2.1.0.tgz" 1049 | integrity sha512-35mSku4ZXK0vfCuHEDAwt55dg2jNajHZ1odvF+8SSr82EsZY4QmXfuWso8oEd8zRhVObSN18aM0CjSdoBX7zIw== 1050 | dependencies: 1051 | esutils "^2.0.2" 1052 | 1053 | dom-serializer@^2.0.0: 1054 | version "2.0.0" 1055 | resolved "https://registry.npmjs.org/dom-serializer/-/dom-serializer-2.0.0.tgz" 1056 | integrity sha512-wIkAryiqt/nV5EQKqQpo3SToSOV9J0DnbJqwK7Wv/Trc92zIAYZ4FlMu+JPFW1DfGFt81ZTCGgDEabffXeLyJg== 1057 | dependencies: 1058 | domelementtype "^2.3.0" 1059 | domhandler "^5.0.2" 1060 | entities "^4.2.0" 1061 | 1062 | domelementtype@^2.3.0: 1063 | version "2.3.0" 1064 | resolved "https://registry.npmjs.org/domelementtype/-/domelementtype-2.3.0.tgz" 1065 | integrity sha512-OLETBj6w0OsagBwdXnPdN0cnMfF9opN69co+7ZrbfPGrdpPVNBUj02spi6B1N7wChLQiPn4CSH/zJvXw56gmHw== 1066 | 1067 | domhandler@^5.0.2, domhandler@^5.0.3: 1068 | version "5.0.3" 1069 | resolved "https://registry.npmjs.org/domhandler/-/domhandler-5.0.3.tgz" 1070 | integrity sha512-cgwlv/1iFQiFnU96XXgROh8xTeetsnJiDsTc7TYCLFd9+/WNkIqPTxiM/8pSd8VIrhXGTf1Ny1q1hquVqDJB5w== 1071 | dependencies: 1072 | domelementtype "^2.3.0" 1073 | 1074 | domutils@^3.0.1, domutils@^3.1.0: 1075 | version "3.1.0" 1076 | resolved "https://registry.npmjs.org/domutils/-/domutils-3.1.0.tgz" 1077 | integrity sha512-H78uMmQtI2AhgDJjWeQmHwJJ2bLPD3GMmO7Zja/ZZh84wkm+4ut+IUnUdRa8uCGX88DiVx1j6FRe1XfxEgjEZA== 1078 | dependencies: 1079 | dom-serializer "^2.0.0" 1080 | domelementtype "^2.3.0" 1081 | domhandler "^5.0.3" 1082 | 1083 | dotenv@^16.4.7: 1084 | version "16.4.7" 1085 | resolved "https://registry.npmjs.org/dotenv/-/dotenv-16.4.7.tgz" 1086 | integrity sha512-47qPchRCykZC03FhkYAhrvwU4xDBFIj1QPqaarj6mdM/hgUzfPHcpkHJOn3mJAufFeeAxAzeGsr5X0M4k6fLZQ== 1087 | 1088 | duplexify@^4.0.0, duplexify@^4.1.1: 1089 | version "4.1.3" 1090 | resolved "https://registry.npmjs.org/duplexify/-/duplexify-4.1.3.tgz" 1091 | integrity sha512-M3BmBhwJRZsSx38lZyhE53Csddgzl5R7xGJNk7CVddZD6CcmwMCH8J+7AprIrQKH7TonKxaCjcv27Qmf+sQ+oA== 1092 | dependencies: 1093 | end-of-stream "^1.4.1" 1094 | inherits "^2.0.3" 1095 | readable-stream "^3.1.1" 1096 | stream-shift "^1.0.2" 1097 | 1098 | ecdsa-sig-formatter@^1.0.11, ecdsa-sig-formatter@1.0.11: 1099 | version "1.0.11" 1100 | resolved "https://registry.npmjs.org/ecdsa-sig-formatter/-/ecdsa-sig-formatter-1.0.11.tgz" 1101 | integrity sha512-nagl3RYrbNv6kQkeJIpt6NJZy8twLB/2vtz6yN9Z4vRKHN4/QZJIEbqohALSgwKdnksuY3k5Addp5lg8sVoVcQ== 1102 | dependencies: 1103 | safe-buffer "^5.0.1" 1104 | 1105 | emoji-regex@^8.0.0: 1106 | version "8.0.0" 1107 | resolved "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz" 1108 | integrity sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A== 1109 | 1110 | encoding-sniffer@^0.2.0: 1111 | version "0.2.0" 1112 | resolved "https://registry.npmjs.org/encoding-sniffer/-/encoding-sniffer-0.2.0.tgz" 1113 | integrity sha512-ju7Wq1kg04I3HtiYIOrUrdfdDvkyO9s5XM8QAj/bN61Yo/Vb4vgJxy5vi4Yxk01gWHbrofpPtpxM8bKger9jhg== 1114 | dependencies: 1115 | iconv-lite "^0.6.3" 1116 | whatwg-encoding "^3.1.1" 1117 | 1118 | end-of-stream@^1.1.0, end-of-stream@^1.4.1: 1119 | version "1.4.4" 1120 | resolved "https://registry.npmjs.org/end-of-stream/-/end-of-stream-1.4.4.tgz" 1121 | integrity sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q== 1122 | dependencies: 1123 | once "^1.4.0" 1124 | 1125 | entities@^4.2.0, entities@^4.5.0: 1126 | version "4.5.0" 1127 | resolved "https://registry.npmjs.org/entities/-/entities-4.5.0.tgz" 1128 | integrity sha512-V0hjH4dGPh9Ao5p0MoRY6BVqtwCjhz6vI5LT8AJ55H+4g9/4vbHx1I54fS0XuclLhDHArPQCiMjDxjaL8fPxhw== 1129 | 1130 | env-paths@^2.2.0: 1131 | version "2.2.1" 1132 | resolved "https://registry.npmjs.org/env-paths/-/env-paths-2.2.1.tgz" 1133 | integrity sha512-+h1lkLKhZMTYjog1VEpJNG7NZJWcuc2DDk/qsqSTRRCOXiLjeQ1d1/udrUGhqMxUgAlwKNZ0cf2uqan5GLuS2A== 1134 | 1135 | es-abstract@^1.22.1, es-abstract@^1.22.3, es-abstract@^1.23.0, es-abstract@^1.23.2, es-abstract@^1.23.5: 1136 | version "1.23.5" 1137 | resolved "https://registry.npmjs.org/es-abstract/-/es-abstract-1.23.5.tgz" 1138 | integrity sha512-vlmniQ0WNPwXqA0BnmwV3Ng7HxiGlh6r5U6JcTMNx8OilcAGqVJBHJcPjqOMaczU9fRuRK5Px2BdVyPRnKMMVQ== 1139 | dependencies: 1140 | array-buffer-byte-length "^1.0.1" 1141 | arraybuffer.prototype.slice "^1.0.3" 1142 | available-typed-arrays "^1.0.7" 1143 | call-bind "^1.0.7" 1144 | data-view-buffer "^1.0.1" 1145 | data-view-byte-length "^1.0.1" 1146 | data-view-byte-offset "^1.0.0" 1147 | es-define-property "^1.0.0" 1148 | es-errors "^1.3.0" 1149 | es-object-atoms "^1.0.0" 1150 | es-set-tostringtag "^2.0.3" 1151 | es-to-primitive "^1.2.1" 1152 | function.prototype.name "^1.1.6" 1153 | get-intrinsic "^1.2.4" 1154 | get-symbol-description "^1.0.2" 1155 | globalthis "^1.0.4" 1156 | gopd "^1.0.1" 1157 | has-property-descriptors "^1.0.2" 1158 | has-proto "^1.0.3" 1159 | has-symbols "^1.0.3" 1160 | hasown "^2.0.2" 1161 | internal-slot "^1.0.7" 1162 | is-array-buffer "^3.0.4" 1163 | is-callable "^1.2.7" 1164 | is-data-view "^1.0.1" 1165 | is-negative-zero "^2.0.3" 1166 | is-regex "^1.1.4" 1167 | is-shared-array-buffer "^1.0.3" 1168 | is-string "^1.0.7" 1169 | is-typed-array "^1.1.13" 1170 | is-weakref "^1.0.2" 1171 | object-inspect "^1.13.3" 1172 | object-keys "^1.1.1" 1173 | object.assign "^4.1.5" 1174 | regexp.prototype.flags "^1.5.3" 1175 | safe-array-concat "^1.1.2" 1176 | safe-regex-test "^1.0.3" 1177 | string.prototype.trim "^1.2.9" 1178 | string.prototype.trimend "^1.0.8" 1179 | string.prototype.trimstart "^1.0.8" 1180 | typed-array-buffer "^1.0.2" 1181 | typed-array-byte-length "^1.0.1" 1182 | typed-array-byte-offset "^1.0.2" 1183 | typed-array-length "^1.0.6" 1184 | unbox-primitive "^1.0.2" 1185 | which-typed-array "^1.1.15" 1186 | 1187 | es-define-property@^1.0.0: 1188 | version "1.0.0" 1189 | resolved "https://registry.npmjs.org/es-define-property/-/es-define-property-1.0.0.tgz" 1190 | integrity sha512-jxayLKShrEqqzJ0eumQbVhTYQM27CfT1T35+gCgDFoL82JLsXqTJ76zv6A0YLOgEnLUMvLzsDsGIrl8NFpT2gQ== 1191 | dependencies: 1192 | get-intrinsic "^1.2.4" 1193 | 1194 | es-errors@^1.2.1, es-errors@^1.3.0: 1195 | version "1.3.0" 1196 | resolved "https://registry.npmjs.org/es-errors/-/es-errors-1.3.0.tgz" 1197 | integrity sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw== 1198 | 1199 | es-object-atoms@^1.0.0: 1200 | version "1.0.0" 1201 | resolved "https://registry.npmjs.org/es-object-atoms/-/es-object-atoms-1.0.0.tgz" 1202 | integrity sha512-MZ4iQ6JwHOBQjahnjwaC1ZtIBH+2ohjamzAO3oaHcXYup7qxjF2fixyH+Q71voWHeOkI2q/TnJao/KfXYIZWbw== 1203 | dependencies: 1204 | es-errors "^1.3.0" 1205 | 1206 | es-set-tostringtag@^2.0.3: 1207 | version "2.0.3" 1208 | resolved "https://registry.npmjs.org/es-set-tostringtag/-/es-set-tostringtag-2.0.3.tgz" 1209 | integrity sha512-3T8uNMC3OQTHkFUsFq8r/BwAXLHvU/9O9mE0fBc/MY5iq/8H7ncvO947LmYA6ldWw9Uh8Yhf25zu6n7nML5QWQ== 1210 | dependencies: 1211 | get-intrinsic "^1.2.4" 1212 | has-tostringtag "^1.0.2" 1213 | hasown "^2.0.1" 1214 | 1215 | es-shim-unscopables@^1.0.0, es-shim-unscopables@^1.0.2: 1216 | version "1.0.2" 1217 | resolved "https://registry.npmjs.org/es-shim-unscopables/-/es-shim-unscopables-1.0.2.tgz" 1218 | integrity sha512-J3yBRXCzDu4ULnQwxyToo/OjdMx6akgVC7K6few0a7F/0wLtmKKN7I73AH5T2836UuXRqN7Qg+IIUw/+YJksRw== 1219 | dependencies: 1220 | hasown "^2.0.0" 1221 | 1222 | es-to-primitive@^1.2.1: 1223 | version "1.3.0" 1224 | resolved "https://registry.npmjs.org/es-to-primitive/-/es-to-primitive-1.3.0.tgz" 1225 | integrity sha512-w+5mJ3GuFL+NjVtJlvydShqE1eN3h3PbI7/5LAsYJP/2qtuMXjfL2LpHSRqo4b4eSF5K/DH1JXKUAHSB2UW50g== 1226 | dependencies: 1227 | is-callable "^1.2.7" 1228 | is-date-object "^1.0.5" 1229 | is-symbol "^1.0.4" 1230 | 1231 | es5-ext@^0.10.35, es5-ext@^0.10.46, es5-ext@^0.10.62, es5-ext@^0.10.64, es5-ext@~0.10.14, es5-ext@~0.10.2: 1232 | version "0.10.64" 1233 | resolved "https://registry.npmjs.org/es5-ext/-/es5-ext-0.10.64.tgz" 1234 | integrity sha512-p2snDhiLaXe6dahss1LddxqEm+SkuDvV8dnIQG0MWjyHpcMNfXKPE+/Cc0y+PhxJX3A4xGNeFCj5oc0BUh6deg== 1235 | dependencies: 1236 | es6-iterator "^2.0.3" 1237 | es6-symbol "^3.1.3" 1238 | esniff "^2.0.1" 1239 | next-tick "^1.1.0" 1240 | 1241 | es6-iterator@^2.0.3: 1242 | version "2.0.3" 1243 | resolved "https://registry.npmjs.org/es6-iterator/-/es6-iterator-2.0.3.tgz" 1244 | integrity sha512-zw4SRzoUkd+cl+ZoE15A9o1oQd920Bb0iOJMQkQhl3jNc03YqVjAhG7scf9C5KWRU/R13Orf588uCC6525o02g== 1245 | dependencies: 1246 | d "1" 1247 | es5-ext "^0.10.35" 1248 | es6-symbol "^3.1.1" 1249 | 1250 | es6-symbol@^3.1.1, es6-symbol@^3.1.3: 1251 | version "3.1.4" 1252 | resolved "https://registry.npmjs.org/es6-symbol/-/es6-symbol-3.1.4.tgz" 1253 | integrity sha512-U9bFFjX8tFiATgtkJ1zg25+KviIXpgRvRHS8sau3GfhVzThRQrOeksPeT0BWW2MNZs1OEWJ1DPXOQMn0KKRkvg== 1254 | dependencies: 1255 | d "^1.0.2" 1256 | ext "^1.7.0" 1257 | 1258 | es6-weak-map@^2.0.3: 1259 | version "2.0.3" 1260 | resolved "https://registry.npmjs.org/es6-weak-map/-/es6-weak-map-2.0.3.tgz" 1261 | integrity sha512-p5um32HOTO1kP+w7PRnB+5lQ43Z6muuMuIMffvDN8ZB4GcnjLBV6zGStpbASIMk4DCAvEaamhe2zhyCb/QXXsA== 1262 | dependencies: 1263 | d "1" 1264 | es5-ext "^0.10.46" 1265 | es6-iterator "^2.0.3" 1266 | es6-symbol "^3.1.1" 1267 | 1268 | escalade@^3.1.1: 1269 | version "3.2.0" 1270 | resolved "https://registry.npmjs.org/escalade/-/escalade-3.2.0.tgz" 1271 | integrity sha512-WUj2qlxaQtO4g6Pq5c29GTcWGDyd8itL8zTlipgECz3JesAiiOKotd8JU6otB3PACgG6xkJUyVhboMS+bje/jA== 1272 | 1273 | escape-string-regexp@^4.0.0: 1274 | version "4.0.0" 1275 | resolved "https://registry.npmjs.org/escape-string-regexp/-/escape-string-regexp-4.0.0.tgz" 1276 | integrity sha512-TtpcNJ3XAzx3Gq8sWRzJaVajRs0uVxA2YAkdb1jm2YkPz4G6egUFAyA3n5vtEIZefPk5Wa4UXbKuS5fKkJWdgA== 1277 | 1278 | eslint-config-prettier@*, eslint-config-prettier@^9.1.0: 1279 | version "9.1.0" 1280 | resolved "https://registry.npmjs.org/eslint-config-prettier/-/eslint-config-prettier-9.1.0.tgz" 1281 | integrity sha512-NSWl5BFQWEPi1j4TjVNItzYV7dZXZ+wP6I6ZhrBGpChQhZRUaElihE9uRRkcbRnNb76UMKDF3r+WTmNcGPKsqw== 1282 | 1283 | eslint-import-resolver-node@^0.3.9: 1284 | version "0.3.9" 1285 | resolved "https://registry.npmjs.org/eslint-import-resolver-node/-/eslint-import-resolver-node-0.3.9.tgz" 1286 | integrity sha512-WFj2isz22JahUv+B788TlO3N6zL3nNJGU8CcZbPZvVEkBPaJdCV4vy5wyghty5ROFbCRnm132v8BScu5/1BQ8g== 1287 | dependencies: 1288 | debug "^3.2.7" 1289 | is-core-module "^2.13.0" 1290 | resolve "^1.22.4" 1291 | 1292 | eslint-module-utils@^2.12.0: 1293 | version "2.12.0" 1294 | resolved "https://registry.npmjs.org/eslint-module-utils/-/eslint-module-utils-2.12.0.tgz" 1295 | integrity sha512-wALZ0HFoytlyh/1+4wuZ9FJCD/leWHQzzrxJ8+rebyReSLk7LApMyd3WJaLVoN+D5+WIdJyDK1c6JnE65V4Zyg== 1296 | dependencies: 1297 | debug "^3.2.7" 1298 | 1299 | eslint-plugin-import@^2.31.0: 1300 | version "2.31.0" 1301 | resolved "https://registry.npmjs.org/eslint-plugin-import/-/eslint-plugin-import-2.31.0.tgz" 1302 | integrity sha512-ixmkI62Rbc2/w8Vfxyh1jQRTdRTF52VxwRVHl/ykPAmqG+Nb7/kNn+byLP0LxPgI7zWA16Jt82SybJInmMia3A== 1303 | dependencies: 1304 | "@rtsao/scc" "^1.1.0" 1305 | array-includes "^3.1.8" 1306 | array.prototype.findlastindex "^1.2.5" 1307 | array.prototype.flat "^1.3.2" 1308 | array.prototype.flatmap "^1.3.2" 1309 | debug "^3.2.7" 1310 | doctrine "^2.1.0" 1311 | eslint-import-resolver-node "^0.3.9" 1312 | eslint-module-utils "^2.12.0" 1313 | hasown "^2.0.2" 1314 | is-core-module "^2.15.1" 1315 | is-glob "^4.0.3" 1316 | minimatch "^3.1.2" 1317 | object.fromentries "^2.0.8" 1318 | object.groupby "^1.0.3" 1319 | object.values "^1.2.0" 1320 | semver "^6.3.1" 1321 | string.prototype.trimend "^1.0.8" 1322 | tsconfig-paths "^3.15.0" 1323 | 1324 | eslint-plugin-prettier@^5.2.1: 1325 | version "5.2.1" 1326 | resolved "https://registry.npmjs.org/eslint-plugin-prettier/-/eslint-plugin-prettier-5.2.1.tgz" 1327 | integrity sha512-gH3iR3g4JfF+yYPaJYkN7jEl9QbweL/YfkoRlNnuIEHEz1vHVlCmWOS+eGGiRuzHQXdJFCOTxRgvju9b8VUmrw== 1328 | dependencies: 1329 | prettier-linter-helpers "^1.0.0" 1330 | synckit "^0.9.1" 1331 | 1332 | eslint-scope@^8.2.0: 1333 | version "8.2.0" 1334 | resolved "https://registry.npmjs.org/eslint-scope/-/eslint-scope-8.2.0.tgz" 1335 | integrity sha512-PHlWUfG6lvPc3yvP5A4PNyBL1W8fkDUccmI21JUu/+GKZBoH/W5u6usENXUrWFRsyoW5ACUjFGgAFQp5gUlb/A== 1336 | dependencies: 1337 | esrecurse "^4.3.0" 1338 | estraverse "^5.2.0" 1339 | 1340 | eslint-visitor-keys@^3.4.3: 1341 | version "3.4.3" 1342 | resolved "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-3.4.3.tgz" 1343 | integrity sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag== 1344 | 1345 | eslint-visitor-keys@^4.2.0: 1346 | version "4.2.0" 1347 | resolved "https://registry.npmjs.org/eslint-visitor-keys/-/eslint-visitor-keys-4.2.0.tgz" 1348 | integrity sha512-UyLnSehNt62FFhSwjZlHmeokpRK59rcz29j+F1/aDgbkbRTk7wIc9XzdoasMUbRNKDM0qQt/+BJ4BrpFeABemw== 1349 | 1350 | "eslint@^2 || ^3 || ^4 || ^5 || ^6 || ^7.2.0 || ^8 || ^9", "eslint@^6.0.0 || ^7.0.0 || >=8.0.0", "eslint@^8.57.0 || ^9.0.0", eslint@^9.13.0, eslint@>=7.0.0, eslint@>=8.0.0: 1351 | version "9.16.0" 1352 | resolved "https://registry.npmjs.org/eslint/-/eslint-9.16.0.tgz" 1353 | integrity sha512-whp8mSQI4C8VXd+fLgSM0lh3UlmcFtVwUQjyKCFfsp+2ItAIYhlq/hqGahGqHE6cv9unM41VlqKk2VtKYR2TaA== 1354 | dependencies: 1355 | "@eslint-community/eslint-utils" "^4.2.0" 1356 | "@eslint-community/regexpp" "^4.12.1" 1357 | "@eslint/config-array" "^0.19.0" 1358 | "@eslint/core" "^0.9.0" 1359 | "@eslint/eslintrc" "^3.2.0" 1360 | "@eslint/js" "9.16.0" 1361 | "@eslint/plugin-kit" "^0.2.3" 1362 | "@humanfs/node" "^0.16.6" 1363 | "@humanwhocodes/module-importer" "^1.0.1" 1364 | "@humanwhocodes/retry" "^0.4.1" 1365 | "@types/estree" "^1.0.6" 1366 | "@types/json-schema" "^7.0.15" 1367 | ajv "^6.12.4" 1368 | chalk "^4.0.0" 1369 | cross-spawn "^7.0.5" 1370 | debug "^4.3.2" 1371 | escape-string-regexp "^4.0.0" 1372 | eslint-scope "^8.2.0" 1373 | eslint-visitor-keys "^4.2.0" 1374 | espree "^10.3.0" 1375 | esquery "^1.5.0" 1376 | esutils "^2.0.2" 1377 | fast-deep-equal "^3.1.3" 1378 | file-entry-cache "^8.0.0" 1379 | find-up "^5.0.0" 1380 | glob-parent "^6.0.2" 1381 | ignore "^5.2.0" 1382 | imurmurhash "^0.1.4" 1383 | is-glob "^4.0.0" 1384 | json-stable-stringify-without-jsonify "^1.0.1" 1385 | lodash.merge "^4.6.2" 1386 | minimatch "^3.1.2" 1387 | natural-compare "^1.4.0" 1388 | optionator "^0.9.3" 1389 | 1390 | esniff@^2.0.1: 1391 | version "2.0.1" 1392 | resolved "https://registry.npmjs.org/esniff/-/esniff-2.0.1.tgz" 1393 | integrity sha512-kTUIGKQ/mDPFoJ0oVfcmyJn4iBDRptjNVIzwIFR7tqWXdVI9xfA2RMwY/gbSpJG3lkdWNEjLap/NqVHZiJsdfg== 1394 | dependencies: 1395 | d "^1.0.1" 1396 | es5-ext "^0.10.62" 1397 | event-emitter "^0.3.5" 1398 | type "^2.7.2" 1399 | 1400 | espree@^10.0.1, espree@^10.3.0: 1401 | version "10.3.0" 1402 | resolved "https://registry.npmjs.org/espree/-/espree-10.3.0.tgz" 1403 | integrity sha512-0QYC8b24HWY8zjRnDTL6RiHfDbAWn63qb4LMj1Z4b076A4une81+z03Kg7l7mn/48PUTqoLptSXez8oknU8Clg== 1404 | dependencies: 1405 | acorn "^8.14.0" 1406 | acorn-jsx "^5.3.2" 1407 | eslint-visitor-keys "^4.2.0" 1408 | 1409 | esquery@^1.5.0: 1410 | version "1.6.0" 1411 | resolved "https://registry.npmjs.org/esquery/-/esquery-1.6.0.tgz" 1412 | integrity sha512-ca9pw9fomFcKPvFLXhBKUK90ZvGibiGOvRJNbjljY7s7uq/5YO4BOzcYtJqExdx99rF6aAcnRxHmcUHcz6sQsg== 1413 | dependencies: 1414 | estraverse "^5.1.0" 1415 | 1416 | esrecurse@^4.3.0: 1417 | version "4.3.0" 1418 | resolved "https://registry.npmjs.org/esrecurse/-/esrecurse-4.3.0.tgz" 1419 | integrity sha512-KmfKL3b6G+RXvP8N1vr3Tq1kL/oCFgn2NYXEtqP8/L3pKapUA4G8cFVaoF3SU323CD4XypR/ffioHmkti6/Tag== 1420 | dependencies: 1421 | estraverse "^5.2.0" 1422 | 1423 | estraverse@^5.1.0, estraverse@^5.2.0: 1424 | version "5.3.0" 1425 | resolved "https://registry.npmjs.org/estraverse/-/estraverse-5.3.0.tgz" 1426 | integrity sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA== 1427 | 1428 | esutils@^2.0.2: 1429 | version "2.0.3" 1430 | resolved "https://registry.npmjs.org/esutils/-/esutils-2.0.3.tgz" 1431 | integrity sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g== 1432 | 1433 | event-emitter@^0.3.5: 1434 | version "0.3.5" 1435 | resolved "https://registry.npmjs.org/event-emitter/-/event-emitter-0.3.5.tgz" 1436 | integrity sha512-D9rRn9y7kLPnJ+hMq7S/nhvoKwwvVJahBi2BPmx3bvbsEdK3W9ii8cBSGjP+72/LnM4n6fo3+dkCX5FeTQruXA== 1437 | dependencies: 1438 | d "1" 1439 | es5-ext "~0.10.14" 1440 | 1441 | event-target-shim@^5.0.0: 1442 | version "5.0.1" 1443 | resolved "https://registry.npmjs.org/event-target-shim/-/event-target-shim-5.0.1.tgz" 1444 | integrity sha512-i/2XbnSz/uxRCU6+NdVJgKWDTM427+MqYbkQzD321DuCQJUqOuJKIA0IM2+W2xtYHdKOmZ4dR6fExsd4SXL+WQ== 1445 | 1446 | events@^3.3.0: 1447 | version "3.3.0" 1448 | resolved "https://registry.npmjs.org/events/-/events-3.3.0.tgz" 1449 | integrity sha512-mQw+2fkQbALzQ7V0MY0IqdnXNOeTtP4r0lN9z7AAawCXgqea7bDii20AYrIBrFd/Hx0M2Ocz6S111CaFkUcb0Q== 1450 | 1451 | execa@^8.0.1: 1452 | version "8.0.1" 1453 | resolved "https://registry.npmjs.org/execa/-/execa-8.0.1.tgz" 1454 | integrity sha512-VyhnebXciFV2DESc+p6B+y0LjSm0krU4OgJN44qFAhBY0TJ+1V61tYD2+wHusZ6F9n5K+vl8k0sTy7PEfV4qpg== 1455 | dependencies: 1456 | cross-spawn "^7.0.3" 1457 | get-stream "^8.0.1" 1458 | human-signals "^5.0.0" 1459 | is-stream "^3.0.0" 1460 | merge-stream "^2.0.0" 1461 | npm-run-path "^5.1.0" 1462 | onetime "^6.0.0" 1463 | signal-exit "^4.1.0" 1464 | strip-final-newline "^3.0.0" 1465 | 1466 | ext@^1.7.0: 1467 | version "1.7.0" 1468 | resolved "https://registry.npmjs.org/ext/-/ext-1.7.0.tgz" 1469 | integrity sha512-6hxeJYaL110a9b5TEJSj0gojyHQAmA2ch5Os+ySCiA1QGdS697XWY1pzsrSjqA9LDEEgdB/KypIlR59RcLuHYw== 1470 | dependencies: 1471 | type "^2.7.2" 1472 | 1473 | extend@^3.0.2: 1474 | version "3.0.2" 1475 | resolved "https://registry.npmjs.org/extend/-/extend-3.0.2.tgz" 1476 | integrity sha512-fjquC59cD7CyW6urNXK0FBufkZcoiGG80wTuPujX590cB5Ttln20E2UB4S/WARVqhXffZl2LNgS+gQdPIIim/g== 1477 | 1478 | fast-deep-equal@^3.1.1, fast-deep-equal@^3.1.3: 1479 | version "3.1.3" 1480 | resolved "https://registry.npmjs.org/fast-deep-equal/-/fast-deep-equal-3.1.3.tgz" 1481 | integrity sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q== 1482 | 1483 | fast-diff@^1.1.2: 1484 | version "1.3.0" 1485 | resolved "https://registry.npmjs.org/fast-diff/-/fast-diff-1.3.0.tgz" 1486 | integrity sha512-VxPP4NqbUjj6MaAOafWeUn2cXWLcCtljklUtZf0Ind4XQ+QPtmA0b18zZy0jIQx+ExRVCR/ZQpBmik5lXshNsw== 1487 | 1488 | fast-glob@^3.3.2: 1489 | version "3.3.2" 1490 | resolved "https://registry.npmjs.org/fast-glob/-/fast-glob-3.3.2.tgz" 1491 | integrity sha512-oX2ruAFQwf/Orj8m737Y5adxDQO0LAB7/S5MnxCdTNDd4p6BsyIVsv9JQsATbTSq8KHRpLwIHbVlUNatxd+1Ow== 1492 | dependencies: 1493 | "@nodelib/fs.stat" "^2.0.2" 1494 | "@nodelib/fs.walk" "^1.2.3" 1495 | glob-parent "^5.1.2" 1496 | merge2 "^1.3.0" 1497 | micromatch "^4.0.4" 1498 | 1499 | fast-json-stable-stringify@^2.0.0: 1500 | version "2.1.0" 1501 | resolved "https://registry.npmjs.org/fast-json-stable-stringify/-/fast-json-stable-stringify-2.1.0.tgz" 1502 | integrity sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw== 1503 | 1504 | fast-levenshtein@^2.0.6: 1505 | version "2.0.6" 1506 | resolved "https://registry.npmjs.org/fast-levenshtein/-/fast-levenshtein-2.0.6.tgz" 1507 | integrity sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw== 1508 | 1509 | fastq@^1.6.0: 1510 | version "1.17.1" 1511 | resolved "https://registry.npmjs.org/fastq/-/fastq-1.17.1.tgz" 1512 | integrity sha512-sRVD3lWVIXWg6By68ZN7vho9a1pQcN/WBFaAAsDDFzlJjvoGx0P8z7V1t72grFJfJhu3YPZBuu25f7Kaw2jN1w== 1513 | dependencies: 1514 | reusify "^1.0.4" 1515 | 1516 | ffmpeg-static@^5.2.0: 1517 | version "5.2.0" 1518 | resolved "https://registry.npmjs.org/ffmpeg-static/-/ffmpeg-static-5.2.0.tgz" 1519 | integrity sha512-WrM7kLW+do9HLr+H6tk7LzQ7kPqbAgLjdzNE32+u3Ff11gXt9Kkkd2nusGFrlWMIe+XaA97t+I8JS7sZIrvRgA== 1520 | dependencies: 1521 | "@derhuerst/http-basic" "^8.2.0" 1522 | env-paths "^2.2.0" 1523 | https-proxy-agent "^5.0.0" 1524 | progress "^2.0.3" 1525 | 1526 | file-entry-cache@^8.0.0: 1527 | version "8.0.0" 1528 | resolved "https://registry.npmjs.org/file-entry-cache/-/file-entry-cache-8.0.0.tgz" 1529 | integrity sha512-XXTUwCvisa5oacNGRP9SfNtYBNAMi+RPwBFmblZEF7N7swHYQS6/Zfk7SRwx4D5j3CH211YNRco1DEMNVfZCnQ== 1530 | dependencies: 1531 | flat-cache "^4.0.0" 1532 | 1533 | fill-range@^7.1.1: 1534 | version "7.1.1" 1535 | resolved "https://registry.npmjs.org/fill-range/-/fill-range-7.1.1.tgz" 1536 | integrity sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg== 1537 | dependencies: 1538 | to-regex-range "^5.0.1" 1539 | 1540 | find-up@^5.0.0: 1541 | version "5.0.0" 1542 | resolved "https://registry.npmjs.org/find-up/-/find-up-5.0.0.tgz" 1543 | integrity sha512-78/PXT1wlLLDgTzDs7sjq9hzz0vXD+zn+7wypEe4fXQxCmdmqfGsEPQxmiCSQI3ajFV91bVSsvNtrJRiW6nGng== 1544 | dependencies: 1545 | locate-path "^6.0.0" 1546 | path-exists "^4.0.0" 1547 | 1548 | find-versions@^6.0.0: 1549 | version "6.0.0" 1550 | resolved "https://registry.npmjs.org/find-versions/-/find-versions-6.0.0.tgz" 1551 | integrity sha512-2kCCtc+JvcZ86IGAz3Z2Y0A1baIz9fL31pH/0S1IqZr9Iwnjq8izfPtrCyQKO6TLMPELLsQMre7VDqeIKCsHkA== 1552 | dependencies: 1553 | semver-regex "^4.0.5" 1554 | super-regex "^1.0.0" 1555 | 1556 | flat-cache@^4.0.0: 1557 | version "4.0.1" 1558 | resolved "https://registry.npmjs.org/flat-cache/-/flat-cache-4.0.1.tgz" 1559 | integrity sha512-f7ccFPK3SXFHpx15UIGyRJ/FJQctuKZ0zVuN3frBo4HnK3cay9VEW0R6yPYFHC0AgqhukPzKjq22t5DmAyqGyw== 1560 | dependencies: 1561 | flatted "^3.2.9" 1562 | keyv "^4.5.4" 1563 | 1564 | flatted@^3.2.9: 1565 | version "3.3.2" 1566 | resolved "https://registry.npmjs.org/flatted/-/flatted-3.3.2.tgz" 1567 | integrity sha512-AiwGJM8YcNOaobumgtng+6NHuOqC3A7MixFeDafM3X9cIUM+xUXoS5Vfgf+OihAYe20fxqNM9yPBXJzRtZ/4eA== 1568 | 1569 | fluent-ffmpeg@^2.1.3: 1570 | version "2.1.3" 1571 | resolved "https://registry.npmjs.org/fluent-ffmpeg/-/fluent-ffmpeg-2.1.3.tgz" 1572 | integrity sha512-Be3narBNt2s6bsaqP6Jzq91heDgOEaDCJAXcE3qcma/EJBSy5FB4cvO31XBInuAuKBx8Kptf8dkhjK0IOru39Q== 1573 | dependencies: 1574 | async "^0.2.9" 1575 | which "^1.1.1" 1576 | 1577 | follow-redirects@^1.15.6: 1578 | version "1.15.9" 1579 | resolved "https://registry.npmjs.org/follow-redirects/-/follow-redirects-1.15.9.tgz" 1580 | integrity sha512-gew4GsXizNgdoRyqmyfMHyAmXsZDk6mHkSxZFCzW9gwlbtOW44CDtYavM+y+72qD/Vq2l550kMF52DT8fOLJqQ== 1581 | 1582 | for-each@^0.3.3: 1583 | version "0.3.3" 1584 | resolved "https://registry.npmjs.org/for-each/-/for-each-0.3.3.tgz" 1585 | integrity sha512-jqYfLp7mo9vIyQf8ykW2v7A+2N4QjeCeI5+Dz9XraiO1ign81wjiH7Fb9vSOWvQfNtmSa4H2RoQTrrXivdUZmw== 1586 | dependencies: 1587 | is-callable "^1.1.3" 1588 | 1589 | form-data-encoder@1.7.2: 1590 | version "1.7.2" 1591 | resolved "https://registry.npmjs.org/form-data-encoder/-/form-data-encoder-1.7.2.tgz" 1592 | integrity sha512-qfqtYan3rxrnCk1VYaA4H+Ms9xdpPqvLZa6xmMgFvhO32x7/3J/ExcTd6qpxM0vH2GdMI+poehyBZvqfMTto8A== 1593 | 1594 | form-data@^2.5.0: 1595 | version "2.5.2" 1596 | resolved "https://registry.npmjs.org/form-data/-/form-data-2.5.2.tgz" 1597 | integrity sha512-GgwY0PS7DbXqajuGf4OYlsrIu3zgxD6Vvql43IBhm6MahqA5SK/7mwhtNj2AdH2z35YR34ujJ7BN+3fFC3jP5Q== 1598 | dependencies: 1599 | asynckit "^0.4.0" 1600 | combined-stream "^1.0.6" 1601 | mime-types "^2.1.12" 1602 | safe-buffer "^5.2.1" 1603 | 1604 | form-data@^4.0.0: 1605 | version "4.0.1" 1606 | resolved "https://registry.npmjs.org/form-data/-/form-data-4.0.1.tgz" 1607 | integrity sha512-tzN8e4TX8+kkxGPK8D5u0FNmjPUjw3lwC9lSLxxoB/+GtsJG91CO8bSWy73APlgAZzZbXEYZJuxjkHH2w+Ezhw== 1608 | dependencies: 1609 | asynckit "^0.4.0" 1610 | combined-stream "^1.0.8" 1611 | mime-types "^2.1.12" 1612 | 1613 | formdata-node@^4.3.2: 1614 | version "4.4.1" 1615 | resolved "https://registry.npmjs.org/formdata-node/-/formdata-node-4.4.1.tgz" 1616 | integrity sha512-0iirZp3uVDjVGt9p49aTaqjk84TrglENEDuqfdlZQ1roC9CWlPk6Avf8EEnZNcAqPonwkG35x4n3ww/1THYAeQ== 1617 | dependencies: 1618 | node-domexception "1.0.0" 1619 | web-streams-polyfill "4.0.0-beta.3" 1620 | 1621 | function-bind@^1.1.2: 1622 | version "1.1.2" 1623 | resolved "https://registry.npmjs.org/function-bind/-/function-bind-1.1.2.tgz" 1624 | integrity sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA== 1625 | 1626 | function-timeout@^1.0.1: 1627 | version "1.0.2" 1628 | resolved "https://registry.npmjs.org/function-timeout/-/function-timeout-1.0.2.tgz" 1629 | integrity sha512-939eZS4gJ3htTHAldmyyuzlrD58P03fHG49v2JfFXbV6OhvZKRC9j2yAtdHw/zrp2zXHuv05zMIy40F0ge7spA== 1630 | 1631 | function.prototype.name@^1.1.6: 1632 | version "1.1.6" 1633 | resolved "https://registry.npmjs.org/function.prototype.name/-/function.prototype.name-1.1.6.tgz" 1634 | integrity sha512-Z5kx79swU5P27WEayXM1tBi5Ze/lbIyiNgU3qyXUOf9b2rgXYyF9Dy9Cx+IQv/Lc8WCG6L82zwUPpSS9hGehIg== 1635 | dependencies: 1636 | call-bind "^1.0.2" 1637 | define-properties "^1.2.0" 1638 | es-abstract "^1.22.1" 1639 | functions-have-names "^1.2.3" 1640 | 1641 | functions-have-names@^1.2.3: 1642 | version "1.2.3" 1643 | resolved "https://registry.npmjs.org/functions-have-names/-/functions-have-names-1.2.3.tgz" 1644 | integrity sha512-xckBUXyTIqT97tq2x2AMb+g163b5JFysYk0x4qxNFwbfQkmNZoiRHb6sPzI9/QV33WeuvVYBUIiD4NzNIyqaRQ== 1645 | 1646 | gaxios@^6.0.0, gaxios@^6.1.1: 1647 | version "6.7.1" 1648 | resolved "https://registry.npmjs.org/gaxios/-/gaxios-6.7.1.tgz" 1649 | integrity sha512-LDODD4TMYx7XXdpwxAVRAIAuB0bzv0s+ywFonY46k126qzQHT9ygyoa9tncmOiQmmDrik65UYsEkv3lbfqQ3yQ== 1650 | dependencies: 1651 | extend "^3.0.2" 1652 | https-proxy-agent "^7.0.1" 1653 | is-stream "^2.0.0" 1654 | node-fetch "^2.6.9" 1655 | uuid "^9.0.1" 1656 | 1657 | gcp-metadata@^6.1.0: 1658 | version "6.1.0" 1659 | resolved "https://registry.npmjs.org/gcp-metadata/-/gcp-metadata-6.1.0.tgz" 1660 | integrity sha512-Jh/AIwwgaxan+7ZUUmRLCjtchyDiqh4KjBJ5tW3plBZb5iL/BPcso8A5DlzeD9qlw0duCamnNdpFjxwaT0KyKg== 1661 | dependencies: 1662 | gaxios "^6.0.0" 1663 | json-bigint "^1.0.0" 1664 | 1665 | get-caller-file@^2.0.5: 1666 | version "2.0.5" 1667 | resolved "https://registry.npmjs.org/get-caller-file/-/get-caller-file-2.0.5.tgz" 1668 | integrity sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg== 1669 | 1670 | get-intrinsic@^1.2.1, get-intrinsic@^1.2.3, get-intrinsic@^1.2.4: 1671 | version "1.2.4" 1672 | resolved "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.2.4.tgz" 1673 | integrity sha512-5uYhsJH8VJBTv7oslg4BznJYhDoRI6waYCxMmCdnTrcCrHA/fCFKoTFz2JKKE0HdDFUF7/oQuhzumXJK7paBRQ== 1674 | dependencies: 1675 | es-errors "^1.3.0" 1676 | function-bind "^1.1.2" 1677 | has-proto "^1.0.1" 1678 | has-symbols "^1.0.3" 1679 | hasown "^2.0.0" 1680 | 1681 | get-stream@^8.0.1: 1682 | version "8.0.1" 1683 | resolved "https://registry.npmjs.org/get-stream/-/get-stream-8.0.1.tgz" 1684 | integrity sha512-VaUJspBffn/LMCJVoMvSAdmscJyS1auj5Zulnn5UoYcY531UWmdwhRWkcGKnGU93m5HSXP9LP2usOryrBtQowA== 1685 | 1686 | get-symbol-description@^1.0.2: 1687 | version "1.0.2" 1688 | resolved "https://registry.npmjs.org/get-symbol-description/-/get-symbol-description-1.0.2.tgz" 1689 | integrity sha512-g0QYk1dZBxGwk+Ngc+ltRH2IBp2f7zBkBMBJZCDerh6EhlhSR6+9irMCuT/09zD6qkarHUSn529sK/yL4S27mg== 1690 | dependencies: 1691 | call-bind "^1.0.5" 1692 | es-errors "^1.3.0" 1693 | get-intrinsic "^1.2.4" 1694 | 1695 | glob-parent@^5.1.2: 1696 | version "5.1.2" 1697 | resolved "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz" 1698 | integrity sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow== 1699 | dependencies: 1700 | is-glob "^4.0.1" 1701 | 1702 | glob-parent@^6.0.2: 1703 | version "6.0.2" 1704 | resolved "https://registry.npmjs.org/glob-parent/-/glob-parent-6.0.2.tgz" 1705 | integrity sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A== 1706 | dependencies: 1707 | is-glob "^4.0.3" 1708 | 1709 | glob-parent@~5.1.2: 1710 | version "5.1.2" 1711 | resolved "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz" 1712 | integrity sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow== 1713 | dependencies: 1714 | is-glob "^4.0.1" 1715 | 1716 | globals@^14.0.0: 1717 | version "14.0.0" 1718 | resolved "https://registry.npmjs.org/globals/-/globals-14.0.0.tgz" 1719 | integrity sha512-oahGvuMGQlPw/ivIYBjVSrWAfWLBeku5tpPE2fOPLi+WHffIWbuh2tCjhyQhTBPMf5E9jDEH4FOmTYgYwbKwtQ== 1720 | 1721 | globalthis@^1.0.4: 1722 | version "1.0.4" 1723 | resolved "https://registry.npmjs.org/globalthis/-/globalthis-1.0.4.tgz" 1724 | integrity sha512-DpLKbNU4WylpxJykQujfCcwYWiV/Jhm50Goo0wrVILAv5jOr9d+H+UR3PhSCD2rCCEIg0uc+G+muBTwD54JhDQ== 1725 | dependencies: 1726 | define-properties "^1.2.1" 1727 | gopd "^1.0.1" 1728 | 1729 | "google-auth-library@^8.8.0 || ^9.0.0", google-auth-library@^9.0.0, google-auth-library@^9.15.0, google-auth-library@^9.3.0: 1730 | version "9.15.0" 1731 | resolved "https://registry.npmjs.org/google-auth-library/-/google-auth-library-9.15.0.tgz" 1732 | integrity sha512-7ccSEJFDFO7exFbO6NRyC+xH8/mZ1GZGG2xxx9iHxZWcjUjJpjWxIMw3cofAKcueZ6DATiukmmprD7yavQHOyQ== 1733 | dependencies: 1734 | base64-js "^1.3.0" 1735 | ecdsa-sig-formatter "^1.0.11" 1736 | gaxios "^6.1.1" 1737 | gcp-metadata "^6.1.0" 1738 | gtoken "^7.0.0" 1739 | jws "^4.0.0" 1740 | 1741 | google-gax@^4.0.3: 1742 | version "4.4.1" 1743 | resolved "https://registry.npmjs.org/google-gax/-/google-gax-4.4.1.tgz" 1744 | integrity sha512-Phyp9fMfA00J3sZbJxbbB4jC55b7DBjE3F6poyL3wKMEBVKA79q6BGuHcTiM28yOzVql0NDbRL8MLLh8Iwk9Dg== 1745 | dependencies: 1746 | "@grpc/grpc-js" "^1.10.9" 1747 | "@grpc/proto-loader" "^0.7.13" 1748 | "@types/long" "^4.0.0" 1749 | abort-controller "^3.0.0" 1750 | duplexify "^4.0.0" 1751 | google-auth-library "^9.3.0" 1752 | node-fetch "^2.7.0" 1753 | object-hash "^3.0.0" 1754 | proto3-json-serializer "^2.0.2" 1755 | protobufjs "^7.3.2" 1756 | retry-request "^7.0.0" 1757 | uuid "^9.0.1" 1758 | 1759 | google-spreadsheet@^4.1.4: 1760 | version "4.1.4" 1761 | resolved "https://registry.npmjs.org/google-spreadsheet/-/google-spreadsheet-4.1.4.tgz" 1762 | integrity sha512-v6Bi7LIB/2E3+/XKmk11Qih2U0KpENSZuLSHOi8XoRDna/Tx8WYCZeEUTF60eucaELGLWC8GSepb0Cbkr3aXfg== 1763 | dependencies: 1764 | axios "^1.7.7" 1765 | lodash "^4.17.21" 1766 | 1767 | gopd@^1.0.1, gopd@^1.1.0: 1768 | version "1.1.0" 1769 | resolved "https://registry.npmjs.org/gopd/-/gopd-1.1.0.tgz" 1770 | integrity sha512-FQoVQnqcdk4hVM4JN1eromaun4iuS34oStkdlLENLdpULsuQcTyXj8w7ayhuUfPwEYZ1ZOooOTT6fdA9Vmx/RA== 1771 | dependencies: 1772 | get-intrinsic "^1.2.4" 1773 | 1774 | graphemer@^1.4.0: 1775 | version "1.4.0" 1776 | resolved "https://registry.npmjs.org/graphemer/-/graphemer-1.4.0.tgz" 1777 | integrity sha512-EtKwoO6kxCL9WO5xipiHTZlSzBm7WLT627TqC/uVRd0HKmq8NXyebnNYxDoBi7wt8eTWrUrKXCOVaFq9x1kgag== 1778 | 1779 | gtoken@^7.0.0: 1780 | version "7.1.0" 1781 | resolved "https://registry.npmjs.org/gtoken/-/gtoken-7.1.0.tgz" 1782 | integrity sha512-pCcEwRi+TKpMlxAQObHDQ56KawURgyAf6jtIY046fJ5tIv3zDe/LEIubckAO8fj6JnAxLdmWkUfNyulQ2iKdEw== 1783 | dependencies: 1784 | gaxios "^6.0.0" 1785 | jws "^4.0.0" 1786 | 1787 | has-bigints@^1.0.1, has-bigints@^1.0.2: 1788 | version "1.0.2" 1789 | resolved "https://registry.npmjs.org/has-bigints/-/has-bigints-1.0.2.tgz" 1790 | integrity sha512-tSvCKtBr9lkF0Ex0aQiP9N+OpV4zi2r/Nee5VkRDbaqv35RLYMzbwQfFSZZH0kR+Rd6302UJZ2p/bJCEoR3VoQ== 1791 | 1792 | has-flag@^3.0.0: 1793 | version "3.0.0" 1794 | resolved "https://registry.npmjs.org/has-flag/-/has-flag-3.0.0.tgz" 1795 | integrity sha512-sKJf1+ceQBr4SMkvQnBDNDtf4TXpVhVGateu0t918bl30FnbE2m4vNLX+VWe/dpjlb+HugGYzW7uQXH98HPEYw== 1796 | 1797 | has-flag@^4.0.0: 1798 | version "4.0.0" 1799 | resolved "https://registry.npmjs.org/has-flag/-/has-flag-4.0.0.tgz" 1800 | integrity sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ== 1801 | 1802 | has-property-descriptors@^1.0.0, has-property-descriptors@^1.0.2: 1803 | version "1.0.2" 1804 | resolved "https://registry.npmjs.org/has-property-descriptors/-/has-property-descriptors-1.0.2.tgz" 1805 | integrity sha512-55JNKuIW+vq4Ke1BjOTjM2YctQIvCT7GFzHwmfZPGo5wnrgkid0YQtnAleFSqumZm4az3n2BS+erby5ipJdgrg== 1806 | dependencies: 1807 | es-define-property "^1.0.0" 1808 | 1809 | has-proto@^1.0.1, has-proto@^1.0.3: 1810 | version "1.1.0" 1811 | resolved "https://registry.npmjs.org/has-proto/-/has-proto-1.1.0.tgz" 1812 | integrity sha512-QLdzI9IIO1Jg7f9GT1gXpPpXArAn6cS31R1eEZqz08Gc+uQ8/XiqHWt17Fiw+2p6oTTIq5GXEpQkAlA88YRl/Q== 1813 | dependencies: 1814 | call-bind "^1.0.7" 1815 | 1816 | has-symbols@^1.0.2, has-symbols@^1.0.3: 1817 | version "1.1.0" 1818 | resolved "https://registry.npmjs.org/has-symbols/-/has-symbols-1.1.0.tgz" 1819 | integrity sha512-1cDNdwJ2Jaohmb3sg4OmKaMBwuC48sYni5HUw2DvsC8LjGTLK9h+eb1X6RyuOHe4hT0ULCW68iomhjUoKUqlPQ== 1820 | 1821 | has-tostringtag@^1.0.0, has-tostringtag@^1.0.2: 1822 | version "1.0.2" 1823 | resolved "https://registry.npmjs.org/has-tostringtag/-/has-tostringtag-1.0.2.tgz" 1824 | integrity sha512-NqADB8VjPFLM2V0VvHUewwwsw0ZWBaIdgo+ieHtK3hasLz4qeCRjYcqfB6AQrBggRKppKF8L52/VqdVsO47Dlw== 1825 | dependencies: 1826 | has-symbols "^1.0.3" 1827 | 1828 | hasown@^2.0.0, hasown@^2.0.1, hasown@^2.0.2: 1829 | version "2.0.2" 1830 | resolved "https://registry.npmjs.org/hasown/-/hasown-2.0.2.tgz" 1831 | integrity sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ== 1832 | dependencies: 1833 | function-bind "^1.1.2" 1834 | 1835 | html-entities@^2.5.2: 1836 | version "2.5.2" 1837 | resolved "https://registry.npmjs.org/html-entities/-/html-entities-2.5.2.tgz" 1838 | integrity sha512-K//PSRMQk4FZ78Kyau+mZurHn3FH0Vwr+H36eE0rPbeYkRRi9YxceYPhuN60UwWorxyKHhqoAJl2OFKa4BVtaA== 1839 | 1840 | htmlparser2@^9.1.0: 1841 | version "9.1.0" 1842 | resolved "https://registry.npmjs.org/htmlparser2/-/htmlparser2-9.1.0.tgz" 1843 | integrity sha512-5zfg6mHUoaer/97TxnGpxmbR7zJtPwIYFMZ/H5ucTlPZhKvtum05yiPK3Mgai3a0DyVxv7qYqoweaEd2nrYQzQ== 1844 | dependencies: 1845 | domelementtype "^2.3.0" 1846 | domhandler "^5.0.3" 1847 | domutils "^3.1.0" 1848 | entities "^4.5.0" 1849 | 1850 | http-cookie-agent@^6.0.8: 1851 | version "6.0.8" 1852 | resolved "https://registry.npmjs.org/http-cookie-agent/-/http-cookie-agent-6.0.8.tgz" 1853 | integrity sha512-qnYh3yLSr2jBsTYkw11elq+T361uKAJaZ2dR4cfYZChw1dt9uL5t3zSUwehoqqVb4oldk1BpkXKm2oat8zV+oA== 1854 | dependencies: 1855 | agent-base "^7.1.3" 1856 | 1857 | http-proxy-agent@^5.0.0: 1858 | version "5.0.0" 1859 | resolved "https://registry.npmjs.org/http-proxy-agent/-/http-proxy-agent-5.0.0.tgz" 1860 | integrity sha512-n2hY8YdoRE1i7r6M0w9DIw5GgZN0G25P8zLCRQ8rjXtTU3vsNFBI/vWK/UIeE6g5MUUz6avwAPXmL6Fy9D/90w== 1861 | dependencies: 1862 | "@tootallnate/once" "2" 1863 | agent-base "6" 1864 | debug "4" 1865 | 1866 | http-proxy-agent@^7.0.2: 1867 | version "7.0.2" 1868 | resolved "https://registry.npmjs.org/http-proxy-agent/-/http-proxy-agent-7.0.2.tgz" 1869 | integrity sha512-T1gkAiYYDWYx3V5Bmyu7HcfcvL7mUrTWiM6yOfa3PIphViJ/gFPbvidQ+veqSOHci/PxBcDabeUNCzpOODJZig== 1870 | dependencies: 1871 | agent-base "^7.1.0" 1872 | debug "^4.3.4" 1873 | 1874 | http-response-object@^3.0.1: 1875 | version "3.0.2" 1876 | resolved "https://registry.npmjs.org/http-response-object/-/http-response-object-3.0.2.tgz" 1877 | integrity sha512-bqX0XTF6fnXSQcEJ2Iuyr75yVakyjIDCqroJQ/aHfSdlM743Cwqoi2nDYMzLGWUcuTWGWy8AAvOKXTfiv6q9RA== 1878 | dependencies: 1879 | "@types/node" "^10.0.3" 1880 | 1881 | https-proxy-agent@^5.0.0: 1882 | version "5.0.1" 1883 | resolved "https://registry.npmjs.org/https-proxy-agent/-/https-proxy-agent-5.0.1.tgz" 1884 | integrity sha512-dFcAjpTQFgoLMzC2VwU+C/CbS7uRL0lWmxDITmqm7C+7F0Odmj6s9l6alZc6AELXhrnggM2CeWSXHGOdX2YtwA== 1885 | dependencies: 1886 | agent-base "6" 1887 | debug "4" 1888 | 1889 | https-proxy-agent@^7.0.1, https-proxy-agent@^7.0.6: 1890 | version "7.0.6" 1891 | resolved "https://registry.npmjs.org/https-proxy-agent/-/https-proxy-agent-7.0.6.tgz" 1892 | integrity sha512-vK9P5/iUfdl95AI+JVyUuIcVtd4ofvtrOr3HNtM2yxC9bnMbEdp3x01OhQNnjb8IJYi38VlTE3mBXwcfvywuSw== 1893 | dependencies: 1894 | agent-base "^7.1.2" 1895 | debug "4" 1896 | 1897 | human-signals@^5.0.0: 1898 | version "5.0.0" 1899 | resolved "https://registry.npmjs.org/human-signals/-/human-signals-5.0.0.tgz" 1900 | integrity sha512-AXcZb6vzzrFAUE61HnN4mpLqd/cSIwNQjtNWR0euPm6y0iqx3G4gOXaIDdtdDwZmhwe82LA6+zinmW4UBWVePQ== 1901 | 1902 | humanize-ms@^1.2.1: 1903 | version "1.2.1" 1904 | resolved "https://registry.npmjs.org/humanize-ms/-/humanize-ms-1.2.1.tgz" 1905 | integrity sha512-Fl70vYtsAFb/C06PTS9dZBo7ihau+Tu/DNCk/OyHhea07S+aeMWpFFkUaXRa8fI+ScZbEI8dfSxwY7gxZ9SAVQ== 1906 | dependencies: 1907 | ms "^2.0.0" 1908 | 1909 | iconv-lite@^0.6.3, iconv-lite@0.6.3: 1910 | version "0.6.3" 1911 | resolved "https://registry.npmjs.org/iconv-lite/-/iconv-lite-0.6.3.tgz" 1912 | integrity sha512-4fCk79wshMdzMp2rH06qWrJE4iolqLhCUH+OiuIgU++RB0+94NlDL81atO7GX55uUKueo0txHNtvEyI6D7WdMw== 1913 | dependencies: 1914 | safer-buffer ">= 2.1.2 < 3.0.0" 1915 | 1916 | ignore-by-default@^1.0.1: 1917 | version "1.0.1" 1918 | resolved "https://registry.npmjs.org/ignore-by-default/-/ignore-by-default-1.0.1.tgz" 1919 | integrity sha512-Ius2VYcGNk7T90CppJqcIkS5ooHUZyIQK+ClZfMfMNFEF9VSE73Fq+906u/CWu92x4gzZMWOwfFYckPObzdEbA== 1920 | 1921 | ignore@^5.2.0, ignore@^5.3.1: 1922 | version "5.3.2" 1923 | resolved "https://registry.npmjs.org/ignore/-/ignore-5.3.2.tgz" 1924 | integrity sha512-hsBTNUqQTDwkWtcdYI2i06Y/nUBEsNEDJKjWdigLvegy8kDuJAS8uRlpkkcQpyEXL0Z/pjDy5HBmMjRCJ2gq+g== 1925 | 1926 | import-fresh@^3.2.1: 1927 | version "3.3.0" 1928 | resolved "https://registry.npmjs.org/import-fresh/-/import-fresh-3.3.0.tgz" 1929 | integrity sha512-veYYhQa+D1QBKznvhUHxb8faxlrwUnxseDAbAp457E0wLNio2bOSKnjYDhMj+YiAq61xrMGhQk9iXVk5FzgQMw== 1930 | dependencies: 1931 | parent-module "^1.0.0" 1932 | resolve-from "^4.0.0" 1933 | 1934 | imurmurhash@^0.1.4: 1935 | version "0.1.4" 1936 | resolved "https://registry.npmjs.org/imurmurhash/-/imurmurhash-0.1.4.tgz" 1937 | integrity sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA== 1938 | 1939 | inherits@^2.0.3: 1940 | version "2.0.4" 1941 | resolved "https://registry.npmjs.org/inherits/-/inherits-2.0.4.tgz" 1942 | integrity sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ== 1943 | 1944 | internal-slot@^1.0.7: 1945 | version "1.0.7" 1946 | resolved "https://registry.npmjs.org/internal-slot/-/internal-slot-1.0.7.tgz" 1947 | integrity sha512-NGnrKwXzSms2qUUih/ILZ5JBqNTSa1+ZmP6flaIp6KmSElgE9qdndzS3cqjrDovwFdmwsGsLdeFgB6suw+1e9g== 1948 | dependencies: 1949 | es-errors "^1.3.0" 1950 | hasown "^2.0.0" 1951 | side-channel "^1.0.4" 1952 | 1953 | is-array-buffer@^3.0.4: 1954 | version "3.0.4" 1955 | resolved "https://registry.npmjs.org/is-array-buffer/-/is-array-buffer-3.0.4.tgz" 1956 | integrity sha512-wcjaerHw0ydZwfhiKbXJWLDY8A7yV7KhjQOpb83hGgGfId/aQa4TOvwyzn2PuswW2gPCYEL/nEAiSVpdOj1lXw== 1957 | dependencies: 1958 | call-bind "^1.0.2" 1959 | get-intrinsic "^1.2.1" 1960 | 1961 | is-async-function@^2.0.0: 1962 | version "2.0.0" 1963 | resolved "https://registry.npmjs.org/is-async-function/-/is-async-function-2.0.0.tgz" 1964 | integrity sha512-Y1JXKrfykRJGdlDwdKlLpLyMIiWqWvuSd17TvZk68PLAOGOoF4Xyav1z0Xhoi+gCYjZVeC5SI+hYFOfvXmGRCA== 1965 | dependencies: 1966 | has-tostringtag "^1.0.0" 1967 | 1968 | is-bigint@^1.0.1: 1969 | version "1.0.4" 1970 | resolved "https://registry.npmjs.org/is-bigint/-/is-bigint-1.0.4.tgz" 1971 | integrity sha512-zB9CruMamjym81i2JZ3UMn54PKGsQzsJeo6xvN3HJJ4CAsQNB6iRutp2To77OfCNuoxspsIhzaPoO1zyCEhFOg== 1972 | dependencies: 1973 | has-bigints "^1.0.1" 1974 | 1975 | is-binary-path@~2.1.0: 1976 | version "2.1.0" 1977 | resolved "https://registry.npmjs.org/is-binary-path/-/is-binary-path-2.1.0.tgz" 1978 | integrity sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw== 1979 | dependencies: 1980 | binary-extensions "^2.0.0" 1981 | 1982 | is-boolean-object@^1.1.0: 1983 | version "1.2.0" 1984 | resolved "https://registry.npmjs.org/is-boolean-object/-/is-boolean-object-1.2.0.tgz" 1985 | integrity sha512-kR5g0+dXf/+kXnqI+lu0URKYPKgICtHGGNCDSB10AaUFj3o/HkB3u7WfpRBJGFopxxY0oH3ux7ZsDjLtK7xqvw== 1986 | dependencies: 1987 | call-bind "^1.0.7" 1988 | has-tostringtag "^1.0.2" 1989 | 1990 | is-callable@^1.1.3, is-callable@^1.2.7: 1991 | version "1.2.7" 1992 | resolved "https://registry.npmjs.org/is-callable/-/is-callable-1.2.7.tgz" 1993 | integrity sha512-1BC0BVFhS/p0qtw6enp8e+8OD0UrK0oFLztSjNzhcKA3WDuJxxAPXzPuPtKkjEY9UUoEWlX/8fgKeu2S8i9JTA== 1994 | 1995 | is-core-module@^2.13.0, is-core-module@^2.15.1: 1996 | version "2.15.1" 1997 | resolved "https://registry.npmjs.org/is-core-module/-/is-core-module-2.15.1.tgz" 1998 | integrity sha512-z0vtXSwucUJtANQWldhbtbt7BnL0vxiFjIdDLAatwhDYty2bad6s+rijD6Ri4YuYJubLzIJLUidCh09e1djEVQ== 1999 | dependencies: 2000 | hasown "^2.0.2" 2001 | 2002 | is-data-view@^1.0.1: 2003 | version "1.0.1" 2004 | resolved "https://registry.npmjs.org/is-data-view/-/is-data-view-1.0.1.tgz" 2005 | integrity sha512-AHkaJrsUVW6wq6JS8y3JnM/GJF/9cf+k20+iDzlSaJrinEo5+7vRiteOSwBhHRiAyQATN1AmY4hwzxJKPmYf+w== 2006 | dependencies: 2007 | is-typed-array "^1.1.13" 2008 | 2009 | is-date-object@^1.0.5: 2010 | version "1.0.5" 2011 | resolved "https://registry.npmjs.org/is-date-object/-/is-date-object-1.0.5.tgz" 2012 | integrity sha512-9YQaSxsAiSwcvS33MBk3wTCVnWK+HhF8VZR2jRxehM16QcVOdHqPn4VPHmRK4lSr38n9JriurInLcP90xsYNfQ== 2013 | dependencies: 2014 | has-tostringtag "^1.0.0" 2015 | 2016 | is-extglob@^2.1.1: 2017 | version "2.1.1" 2018 | resolved "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz" 2019 | integrity sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ== 2020 | 2021 | is-finalizationregistry@^1.1.0: 2022 | version "1.1.0" 2023 | resolved "https://registry.npmjs.org/is-finalizationregistry/-/is-finalizationregistry-1.1.0.tgz" 2024 | integrity sha512-qfMdqbAQEwBw78ZyReKnlA8ezmPdb9BemzIIip/JkjaZUhitfXDkkr+3QTboW0JrSXT1QWyYShpvnNHGZ4c4yA== 2025 | dependencies: 2026 | call-bind "^1.0.7" 2027 | 2028 | is-fullwidth-code-point@^3.0.0: 2029 | version "3.0.0" 2030 | resolved "https://registry.npmjs.org/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz" 2031 | integrity sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg== 2032 | 2033 | is-generator-function@^1.0.10: 2034 | version "1.0.10" 2035 | resolved "https://registry.npmjs.org/is-generator-function/-/is-generator-function-1.0.10.tgz" 2036 | integrity sha512-jsEjy9l3yiXEQ+PsXdmBwEPcOxaXWLspKdplFUVI9vq1iZgIekeC0L167qeu86czQaxed3q/Uzuw0swL0irL8A== 2037 | dependencies: 2038 | has-tostringtag "^1.0.0" 2039 | 2040 | is-glob@^4.0.0, is-glob@^4.0.1, is-glob@^4.0.3, is-glob@~4.0.1: 2041 | version "4.0.3" 2042 | resolved "https://registry.npmjs.org/is-glob/-/is-glob-4.0.3.tgz" 2043 | integrity sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg== 2044 | dependencies: 2045 | is-extglob "^2.1.1" 2046 | 2047 | is-map@^2.0.3: 2048 | version "2.0.3" 2049 | resolved "https://registry.npmjs.org/is-map/-/is-map-2.0.3.tgz" 2050 | integrity sha512-1Qed0/Hr2m+YqxnM09CjA2d/i6YZNfF6R2oRAOj36eUdS6qIV/huPJNSEpKbupewFs+ZsJlxsjjPbc0/afW6Lw== 2051 | 2052 | is-negative-zero@^2.0.3: 2053 | version "2.0.3" 2054 | resolved "https://registry.npmjs.org/is-negative-zero/-/is-negative-zero-2.0.3.tgz" 2055 | integrity sha512-5KoIu2Ngpyek75jXodFvnafB6DJgr3u8uuK0LEZJjrU19DrMD3EVERaR8sjz8CCGgpZvxPl9SuE1GMVPFHx1mw== 2056 | 2057 | is-number-object@^1.0.4: 2058 | version "1.1.0" 2059 | resolved "https://registry.npmjs.org/is-number-object/-/is-number-object-1.1.0.tgz" 2060 | integrity sha512-KVSZV0Dunv9DTPkhXwcZ3Q+tUc9TsaE1ZwX5J2WMvsSGS6Md8TFPun5uwh0yRdrNerI6vf/tbJxqSx4c1ZI1Lw== 2061 | dependencies: 2062 | call-bind "^1.0.7" 2063 | has-tostringtag "^1.0.2" 2064 | 2065 | is-number@^7.0.0: 2066 | version "7.0.0" 2067 | resolved "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz" 2068 | integrity sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng== 2069 | 2070 | is-promise@^2.2.2: 2071 | version "2.2.2" 2072 | resolved "https://registry.npmjs.org/is-promise/-/is-promise-2.2.2.tgz" 2073 | integrity sha512-+lP4/6lKUBfQjZ2pdxThZvLUAafmZb8OAxFb8XXtiQmS35INgr85hdOGoEs124ez1FCnZJt6jau/T+alh58QFQ== 2074 | 2075 | is-regex@^1.1.4: 2076 | version "1.2.0" 2077 | resolved "https://registry.npmjs.org/is-regex/-/is-regex-1.2.0.tgz" 2078 | integrity sha512-B6ohK4ZmoftlUe+uvenXSbPJFo6U37BH7oO1B3nQH8f/7h27N56s85MhUtbFJAziz5dcmuR3i8ovUl35zp8pFA== 2079 | dependencies: 2080 | call-bind "^1.0.7" 2081 | gopd "^1.1.0" 2082 | has-tostringtag "^1.0.2" 2083 | hasown "^2.0.2" 2084 | 2085 | is-set@^2.0.3: 2086 | version "2.0.3" 2087 | resolved "https://registry.npmjs.org/is-set/-/is-set-2.0.3.tgz" 2088 | integrity sha512-iPAjerrse27/ygGLxw+EBR9agv9Y6uLeYVJMu+QNCoouJ1/1ri0mGrcWpfCqFZuzzx3WjtwxG098X+n4OuRkPg== 2089 | 2090 | is-shared-array-buffer@^1.0.2, is-shared-array-buffer@^1.0.3: 2091 | version "1.0.3" 2092 | resolved "https://registry.npmjs.org/is-shared-array-buffer/-/is-shared-array-buffer-1.0.3.tgz" 2093 | integrity sha512-nA2hv5XIhLR3uVzDDfCIknerhx8XUKnstuOERPNNIinXG7v9u+ohXF67vxm4TPTEPU6lm61ZkwP3c9PCB97rhg== 2094 | dependencies: 2095 | call-bind "^1.0.7" 2096 | 2097 | is-stream@^2.0.0: 2098 | version "2.0.1" 2099 | resolved "https://registry.npmjs.org/is-stream/-/is-stream-2.0.1.tgz" 2100 | integrity sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg== 2101 | 2102 | is-stream@^3.0.0: 2103 | version "3.0.0" 2104 | resolved "https://registry.npmjs.org/is-stream/-/is-stream-3.0.0.tgz" 2105 | integrity sha512-LnQR4bZ9IADDRSkvpqMGvt/tEJWclzklNgSw48V5EAaAeDd6qGvN8ei6k5p0tvxSR171VmGyHuTiAOfxAbr8kA== 2106 | 2107 | is-string@^1.0.5, is-string@^1.0.7: 2108 | version "1.1.0" 2109 | resolved "https://registry.npmjs.org/is-string/-/is-string-1.1.0.tgz" 2110 | integrity sha512-PlfzajuF9vSo5wErv3MJAKD/nqf9ngAs1NFQYm16nUYFO2IzxJ2hcm+IOCg+EEopdykNNUhVq5cz35cAUxU8+g== 2111 | dependencies: 2112 | call-bind "^1.0.7" 2113 | has-tostringtag "^1.0.2" 2114 | 2115 | is-symbol@^1.0.3, is-symbol@^1.0.4: 2116 | version "1.0.4" 2117 | resolved "https://registry.npmjs.org/is-symbol/-/is-symbol-1.0.4.tgz" 2118 | integrity sha512-C/CPBqKWnvdcxqIARxyOh4v1UUEOCHpgDa0WYgpKDFMszcrPcffg5uhwSgPCLD2WWxmq6isisz87tzT01tuGhg== 2119 | dependencies: 2120 | has-symbols "^1.0.2" 2121 | 2122 | is-typed-array@^1.1.13: 2123 | version "1.1.13" 2124 | resolved "https://registry.npmjs.org/is-typed-array/-/is-typed-array-1.1.13.tgz" 2125 | integrity sha512-uZ25/bUAlUY5fR4OKT4rZQEBrzQWYV9ZJYGGsUmEJ6thodVJ1HX64ePQ6Z0qPWP+m+Uq6e9UugrE38jeYsDSMw== 2126 | dependencies: 2127 | which-typed-array "^1.1.14" 2128 | 2129 | is-unix@~2.0.10: 2130 | version "2.0.10" 2131 | resolved "https://registry.npmjs.org/is-unix/-/is-unix-2.0.10.tgz" 2132 | integrity sha512-CcasZSEOQUoE7JHy56se4wyRhdJfjohuMWYmceSTaDY4naKyd1fpLiY8rJsIT6AKfVstQAhHJOfPx7jcUxK61Q== 2133 | 2134 | is-weakmap@^2.0.2: 2135 | version "2.0.2" 2136 | resolved "https://registry.npmjs.org/is-weakmap/-/is-weakmap-2.0.2.tgz" 2137 | integrity sha512-K5pXYOm9wqY1RgjpL3YTkF39tni1XajUIkawTLUo9EZEVUFga5gSQJF8nNS7ZwJQ02y+1YCNYcMh+HIf1ZqE+w== 2138 | 2139 | is-weakref@^1.0.2: 2140 | version "1.0.2" 2141 | resolved "https://registry.npmjs.org/is-weakref/-/is-weakref-1.0.2.tgz" 2142 | integrity sha512-qctsuLZmIQ0+vSSMfoVvyFe2+GSEvnmZ2ezTup1SBse9+twCCeial6EEi3Nc2KFcf6+qz2FBPnjXsk8xhKSaPQ== 2143 | dependencies: 2144 | call-bind "^1.0.2" 2145 | 2146 | is-weakset@^2.0.3: 2147 | version "2.0.3" 2148 | resolved "https://registry.npmjs.org/is-weakset/-/is-weakset-2.0.3.tgz" 2149 | integrity sha512-LvIm3/KWzS9oRFHugab7d+M/GcBXuXX5xZkzPmN+NxihdQlZUQ4dWuSV1xR/sq6upL1TJEDrfBgRepHFdBtSNQ== 2150 | dependencies: 2151 | call-bind "^1.0.7" 2152 | get-intrinsic "^1.2.4" 2153 | 2154 | isarray@^2.0.5: 2155 | version "2.0.5" 2156 | resolved "https://registry.npmjs.org/isarray/-/isarray-2.0.5.tgz" 2157 | integrity sha512-xHjhDr3cNBK0BzdUJSPXZntQUx/mwMS5Rw4A7lPJ90XGAO6ISP/ePDNuo0vhqOZU+UD5JoodwCAAoZQd3FeAKw== 2158 | 2159 | isexe@^2.0.0: 2160 | version "2.0.0" 2161 | resolved "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz" 2162 | integrity sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw== 2163 | 2164 | js-yaml@^4.1.0: 2165 | version "4.1.0" 2166 | resolved "https://registry.npmjs.org/js-yaml/-/js-yaml-4.1.0.tgz" 2167 | integrity sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA== 2168 | dependencies: 2169 | argparse "^2.0.1" 2170 | 2171 | json-bigint@^1.0.0: 2172 | version "1.0.0" 2173 | resolved "https://registry.npmjs.org/json-bigint/-/json-bigint-1.0.0.tgz" 2174 | integrity sha512-SiPv/8VpZuWbvLSMtTDU8hEfrZWg/mH/nV/b4o0CYbSxu1UIQPLdwKOCIyLQX+VIPO5vrLX3i8qtqFyhdPSUSQ== 2175 | dependencies: 2176 | bignumber.js "^9.0.0" 2177 | 2178 | json-buffer@3.0.1: 2179 | version "3.0.1" 2180 | resolved "https://registry.npmjs.org/json-buffer/-/json-buffer-3.0.1.tgz" 2181 | integrity sha512-4bV5BfR2mqfQTJm+V5tPPdf+ZpuhiIvTuAB5g8kcrXOZpTT/QwwVRWBywX1ozr6lEuPdbHxwaJlm9G6mI2sfSQ== 2182 | 2183 | json-schema-traverse@^0.4.1: 2184 | version "0.4.1" 2185 | resolved "https://registry.npmjs.org/json-schema-traverse/-/json-schema-traverse-0.4.1.tgz" 2186 | integrity sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg== 2187 | 2188 | json-stable-stringify-without-jsonify@^1.0.1: 2189 | version "1.0.1" 2190 | resolved "https://registry.npmjs.org/json-stable-stringify-without-jsonify/-/json-stable-stringify-without-jsonify-1.0.1.tgz" 2191 | integrity sha512-Bdboy+l7tA3OGW6FjyFHWkP5LuByj1Tk33Ljyq0axyzdk9//JSi2u3fP1QSmd1KNwq6VOKYGlAu87CisVir6Pw== 2192 | 2193 | json5@^1.0.2: 2194 | version "1.0.2" 2195 | resolved "https://registry.npmjs.org/json5/-/json5-1.0.2.tgz" 2196 | integrity sha512-g1MWMLBiz8FKi1e4w0UyVL3w+iJceWAFBAaBnnGKOpNa5f8TLktkbre1+s6oICydWAm+HRUGTmI+//xv2hvXYA== 2197 | dependencies: 2198 | minimist "^1.2.0" 2199 | 2200 | jwa@^2.0.0: 2201 | version "2.0.0" 2202 | resolved "https://registry.npmjs.org/jwa/-/jwa-2.0.0.tgz" 2203 | integrity sha512-jrZ2Qx916EA+fq9cEAeCROWPTfCwi1IVHqT2tapuqLEVVDKFDENFw1oL+MwrTvH6msKxsd1YTDVw6uKEcsrLEA== 2204 | dependencies: 2205 | buffer-equal-constant-time "1.0.1" 2206 | ecdsa-sig-formatter "1.0.11" 2207 | safe-buffer "^5.0.1" 2208 | 2209 | jws@^4.0.0: 2210 | version "4.0.0" 2211 | resolved "https://registry.npmjs.org/jws/-/jws-4.0.0.tgz" 2212 | integrity sha512-KDncfTmOZoOMTFG4mBlG0qUIOlc03fmzH+ru6RgYVZhPkyiy/92Owlt/8UEN+a4TXR1FQetfIpJE8ApdvdVxTg== 2213 | dependencies: 2214 | jwa "^2.0.0" 2215 | safe-buffer "^5.0.1" 2216 | 2217 | keyv@^4.5.4: 2218 | version "4.5.4" 2219 | resolved "https://registry.npmjs.org/keyv/-/keyv-4.5.4.tgz" 2220 | integrity sha512-oxVHkHR/EJf2CNXnWxRLW6mg7JyCCUcG0DtEGmL2ctUo1PNTin1PUil+r/+4r5MpVgC/fn1kjsx7mjSujKqIpw== 2221 | dependencies: 2222 | json-buffer "3.0.1" 2223 | 2224 | levn@^0.4.1: 2225 | version "0.4.1" 2226 | resolved "https://registry.npmjs.org/levn/-/levn-0.4.1.tgz" 2227 | integrity sha512-+bT2uH4E5LGE7h/n3evcS/sQlJXCpIp6ym8OWJ5eV6+67Dsql/LaaT7qJBAt2rzfoa/5QBGBhxDix1dMt2kQKQ== 2228 | dependencies: 2229 | prelude-ls "^1.2.1" 2230 | type-check "~0.4.0" 2231 | 2232 | locate-path@^6.0.0: 2233 | version "6.0.0" 2234 | resolved "https://registry.npmjs.org/locate-path/-/locate-path-6.0.0.tgz" 2235 | integrity sha512-iPZK6eYjbxRu3uB4/WZ3EsEIMJFMqAoopl3R+zuq0UjcAm/MO6KCweDgPfP3elTztoKP3KtnVHxTn2NHBSDVUw== 2236 | dependencies: 2237 | p-locate "^5.0.0" 2238 | 2239 | lodash.camelcase@^4.3.0: 2240 | version "4.3.0" 2241 | resolved "https://registry.npmjs.org/lodash.camelcase/-/lodash.camelcase-4.3.0.tgz" 2242 | integrity sha512-TwuEnCnxbc3rAvhf/LbG7tJUDzhqXyFnv3dtzLOPgCG/hODL7WFnsbwktkD7yUV0RrreP/l1PALq/YSg6VvjlA== 2243 | 2244 | lodash.merge@^4.6.2: 2245 | version "4.6.2" 2246 | resolved "https://registry.npmjs.org/lodash.merge/-/lodash.merge-4.6.2.tgz" 2247 | integrity sha512-0KpjqXRVvrYyCsX1swR/XTK0va6VQkQM6MNo7PqW77ByjAhoARA8EfrP1N4+KlKj8YS0ZUCtRT/YUuhyYDujIQ== 2248 | 2249 | lodash@^4.17.21: 2250 | version "4.17.21" 2251 | resolved "https://registry.npmjs.org/lodash/-/lodash-4.17.21.tgz" 2252 | integrity sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg== 2253 | 2254 | long@^5.0.0: 2255 | version "5.2.3" 2256 | resolved "https://registry.npmjs.org/long/-/long-5.2.3.tgz" 2257 | integrity sha512-lcHwpNoggQTObv5apGNCTdJrO69eHOZMi4BNC+rTLER8iHAqGrUVeLh/irVIM7zTw2bOXA8T6uNPeujwOLg/2Q== 2258 | 2259 | lru-queue@^0.1.0: 2260 | version "0.1.0" 2261 | resolved "https://registry.npmjs.org/lru-queue/-/lru-queue-0.1.0.tgz" 2262 | integrity sha512-BpdYkt9EvGl8OfWHDQPISVpcl5xZthb+XPsbELj5AQXxIC8IriDZIQYjBJPEm5rS420sjZ0TLEzRcq5KdBhYrQ== 2263 | dependencies: 2264 | es5-ext "~0.10.2" 2265 | 2266 | m3u8stream@^0.8.6: 2267 | version "0.8.6" 2268 | resolved "https://registry.npmjs.org/m3u8stream/-/m3u8stream-0.8.6.tgz" 2269 | integrity sha512-LZj8kIVf9KCphiHmH7sbFQTVe4tOemb202fWwvJwR9W5ENW/1hxJN6ksAWGhQgSBSa3jyWhnjKU1Fw1GaOdbyA== 2270 | dependencies: 2271 | miniget "^4.2.2" 2272 | sax "^1.2.4" 2273 | 2274 | make-error@^1.1.1: 2275 | version "1.3.6" 2276 | resolved "https://registry.npmjs.org/make-error/-/make-error-1.3.6.tgz" 2277 | integrity sha512-s8UhlNe7vPKomQhC1qFelMokr/Sc3AgNbso3n74mVPA5LTZwkB9NlXf4XPamLxJE8h0gh73rM94xvwRT2CVInw== 2278 | 2279 | memoizee@0.4: 2280 | version "0.4.17" 2281 | resolved "https://registry.npmjs.org/memoizee/-/memoizee-0.4.17.tgz" 2282 | integrity sha512-DGqD7Hjpi/1or4F/aYAspXKNm5Yili0QDAFAY4QYvpqpgiY6+1jOfqpmByzjxbWd/T9mChbCArXAbDAsTm5oXA== 2283 | dependencies: 2284 | d "^1.0.2" 2285 | es5-ext "^0.10.64" 2286 | es6-weak-map "^2.0.3" 2287 | event-emitter "^0.3.5" 2288 | is-promise "^2.2.2" 2289 | lru-queue "^0.1.0" 2290 | next-tick "^1.1.0" 2291 | timers-ext "^0.1.7" 2292 | 2293 | merge-stream@^2.0.0: 2294 | version "2.0.0" 2295 | resolved "https://registry.npmjs.org/merge-stream/-/merge-stream-2.0.0.tgz" 2296 | integrity sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w== 2297 | 2298 | merge2@^1.3.0: 2299 | version "1.4.1" 2300 | resolved "https://registry.npmjs.org/merge2/-/merge2-1.4.1.tgz" 2301 | integrity sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg== 2302 | 2303 | micromatch@^4.0.4: 2304 | version "4.0.8" 2305 | resolved "https://registry.npmjs.org/micromatch/-/micromatch-4.0.8.tgz" 2306 | integrity sha512-PXwfBhYu0hBCPw8Dn0E+WDYb7af3dSLVWKi3HGv84IdF4TyFoC0ysxFd0Goxw7nSv4T/PzEJQxsYsEiFCKo2BA== 2307 | dependencies: 2308 | braces "^3.0.3" 2309 | picomatch "^2.3.1" 2310 | 2311 | mime-db@1.52.0: 2312 | version "1.52.0" 2313 | resolved "https://registry.npmjs.org/mime-db/-/mime-db-1.52.0.tgz" 2314 | integrity sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg== 2315 | 2316 | mime-types@^2.1.12: 2317 | version "2.1.35" 2318 | resolved "https://registry.npmjs.org/mime-types/-/mime-types-2.1.35.tgz" 2319 | integrity sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw== 2320 | dependencies: 2321 | mime-db "1.52.0" 2322 | 2323 | mimic-fn@^4.0.0: 2324 | version "4.0.0" 2325 | resolved "https://registry.npmjs.org/mimic-fn/-/mimic-fn-4.0.0.tgz" 2326 | integrity sha512-vqiC06CuhBTUdZH+RYl8sFrL096vA45Ok5ISO6sE/Mr1jRbGH4Csnhi8f3wKVl7x8mO4Au7Ir9D3Oyv1VYMFJw== 2327 | 2328 | miniget@^4.2.2, miniget@^4.2.3: 2329 | version "4.2.3" 2330 | resolved "https://registry.npmjs.org/miniget/-/miniget-4.2.3.tgz" 2331 | integrity sha512-SjbDPDICJ1zT+ZvQwK0hUcRY4wxlhhNpHL9nJOB2MEAXRGagTljsO8MEDzQMTFf0Q8g4QNi8P9lEm/g7e+qgzA== 2332 | 2333 | minimatch@^3.1.2: 2334 | version "3.1.2" 2335 | resolved "https://registry.npmjs.org/minimatch/-/minimatch-3.1.2.tgz" 2336 | integrity sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw== 2337 | dependencies: 2338 | brace-expansion "^1.1.7" 2339 | 2340 | minimatch@^9.0.4: 2341 | version "9.0.5" 2342 | resolved "https://registry.npmjs.org/minimatch/-/minimatch-9.0.5.tgz" 2343 | integrity sha512-G6T0ZX48xgozx7587koeX9Ys2NYy6Gmv//P89sEte9V9whIapMNF4idKxnW2QtCcLiTWlb/wfCabAtAFWhhBow== 2344 | dependencies: 2345 | brace-expansion "^2.0.1" 2346 | 2347 | minimist@^1.2.0, minimist@^1.2.6: 2348 | version "1.2.8" 2349 | resolved "https://registry.npmjs.org/minimist/-/minimist-1.2.8.tgz" 2350 | integrity sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA== 2351 | 2352 | ms@^2.0.0, ms@^2.1.1, ms@^2.1.3: 2353 | version "2.1.3" 2354 | resolved "https://registry.npmjs.org/ms/-/ms-2.1.3.tgz" 2355 | integrity sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA== 2356 | 2357 | natural-compare@^1.4.0: 2358 | version "1.4.0" 2359 | resolved "https://registry.npmjs.org/natural-compare/-/natural-compare-1.4.0.tgz" 2360 | integrity sha512-OWND8ei3VtNC9h7V60qff3SVobHr996CTwgxubgyQYEpg290h9J0buyECNNJexkFm5sOajh5G116RYA1c8ZMSw== 2361 | 2362 | next-tick@^1.1.0: 2363 | version "1.1.0" 2364 | resolved "https://registry.npmjs.org/next-tick/-/next-tick-1.1.0.tgz" 2365 | integrity sha512-CXdUiJembsNjuToQvxayPZF9Vqht7hewsvy2sOWafLvi2awflj9mOC6bHIg50orX8IJvWKY9wYQ/zB2kogPslQ== 2366 | 2367 | node-domexception@1.0.0: 2368 | version "1.0.0" 2369 | resolved "https://registry.npmjs.org/node-domexception/-/node-domexception-1.0.0.tgz" 2370 | integrity sha512-/jKZoMpw0F8GRwl4/eLROPA3cfcXtLApP0QzLmUT/HuPCZWyB7IY9ZrMeKw2O/nFIqPQB3PVM9aYm0F312AXDQ== 2371 | 2372 | node-fetch@^2.6.12, node-fetch@^2.6.7, node-fetch@^2.6.9, node-fetch@^2.7.0: 2373 | version "2.7.0" 2374 | resolved "https://registry.npmjs.org/node-fetch/-/node-fetch-2.7.0.tgz" 2375 | integrity sha512-c4FRfUm/dbcWZ7U+1Wq0AwCyFL+3nt2bEw05wfxSz+DWpWsitgmSgYmy2dQdWyKC1694ELPqMs/YzUSNozLt8A== 2376 | dependencies: 2377 | whatwg-url "^5.0.0" 2378 | 2379 | nodemon@^3.0.2: 2380 | version "3.1.7" 2381 | resolved "https://registry.npmjs.org/nodemon/-/nodemon-3.1.7.tgz" 2382 | integrity sha512-hLj7fuMow6f0lbB0cD14Lz2xNjwsyruH251Pk4t/yIitCFJbmY1myuLlHm/q06aST4jg6EgAh74PIBBrRqpVAQ== 2383 | dependencies: 2384 | chokidar "^3.5.2" 2385 | debug "^4" 2386 | ignore-by-default "^1.0.1" 2387 | minimatch "^3.1.2" 2388 | pstree.remy "^1.1.8" 2389 | semver "^7.5.3" 2390 | simple-update-notifier "^2.0.0" 2391 | supports-color "^5.5.0" 2392 | touch "^3.1.0" 2393 | undefsafe "^2.0.5" 2394 | 2395 | normalize-path@^3.0.0, normalize-path@~3.0.0: 2396 | version "3.0.0" 2397 | resolved "https://registry.npmjs.org/normalize-path/-/normalize-path-3.0.0.tgz" 2398 | integrity sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA== 2399 | 2400 | npm-run-path@^5.1.0: 2401 | version "5.3.0" 2402 | resolved "https://registry.npmjs.org/npm-run-path/-/npm-run-path-5.3.0.tgz" 2403 | integrity sha512-ppwTtiJZq0O/ai0z7yfudtBpWIoxM8yE6nHi1X47eFR2EWORqfbu6CnPlNsjeN683eT0qG6H/Pyf9fCcvjnnnQ== 2404 | dependencies: 2405 | path-key "^4.0.0" 2406 | 2407 | nth-check@^2.0.1: 2408 | version "2.1.1" 2409 | resolved "https://registry.npmjs.org/nth-check/-/nth-check-2.1.1.tgz" 2410 | integrity sha512-lqjrjmaOoAnWfMmBPL+XNnynZh2+swxiX3WUE0s4yEHI6m+AwrK2UZOimIRl3X/4QctVqS8AiZjFqyOGrMXb/w== 2411 | dependencies: 2412 | boolbase "^1.0.0" 2413 | 2414 | object-hash@^3.0.0: 2415 | version "3.0.0" 2416 | resolved "https://registry.npmjs.org/object-hash/-/object-hash-3.0.0.tgz" 2417 | integrity sha512-RSn9F68PjH9HqtltsSnqYC1XXoWe9Bju5+213R98cNGttag9q9yAOTzdbsqvIa7aNm5WffBZFpWYr2aWrklWAw== 2418 | 2419 | object-inspect@^1.13.1, object-inspect@^1.13.3: 2420 | version "1.13.3" 2421 | resolved "https://registry.npmjs.org/object-inspect/-/object-inspect-1.13.3.tgz" 2422 | integrity sha512-kDCGIbxkDSXE3euJZZXzc6to7fCrKHNI/hSRQnRuQ+BWjFNzZwiFF8fj/6o2t2G9/jTj8PSIYTfCLelLZEeRpA== 2423 | 2424 | object-keys@^1.1.1: 2425 | version "1.1.1" 2426 | resolved "https://registry.npmjs.org/object-keys/-/object-keys-1.1.1.tgz" 2427 | integrity sha512-NuAESUOUMrlIXOfHKzD6bpPu3tYt3xvjNdRIQ+FeT0lNb4K8WR70CaDxhuNguS2XG+GjkyMwOzsN5ZktImfhLA== 2428 | 2429 | object.assign@^4.1.5: 2430 | version "4.1.5" 2431 | resolved "https://registry.npmjs.org/object.assign/-/object.assign-4.1.5.tgz" 2432 | integrity sha512-byy+U7gp+FVwmyzKPYhW2h5l3crpmGsxl7X2s8y43IgxvG4g3QZ6CffDtsNQy1WsmZpQbO+ybo0AlW7TY6DcBQ== 2433 | dependencies: 2434 | call-bind "^1.0.5" 2435 | define-properties "^1.2.1" 2436 | has-symbols "^1.0.3" 2437 | object-keys "^1.1.1" 2438 | 2439 | object.fromentries@^2.0.8: 2440 | version "2.0.8" 2441 | resolved "https://registry.npmjs.org/object.fromentries/-/object.fromentries-2.0.8.tgz" 2442 | integrity sha512-k6E21FzySsSK5a21KRADBd/NGneRegFO5pLHfdQLpRDETUNJueLXs3WCzyQ3tFRDYgbq3KHGXfTbi2bs8WQ6rQ== 2443 | dependencies: 2444 | call-bind "^1.0.7" 2445 | define-properties "^1.2.1" 2446 | es-abstract "^1.23.2" 2447 | es-object-atoms "^1.0.0" 2448 | 2449 | object.groupby@^1.0.3: 2450 | version "1.0.3" 2451 | resolved "https://registry.npmjs.org/object.groupby/-/object.groupby-1.0.3.tgz" 2452 | integrity sha512-+Lhy3TQTuzXI5hevh8sBGqbmurHbbIjAi0Z4S63nthVLmLxfbj4T54a4CfZrXIrt9iP4mVAPYMo/v99taj3wjQ== 2453 | dependencies: 2454 | call-bind "^1.0.7" 2455 | define-properties "^1.2.1" 2456 | es-abstract "^1.23.2" 2457 | 2458 | object.values@^1.2.0: 2459 | version "1.2.0" 2460 | resolved "https://registry.npmjs.org/object.values/-/object.values-1.2.0.tgz" 2461 | integrity sha512-yBYjY9QX2hnRmZHAjG/f13MzmBzxzYgQhFrke06TTyKY5zSTEqkOeukBzIdVA3j3ulu8Qa3MbVFShV7T2RmGtQ== 2462 | dependencies: 2463 | call-bind "^1.0.7" 2464 | define-properties "^1.2.1" 2465 | es-object-atoms "^1.0.0" 2466 | 2467 | once@^1.3.1, once@^1.4.0: 2468 | version "1.4.0" 2469 | resolved "https://registry.npmjs.org/once/-/once-1.4.0.tgz" 2470 | integrity sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w== 2471 | dependencies: 2472 | wrappy "1" 2473 | 2474 | onetime@^6.0.0: 2475 | version "6.0.0" 2476 | resolved "https://registry.npmjs.org/onetime/-/onetime-6.0.0.tgz" 2477 | integrity sha512-1FlR+gjXK7X+AsAHso35MnyN5KqGwJRi/31ft6x0M194ht7S+rWAvd7PHss9xSKMzE0asv1pyIHaJYq+BbacAQ== 2478 | dependencies: 2479 | mimic-fn "^4.0.0" 2480 | 2481 | openai@^4.76.0: 2482 | version "4.76.0" 2483 | resolved "https://registry.npmjs.org/openai/-/openai-4.76.0.tgz" 2484 | integrity sha512-QBGIetjX1C9xDp5XGa/3mPnfKI9BgAe2xHQX6PmO98wuW9qQaurBaumcYptQWc9LHZZq7cH/Y1Rjnsr6uUDdVw== 2485 | dependencies: 2486 | "@types/node" "^18.11.18" 2487 | "@types/node-fetch" "^2.6.4" 2488 | abort-controller "^3.0.0" 2489 | agentkeepalive "^4.2.1" 2490 | form-data-encoder "1.7.2" 2491 | formdata-node "^4.3.2" 2492 | node-fetch "^2.6.7" 2493 | 2494 | optionator@^0.9.3: 2495 | version "0.9.4" 2496 | resolved "https://registry.npmjs.org/optionator/-/optionator-0.9.4.tgz" 2497 | integrity sha512-6IpQ7mKUxRcZNLIObR0hz7lxsapSSIYNZJwXPGeF0mTVqGKFIXj1DQcMoT22S3ROcLyY/rz0PWaWZ9ayWmad9g== 2498 | dependencies: 2499 | deep-is "^0.1.3" 2500 | fast-levenshtein "^2.0.6" 2501 | levn "^0.4.1" 2502 | prelude-ls "^1.2.1" 2503 | type-check "^0.4.0" 2504 | word-wrap "^1.2.5" 2505 | 2506 | p-limit@^3.0.2: 2507 | version "3.1.0" 2508 | resolved "https://registry.npmjs.org/p-limit/-/p-limit-3.1.0.tgz" 2509 | integrity sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ== 2510 | dependencies: 2511 | yocto-queue "^0.1.0" 2512 | 2513 | p-locate@^5.0.0: 2514 | version "5.0.0" 2515 | resolved "https://registry.npmjs.org/p-locate/-/p-locate-5.0.0.tgz" 2516 | integrity sha512-LaNjtRWUBY++zB5nE/NwcaoMylSPk+S+ZHNB1TzdbMJMny6dynpAGt7X/tl/QYq3TIeE6nxHppbo2LGymrG5Pw== 2517 | dependencies: 2518 | p-limit "^3.0.2" 2519 | 2520 | parent-module@^1.0.0: 2521 | version "1.0.1" 2522 | resolved "https://registry.npmjs.org/parent-module/-/parent-module-1.0.1.tgz" 2523 | integrity sha512-GQ2EWRpQV8/o+Aw8YqtfZZPfNRWZYkbidE9k5rpl/hC3vtHHBfGm2Ifi6qWV+coDGkrUKZAxE3Lot5kcsRlh+g== 2524 | dependencies: 2525 | callsites "^3.0.0" 2526 | 2527 | parse-cache-control@^1.0.1: 2528 | version "1.0.1" 2529 | resolved "https://registry.npmjs.org/parse-cache-control/-/parse-cache-control-1.0.1.tgz" 2530 | integrity sha512-60zvsJReQPX5/QP0Kzfd/VrpjScIQ7SHBW6bFCYfEP+fp0Eppr1SHhIO5nd1PjZtvclzSzES9D/p5nFJurwfWg== 2531 | 2532 | parse-ms@^2.1.0: 2533 | version "2.1.0" 2534 | resolved "https://registry.npmjs.org/parse-ms/-/parse-ms-2.1.0.tgz" 2535 | integrity sha512-kHt7kzLoS9VBZfUsiKjv43mr91ea+U05EyKkEtqp7vNbHxmaVuEqN7XxeEVnGrMtYOAxGrDElSi96K7EgO1zCA== 2536 | 2537 | parse5-htmlparser2-tree-adapter@^7.0.0: 2538 | version "7.1.0" 2539 | resolved "https://registry.npmjs.org/parse5-htmlparser2-tree-adapter/-/parse5-htmlparser2-tree-adapter-7.1.0.tgz" 2540 | integrity sha512-ruw5xyKs6lrpo9x9rCZqZZnIUntICjQAd0Wsmp396Ul9lN/h+ifgVV1x1gZHi8euej6wTfpqX8j+BFQxF0NS/g== 2541 | dependencies: 2542 | domhandler "^5.0.3" 2543 | parse5 "^7.0.0" 2544 | 2545 | parse5-parser-stream@^7.1.2: 2546 | version "7.1.2" 2547 | resolved "https://registry.npmjs.org/parse5-parser-stream/-/parse5-parser-stream-7.1.2.tgz" 2548 | integrity sha512-JyeQc9iwFLn5TbvvqACIF/VXG6abODeB3Fwmv/TGdLk2LfbWkaySGY72at4+Ty7EkPZj854u4CrICqNk2qIbow== 2549 | dependencies: 2550 | parse5 "^7.0.0" 2551 | 2552 | parse5@^7.0.0, parse5@^7.1.2: 2553 | version "7.2.1" 2554 | resolved "https://registry.npmjs.org/parse5/-/parse5-7.2.1.tgz" 2555 | integrity sha512-BuBYQYlv1ckiPdQi/ohiivi9Sagc9JG+Ozs0r7b/0iK3sKmrb0b9FdWdBbOdx6hBCM/F9Ir82ofnBhtZOjCRPQ== 2556 | dependencies: 2557 | entities "^4.5.0" 2558 | 2559 | path-exists@^4.0.0: 2560 | version "4.0.0" 2561 | resolved "https://registry.npmjs.org/path-exists/-/path-exists-4.0.0.tgz" 2562 | integrity sha512-ak9Qy5Q7jYb2Wwcey5Fpvg2KoAc/ZIhLSLOSBmRmygPsGwkVVt0fZa0qrtMz+m6tJTAHfZQ8FnmB4MG4LWy7/w== 2563 | 2564 | path-key@^3.1.0: 2565 | version "3.1.1" 2566 | resolved "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz" 2567 | integrity sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q== 2568 | 2569 | path-key@^4.0.0: 2570 | version "4.0.0" 2571 | resolved "https://registry.npmjs.org/path-key/-/path-key-4.0.0.tgz" 2572 | integrity sha512-haREypq7xkM7ErfgIyA0z+Bj4AGKlMSdlQE2jvJo6huWD1EdkKYV+G/T4nq0YEF2vgTT8kqMFKo1uHn950r4SQ== 2573 | 2574 | path-parse@^1.0.7: 2575 | version "1.0.7" 2576 | resolved "https://registry.npmjs.org/path-parse/-/path-parse-1.0.7.tgz" 2577 | integrity sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw== 2578 | 2579 | picomatch@^2.0.4, picomatch@^2.2.1, picomatch@^2.3.1: 2580 | version "2.3.1" 2581 | resolved "https://registry.npmjs.org/picomatch/-/picomatch-2.3.1.tgz" 2582 | integrity sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA== 2583 | 2584 | possible-typed-array-names@^1.0.0: 2585 | version "1.0.0" 2586 | resolved "https://registry.npmjs.org/possible-typed-array-names/-/possible-typed-array-names-1.0.0.tgz" 2587 | integrity sha512-d7Uw+eZoloe0EHDIYoe+bQ5WXnGMOpmiZFTuMWCwpjzzkL2nTjcKiAk4hh8TjnGye2TwWOk3UXucZ+3rbmBa8Q== 2588 | 2589 | prelude-ls@^1.2.1: 2590 | version "1.2.1" 2591 | resolved "https://registry.npmjs.org/prelude-ls/-/prelude-ls-1.2.1.tgz" 2592 | integrity sha512-vkcDPrRZo1QZLbn5RLGPpg/WmIQ65qoWWhcGKf/b5eplkkarX0m9z8ppCat4mlOqUsWpyNuYgO3VRyrYHSzX5g== 2593 | 2594 | prettier-linter-helpers@^1.0.0: 2595 | version "1.0.0" 2596 | resolved "https://registry.npmjs.org/prettier-linter-helpers/-/prettier-linter-helpers-1.0.0.tgz" 2597 | integrity sha512-GbK2cP9nraSSUF9N2XwUwqfzlAFlMNYYl+ShE/V+H8a9uNl/oUqB1w2EL54Jh0OlyRSd8RfWYJ3coVS4TROP2w== 2598 | dependencies: 2599 | fast-diff "^1.1.2" 2600 | 2601 | prettier@^3.3.3, prettier@>=3.0.0: 2602 | version "3.4.1" 2603 | resolved "https://registry.npmjs.org/prettier/-/prettier-3.4.1.tgz" 2604 | integrity sha512-G+YdqtITVZmOJje6QkXQWzl3fSfMxFwm1tjTyo9exhkmWSqC4Yhd1+lug++IlR2mvRVAxEDDWYkQdeSztajqgg== 2605 | 2606 | pretty-ms@~7.0.1: 2607 | version "7.0.1" 2608 | resolved "https://registry.npmjs.org/pretty-ms/-/pretty-ms-7.0.1.tgz" 2609 | integrity sha512-973driJZvxiGOQ5ONsFhOF/DtzPMOMtgC11kCpUrPGMTgqp2q/1gwzCquocrN33is0VZ5GFHXZYMM9l6h67v2Q== 2610 | dependencies: 2611 | parse-ms "^2.1.0" 2612 | 2613 | progress@^2.0.3: 2614 | version "2.0.3" 2615 | resolved "https://registry.npmjs.org/progress/-/progress-2.0.3.tgz" 2616 | integrity sha512-7PiHtLll5LdnKIMw100I+8xJXR5gW2QwWYkT6iJva0bXitZKa/XMrSbdmg3r2Xnaidz9Qumd0VPaMrZlF9V9sA== 2617 | 2618 | proto3-json-serializer@^2.0.2: 2619 | version "2.0.2" 2620 | resolved "https://registry.npmjs.org/proto3-json-serializer/-/proto3-json-serializer-2.0.2.tgz" 2621 | integrity sha512-SAzp/O4Yh02jGdRc+uIrGoe87dkN/XtwxfZ4ZyafJHymd79ozp5VG5nyZ7ygqPM5+cpLDjjGnYFUkngonyDPOQ== 2622 | dependencies: 2623 | protobufjs "^7.2.5" 2624 | 2625 | protobufjs@^7.2.5, protobufjs@^7.3.2: 2626 | version "7.4.0" 2627 | resolved "https://registry.npmjs.org/protobufjs/-/protobufjs-7.4.0.tgz" 2628 | integrity sha512-mRUWCc3KUU4w1jU8sGxICXH/gNS94DvI1gxqDvBzhj1JpcsimQkYiOJfwsPUykUI5ZaspFbSgmBLER8IrQ3tqw== 2629 | dependencies: 2630 | "@protobufjs/aspromise" "^1.1.2" 2631 | "@protobufjs/base64" "^1.1.2" 2632 | "@protobufjs/codegen" "^2.0.4" 2633 | "@protobufjs/eventemitter" "^1.1.0" 2634 | "@protobufjs/fetch" "^1.1.0" 2635 | "@protobufjs/float" "^1.0.2" 2636 | "@protobufjs/inquire" "^1.1.0" 2637 | "@protobufjs/path" "^1.1.2" 2638 | "@protobufjs/pool" "^1.1.0" 2639 | "@protobufjs/utf8" "^1.1.0" 2640 | "@types/node" ">=13.7.0" 2641 | long "^5.0.0" 2642 | 2643 | proxy-from-env@^1.1.0: 2644 | version "1.1.0" 2645 | resolved "https://registry.npmjs.org/proxy-from-env/-/proxy-from-env-1.1.0.tgz" 2646 | integrity sha512-D+zkORCbA9f1tdWRK0RaCR3GPv50cMxcrz4X8k5LTSUD1Dkw47mKJEZQNunItRTkWwgtaUSo1RVFRIG9ZXiFYg== 2647 | 2648 | psl@^1.1.33: 2649 | version "1.15.0" 2650 | resolved "https://registry.npmjs.org/psl/-/psl-1.15.0.tgz" 2651 | integrity sha512-JZd3gMVBAVQkSs6HdNZo9Sdo0LNcQeMNP3CozBJb3JYC/QUYZTnKxP+f8oWRX4rHP5EurWxqAHTSwUCjlNKa1w== 2652 | dependencies: 2653 | punycode "^2.3.1" 2654 | 2655 | pstree.remy@^1.1.8: 2656 | version "1.1.8" 2657 | resolved "https://registry.npmjs.org/pstree.remy/-/pstree.remy-1.1.8.tgz" 2658 | integrity sha512-77DZwxQmxKnu3aR542U+X8FypNzbfJ+C5XQDk3uWjWxn6151aIMGthWYRXTqT1E5oJvg+ljaa2OJi+VfvCOQ8w== 2659 | 2660 | pump@^3.0.0: 2661 | version "3.0.2" 2662 | resolved "https://registry.npmjs.org/pump/-/pump-3.0.2.tgz" 2663 | integrity sha512-tUPXtzlGM8FE3P0ZL6DVs/3P58k9nk8/jZeQCurTJylQA8qFYzHFfhBJkuqyE0FifOsQ0uKWekiZ5g8wtr28cw== 2664 | dependencies: 2665 | end-of-stream "^1.1.0" 2666 | once "^1.3.1" 2667 | 2668 | pumpify@^2.0.0: 2669 | version "2.0.1" 2670 | resolved "https://registry.npmjs.org/pumpify/-/pumpify-2.0.1.tgz" 2671 | integrity sha512-m7KOje7jZxrmutanlkS1daj1dS6z6BgslzOXmcSEpIlCxM3VJH7lG5QLeck/6hgF6F4crFf01UtQmNsJfweTAw== 2672 | dependencies: 2673 | duplexify "^4.1.1" 2674 | inherits "^2.0.3" 2675 | pump "^3.0.0" 2676 | 2677 | punycode@^2.1.0, punycode@^2.1.1, punycode@^2.3.1: 2678 | version "2.3.1" 2679 | resolved "https://registry.npmjs.org/punycode/-/punycode-2.3.1.tgz" 2680 | integrity sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg== 2681 | 2682 | querystringify@^2.1.1: 2683 | version "2.2.0" 2684 | resolved "https://registry.npmjs.org/querystringify/-/querystringify-2.2.0.tgz" 2685 | integrity sha512-FIqgj2EUvTa7R50u0rGsyTftzjYmv/a3hO345bZNrqabNqjtgiDMgmo4mkUjd+nzU5oF3dClKqFIPUKybUyqoQ== 2686 | 2687 | queue-microtask@^1.2.2: 2688 | version "1.2.3" 2689 | resolved "https://registry.npmjs.org/queue-microtask/-/queue-microtask-1.2.3.tgz" 2690 | integrity sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A== 2691 | 2692 | readable-stream@^3.0.2, readable-stream@^3.1.1: 2693 | version "3.6.2" 2694 | resolved "https://registry.npmjs.org/readable-stream/-/readable-stream-3.6.2.tgz" 2695 | integrity sha512-9u/sniCrY3D5WdsERHzHE4G2YCXqoG5FTHUiCC4SIbr6XcLZBY05ya9EKjYek9O5xOAwjGq+1JdGBAS7Q9ScoA== 2696 | dependencies: 2697 | inherits "^2.0.3" 2698 | string_decoder "^1.1.1" 2699 | util-deprecate "^1.0.1" 2700 | 2701 | readdirp@~3.6.0: 2702 | version "3.6.0" 2703 | resolved "https://registry.npmjs.org/readdirp/-/readdirp-3.6.0.tgz" 2704 | integrity sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA== 2705 | dependencies: 2706 | picomatch "^2.2.1" 2707 | 2708 | reflect.getprototypeof@^1.0.6: 2709 | version "1.0.7" 2710 | resolved "https://registry.npmjs.org/reflect.getprototypeof/-/reflect.getprototypeof-1.0.7.tgz" 2711 | integrity sha512-bMvFGIUKlc/eSfXNX+aZ+EL95/EgZzuwA0OBPTbZZDEJw/0AkentjMuM1oiRfwHrshqk4RzdgiTg5CcDalXN5g== 2712 | dependencies: 2713 | call-bind "^1.0.7" 2714 | define-properties "^1.2.1" 2715 | es-abstract "^1.23.5" 2716 | es-errors "^1.3.0" 2717 | get-intrinsic "^1.2.4" 2718 | gopd "^1.0.1" 2719 | which-builtin-type "^1.1.4" 2720 | 2721 | regexp.prototype.flags@^1.5.3: 2722 | version "1.5.3" 2723 | resolved "https://registry.npmjs.org/regexp.prototype.flags/-/regexp.prototype.flags-1.5.3.tgz" 2724 | integrity sha512-vqlC04+RQoFalODCbCumG2xIOvapzVMHwsyIGM/SIE8fRhFFsXeH8/QQ+s0T0kDAhKc4k30s73/0ydkHQz6HlQ== 2725 | dependencies: 2726 | call-bind "^1.0.7" 2727 | define-properties "^1.2.1" 2728 | es-errors "^1.3.0" 2729 | set-function-name "^2.0.2" 2730 | 2731 | require-directory@^2.1.1: 2732 | version "2.1.1" 2733 | resolved "https://registry.npmjs.org/require-directory/-/require-directory-2.1.1.tgz" 2734 | integrity sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q== 2735 | 2736 | requires-port@^1.0.0: 2737 | version "1.0.0" 2738 | resolved "https://registry.npmjs.org/requires-port/-/requires-port-1.0.0.tgz" 2739 | integrity sha512-KigOCHcocU3XODJxsu8i/j8T9tzT4adHiecwORRQ0ZZFcp7ahwXuRU1m+yuO90C5ZUyGeGfocHDI14M3L3yDAQ== 2740 | 2741 | resolve-from@^4.0.0: 2742 | version "4.0.0" 2743 | resolved "https://registry.npmjs.org/resolve-from/-/resolve-from-4.0.0.tgz" 2744 | integrity sha512-pb/MYmXstAkysRFx8piNI1tGFNQIFA3vkE3Gq4EuA1dF6gHp/+vgZqsCGJapvy8N3Q+4o7FwvquPJcnZ7RYy4g== 2745 | 2746 | resolve@^1.22.4: 2747 | version "1.22.8" 2748 | resolved "https://registry.npmjs.org/resolve/-/resolve-1.22.8.tgz" 2749 | integrity sha512-oKWePCxqpd6FlLvGV1VU0x7bkPmmCNolxzjMf4NczoDnQcIWrAF+cPtZn5i6n+RfD2d9i0tzpKnG6Yk168yIyw== 2750 | dependencies: 2751 | is-core-module "^2.13.0" 2752 | path-parse "^1.0.7" 2753 | supports-preserve-symlinks-flag "^1.0.0" 2754 | 2755 | retry-request@^7.0.0: 2756 | version "7.0.2" 2757 | resolved "https://registry.npmjs.org/retry-request/-/retry-request-7.0.2.tgz" 2758 | integrity sha512-dUOvLMJ0/JJYEn8NrpOaGNE7X3vpI5XlZS/u0ANjqtcZVKnIxP7IgCFwrKTxENw29emmwug53awKtaMm4i9g5w== 2759 | dependencies: 2760 | "@types/request" "^2.48.8" 2761 | extend "^3.0.2" 2762 | teeny-request "^9.0.0" 2763 | 2764 | reusify@^1.0.4: 2765 | version "1.0.4" 2766 | resolved "https://registry.npmjs.org/reusify/-/reusify-1.0.4.tgz" 2767 | integrity sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw== 2768 | 2769 | run-parallel@^1.1.9: 2770 | version "1.2.0" 2771 | resolved "https://registry.npmjs.org/run-parallel/-/run-parallel-1.2.0.tgz" 2772 | integrity sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA== 2773 | dependencies: 2774 | queue-microtask "^1.2.2" 2775 | 2776 | safe-array-concat@^1.1.2: 2777 | version "1.1.2" 2778 | resolved "https://registry.npmjs.org/safe-array-concat/-/safe-array-concat-1.1.2.tgz" 2779 | integrity sha512-vj6RsCsWBCf19jIeHEfkRMw8DPiBb+DMXklQ/1SGDHOMlHdPUkZXFQ2YdplS23zESTijAcurb1aSgJA3AgMu1Q== 2780 | dependencies: 2781 | call-bind "^1.0.7" 2782 | get-intrinsic "^1.2.4" 2783 | has-symbols "^1.0.3" 2784 | isarray "^2.0.5" 2785 | 2786 | safe-buffer@^5.0.1, safe-buffer@^5.2.1, safe-buffer@~5.2.0: 2787 | version "5.2.1" 2788 | resolved "https://registry.npmjs.org/safe-buffer/-/safe-buffer-5.2.1.tgz" 2789 | integrity sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ== 2790 | 2791 | safe-regex-test@^1.0.3: 2792 | version "1.0.3" 2793 | resolved "https://registry.npmjs.org/safe-regex-test/-/safe-regex-test-1.0.3.tgz" 2794 | integrity sha512-CdASjNJPvRa7roO6Ra/gLYBTzYzzPyyBXxIMdGW3USQLyjWEls2RgW5UBTXaQVp+OrpeCK3bLem8smtmheoRuw== 2795 | dependencies: 2796 | call-bind "^1.0.6" 2797 | es-errors "^1.3.0" 2798 | is-regex "^1.1.4" 2799 | 2800 | "safer-buffer@>= 2.1.2 < 3.0.0": 2801 | version "2.1.2" 2802 | resolved "https://registry.npmjs.org/safer-buffer/-/safer-buffer-2.1.2.tgz" 2803 | integrity sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg== 2804 | 2805 | sax@^1.2.4, sax@^1.4.1: 2806 | version "1.4.1" 2807 | resolved "https://registry.npmjs.org/sax/-/sax-1.4.1.tgz" 2808 | integrity sha512-+aWOz7yVScEGoKNd4PA10LZ8sk0A/z5+nXQG5giUO5rprX9jgYsTdov9qCchZiPIZezbZH+jRut8nPodFAX4Jg== 2809 | 2810 | semver-regex@^4.0.5: 2811 | version "4.0.5" 2812 | resolved "https://registry.npmjs.org/semver-regex/-/semver-regex-4.0.5.tgz" 2813 | integrity sha512-hunMQrEy1T6Jr2uEVjrAIqjwWcQTgOAcIM52C8MY1EZSD3DDNft04XzvYKPqjED65bNVVko0YI38nYeEHCX3yw== 2814 | 2815 | semver-truncate@^3.0.0: 2816 | version "3.0.0" 2817 | resolved "https://registry.npmjs.org/semver-truncate/-/semver-truncate-3.0.0.tgz" 2818 | integrity sha512-LJWA9kSvMolR51oDE6PN3kALBNaUdkxzAGcexw8gjMA8xr5zUqK0JiR3CgARSqanYF3Z1YHvsErb1KDgh+v7Rg== 2819 | dependencies: 2820 | semver "^7.3.5" 2821 | 2822 | semver@^6.3.1: 2823 | version "6.3.1" 2824 | resolved "https://registry.npmjs.org/semver/-/semver-6.3.1.tgz" 2825 | integrity sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA== 2826 | 2827 | semver@^7.3.5, semver@^7.5.3, semver@^7.6.0: 2828 | version "7.6.3" 2829 | resolved "https://registry.npmjs.org/semver/-/semver-7.6.3.tgz" 2830 | integrity sha512-oVekP1cKtI+CTDvHWYFUcMtsK/00wmAEfyqKfNdARm8u1wNVhSgaX7A8d4UuIlUI5e84iEwOhs7ZPYRmzU9U6A== 2831 | 2832 | set-function-length@^1.2.1: 2833 | version "1.2.2" 2834 | resolved "https://registry.npmjs.org/set-function-length/-/set-function-length-1.2.2.tgz" 2835 | integrity sha512-pgRc4hJ4/sNjWCSS9AmnS40x3bNMDTknHgL5UaMBTMyJnU90EgWh1Rz+MC9eFu4BuN/UwZjKQuY/1v3rM7HMfg== 2836 | dependencies: 2837 | define-data-property "^1.1.4" 2838 | es-errors "^1.3.0" 2839 | function-bind "^1.1.2" 2840 | get-intrinsic "^1.2.4" 2841 | gopd "^1.0.1" 2842 | has-property-descriptors "^1.0.2" 2843 | 2844 | set-function-name@^2.0.2: 2845 | version "2.0.2" 2846 | resolved "https://registry.npmjs.org/set-function-name/-/set-function-name-2.0.2.tgz" 2847 | integrity sha512-7PGFlmtwsEADb0WYyvCMa1t+yke6daIG4Wirafur5kcf+MhUnPms1UeR0CKQdTZD81yESwMHbtn+TR+dMviakQ== 2848 | dependencies: 2849 | define-data-property "^1.1.4" 2850 | es-errors "^1.3.0" 2851 | functions-have-names "^1.2.3" 2852 | has-property-descriptors "^1.0.2" 2853 | 2854 | shebang-command@^2.0.0: 2855 | version "2.0.0" 2856 | resolved "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz" 2857 | integrity sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA== 2858 | dependencies: 2859 | shebang-regex "^3.0.0" 2860 | 2861 | shebang-regex@^3.0.0: 2862 | version "3.0.0" 2863 | resolved "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz" 2864 | integrity sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A== 2865 | 2866 | side-channel@^1.0.4: 2867 | version "1.0.6" 2868 | resolved "https://registry.npmjs.org/side-channel/-/side-channel-1.0.6.tgz" 2869 | integrity sha512-fDW/EZ6Q9RiO8eFG8Hj+7u/oW+XrPTIChwCOM2+th2A6OblDtYYIpve9m+KvI9Z4C9qSEXlaGR6bTEYHReuglA== 2870 | dependencies: 2871 | call-bind "^1.0.7" 2872 | es-errors "^1.3.0" 2873 | get-intrinsic "^1.2.4" 2874 | object-inspect "^1.13.1" 2875 | 2876 | signal-exit@^4.1.0: 2877 | version "4.1.0" 2878 | resolved "https://registry.npmjs.org/signal-exit/-/signal-exit-4.1.0.tgz" 2879 | integrity sha512-bzyZ1e88w9O1iNJbKnOlvYTrWPDl46O1bG0D3XInv+9tkPrxrN8jUUTiFlDkkmKWgn1M6CfIA13SuGqOa9Korw== 2880 | 2881 | simple-update-notifier@^2.0.0: 2882 | version "2.0.0" 2883 | resolved "https://registry.npmjs.org/simple-update-notifier/-/simple-update-notifier-2.0.0.tgz" 2884 | integrity sha512-a2B9Y0KlNXl9u/vsW6sTIu9vGEpfKu2wRV6l1H3XEas/0gUIzGzBoP/IouTcUQbm9JWZLH3COxyn03TYlFax6w== 2885 | dependencies: 2886 | semver "^7.5.3" 2887 | 2888 | stream-events@^1.0.4, stream-events@^1.0.5: 2889 | version "1.0.5" 2890 | resolved "https://registry.npmjs.org/stream-events/-/stream-events-1.0.5.tgz" 2891 | integrity sha512-E1GUzBSgvct8Jsb3v2X15pjzN1tYebtbLaMg+eBOUOAxgbLoSbT2NS91ckc5lJD1KfLjId+jXJRgo0qnV5Nerg== 2892 | dependencies: 2893 | stubs "^3.0.0" 2894 | 2895 | stream-shift@^1.0.2: 2896 | version "1.0.3" 2897 | resolved "https://registry.npmjs.org/stream-shift/-/stream-shift-1.0.3.tgz" 2898 | integrity sha512-76ORR0DO1o1hlKwTbi/DM3EXWGf3ZJYO8cXX5RJwnul2DEg2oyoZyjLNoQM8WsvZiFKCRfC1O0J7iCvie3RZmQ== 2899 | 2900 | string_decoder@^1.1.1: 2901 | version "1.3.0" 2902 | resolved "https://registry.npmjs.org/string_decoder/-/string_decoder-1.3.0.tgz" 2903 | integrity sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA== 2904 | dependencies: 2905 | safe-buffer "~5.2.0" 2906 | 2907 | string-width@^4.1.0, string-width@^4.2.0, string-width@^4.2.3: 2908 | version "4.2.3" 2909 | resolved "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz" 2910 | integrity sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g== 2911 | dependencies: 2912 | emoji-regex "^8.0.0" 2913 | is-fullwidth-code-point "^3.0.0" 2914 | strip-ansi "^6.0.1" 2915 | 2916 | string.prototype.trim@^1.2.9: 2917 | version "1.2.9" 2918 | resolved "https://registry.npmjs.org/string.prototype.trim/-/string.prototype.trim-1.2.9.tgz" 2919 | integrity sha512-klHuCNxiMZ8MlsOihJhJEBJAiMVqU3Z2nEXWfWnIqjN0gEFS9J9+IxKozWWtQGcgoa1WUZzLjKPTr4ZHNFTFxw== 2920 | dependencies: 2921 | call-bind "^1.0.7" 2922 | define-properties "^1.2.1" 2923 | es-abstract "^1.23.0" 2924 | es-object-atoms "^1.0.0" 2925 | 2926 | string.prototype.trimend@^1.0.8: 2927 | version "1.0.8" 2928 | resolved "https://registry.npmjs.org/string.prototype.trimend/-/string.prototype.trimend-1.0.8.tgz" 2929 | integrity sha512-p73uL5VCHCO2BZZ6krwwQE3kCzM7NKmis8S//xEC6fQonchbum4eP6kR4DLEjQFO3Wnj3Fuo8NM0kOSjVdHjZQ== 2930 | dependencies: 2931 | call-bind "^1.0.7" 2932 | define-properties "^1.2.1" 2933 | es-object-atoms "^1.0.0" 2934 | 2935 | string.prototype.trimstart@^1.0.8: 2936 | version "1.0.8" 2937 | resolved "https://registry.npmjs.org/string.prototype.trimstart/-/string.prototype.trimstart-1.0.8.tgz" 2938 | integrity sha512-UXSH262CSZY1tfu3G3Secr6uGLCFVPMhIqHjlgCUtCCcgihYc/xKs9djMTMUOb2j1mVSeU8EU6NWc/iQKU6Gfg== 2939 | dependencies: 2940 | call-bind "^1.0.7" 2941 | define-properties "^1.2.1" 2942 | es-object-atoms "^1.0.0" 2943 | 2944 | strip-ansi@^6.0.0, strip-ansi@^6.0.1: 2945 | version "6.0.1" 2946 | resolved "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz" 2947 | integrity sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A== 2948 | dependencies: 2949 | ansi-regex "^5.0.1" 2950 | 2951 | strip-bom@^3.0.0: 2952 | version "3.0.0" 2953 | resolved "https://registry.npmjs.org/strip-bom/-/strip-bom-3.0.0.tgz" 2954 | integrity sha512-vavAMRXOgBVNF6nyEEmL3DBK19iRpDcoIwW+swQ+CbGiu7lju6t+JklA1MHweoWtadgt4ISVUsXLyDq34ddcwA== 2955 | 2956 | strip-final-newline@^3.0.0: 2957 | version "3.0.0" 2958 | resolved "https://registry.npmjs.org/strip-final-newline/-/strip-final-newline-3.0.0.tgz" 2959 | integrity sha512-dOESqjYr96iWYylGObzd39EuNTa5VJxyvVAEm5Jnh7KGo75V43Hk1odPQkNDyXNmUR6k+gEiDVXnjB8HJ3crXw== 2960 | 2961 | strip-json-comments@^3.1.1: 2962 | version "3.1.1" 2963 | resolved "https://registry.npmjs.org/strip-json-comments/-/strip-json-comments-3.1.1.tgz" 2964 | integrity sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig== 2965 | 2966 | stubs@^3.0.0: 2967 | version "3.0.0" 2968 | resolved "https://registry.npmjs.org/stubs/-/stubs-3.0.0.tgz" 2969 | integrity sha512-PdHt7hHUJKxvTCgbKX9C1V/ftOcjJQgz8BZwNfV5c4B6dcGqlpelTbJ999jBGZ2jYiPAwcX5dP6oBwVlBlUbxw== 2970 | 2971 | super-regex@^1.0.0: 2972 | version "1.0.0" 2973 | resolved "https://registry.npmjs.org/super-regex/-/super-regex-1.0.0.tgz" 2974 | integrity sha512-CY8u7DtbvucKuquCmOFEKhr9Besln7n9uN8eFbwcoGYWXOMW07u2o8njWaiXt11ylS3qoGF55pILjRmPlbodyg== 2975 | dependencies: 2976 | function-timeout "^1.0.1" 2977 | time-span "^5.1.0" 2978 | 2979 | supports-color@^5.5.0: 2980 | version "5.5.0" 2981 | resolved "https://registry.npmjs.org/supports-color/-/supports-color-5.5.0.tgz" 2982 | integrity sha512-QjVjwdXIt408MIiAqCX4oUKsgU2EqAGzs2Ppkm4aQYbjm+ZEWEcW4SfFNTr4uMNZma0ey4f5lgLrkB0aX0QMow== 2983 | dependencies: 2984 | has-flag "^3.0.0" 2985 | 2986 | supports-color@^7.1.0: 2987 | version "7.2.0" 2988 | resolved "https://registry.npmjs.org/supports-color/-/supports-color-7.2.0.tgz" 2989 | integrity sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw== 2990 | dependencies: 2991 | has-flag "^4.0.0" 2992 | 2993 | supports-preserve-symlinks-flag@^1.0.0: 2994 | version "1.0.0" 2995 | resolved "https://registry.npmjs.org/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz" 2996 | integrity sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w== 2997 | 2998 | synckit@^0.9.1: 2999 | version "0.9.2" 3000 | resolved "https://registry.npmjs.org/synckit/-/synckit-0.9.2.tgz" 3001 | integrity sha512-vrozgXDQwYO72vHjUb/HnFbQx1exDjoKzqx23aXEg2a9VIg2TSFZ8FmeZpTjUCFMYw7mpX4BE2SFu8wI7asYsw== 3002 | dependencies: 3003 | "@pkgr/core" "^0.1.0" 3004 | tslib "^2.6.2" 3005 | 3006 | teeny-request@^9.0.0: 3007 | version "9.0.0" 3008 | resolved "https://registry.npmjs.org/teeny-request/-/teeny-request-9.0.0.tgz" 3009 | integrity sha512-resvxdc6Mgb7YEThw6G6bExlXKkv6+YbuzGg9xuXxSgxJF7Ozs+o8Y9+2R3sArdWdW8nOokoQb1yrpFB0pQK2g== 3010 | dependencies: 3011 | http-proxy-agent "^5.0.0" 3012 | https-proxy-agent "^5.0.0" 3013 | node-fetch "^2.6.9" 3014 | stream-events "^1.0.5" 3015 | uuid "^9.0.0" 3016 | 3017 | tiktoken@^1.0.17: 3018 | version "1.0.17" 3019 | resolved "https://registry.npmjs.org/tiktoken/-/tiktoken-1.0.17.tgz" 3020 | integrity sha512-UuFHqpy/DxOfNiC3otsqbx3oS6jr5uKdQhB/CvDEroZQbVHt+qAK+4JbIooabUWKU9g6PpsFylNu9Wcg4MxSGA== 3021 | 3022 | time-span@^5.1.0: 3023 | version "5.1.0" 3024 | resolved "https://registry.npmjs.org/time-span/-/time-span-5.1.0.tgz" 3025 | integrity sha512-75voc/9G4rDIJleOo4jPvN4/YC4GRZrY8yy1uU4lwrB3XEQbWve8zXoO5No4eFrGcTAMYyoY67p8jRQdtA1HbA== 3026 | dependencies: 3027 | convert-hrtime "^5.0.0" 3028 | 3029 | timers-ext@^0.1.7: 3030 | version "0.1.8" 3031 | resolved "https://registry.npmjs.org/timers-ext/-/timers-ext-0.1.8.tgz" 3032 | integrity sha512-wFH7+SEAcKfJpfLPkrgMPvvwnEtj8W4IurvEyrKsDleXnKLCDw71w8jltvfLa8Rm4qQxxT4jmDBYbJG/z7qoww== 3033 | dependencies: 3034 | es5-ext "^0.10.64" 3035 | next-tick "^1.1.0" 3036 | 3037 | tinyspawn@~1.3.1: 3038 | version "1.3.3" 3039 | resolved "https://registry.npmjs.org/tinyspawn/-/tinyspawn-1.3.3.tgz" 3040 | integrity sha512-CvvMFgecnQMyg59nOnAD5O4lV83cVj2ooDniJ3j2bYvMajqlK4wQ13k6OUHfA+J5nkInTxbSGJv2olUJIiAtJg== 3041 | 3042 | to-regex-range@^5.0.1: 3043 | version "5.0.1" 3044 | resolved "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz" 3045 | integrity sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ== 3046 | dependencies: 3047 | is-number "^7.0.0" 3048 | 3049 | touch@^3.1.0: 3050 | version "3.1.1" 3051 | resolved "https://registry.npmjs.org/touch/-/touch-3.1.1.tgz" 3052 | integrity sha512-r0eojU4bI8MnHr8c5bNo7lJDdI2qXlWWJk6a9EAFG7vbhTjElYhBVS3/miuE0uOuoLdb8Mc/rVfsmm6eo5o9GA== 3053 | 3054 | "tough-cookie@^4.0.0 || ^5.0.0", tough-cookie@^4.1.4: 3055 | version "4.1.4" 3056 | resolved "https://registry.npmjs.org/tough-cookie/-/tough-cookie-4.1.4.tgz" 3057 | integrity sha512-Loo5UUvLD9ScZ6jh8beX1T6sO1w2/MpCRpEP7V280GKMVUQ0Jzar2U3UJPsrdbziLEMMhu3Ujnq//rhiFuIeag== 3058 | dependencies: 3059 | psl "^1.1.33" 3060 | punycode "^2.1.1" 3061 | universalify "^0.2.0" 3062 | url-parse "^1.5.3" 3063 | 3064 | tr46@~0.0.3: 3065 | version "0.0.3" 3066 | resolved "https://registry.npmjs.org/tr46/-/tr46-0.0.3.tgz" 3067 | integrity sha512-N3WMsuqV66lT30CrXNbEjx4GEwlow3v6rr4mCcv6prnfwhS01rkgyFdjPNBYd9br7LpXV1+Emh01fHnq2Gdgrw== 3068 | 3069 | ts-api-utils@^1.3.0: 3070 | version "1.4.3" 3071 | resolved "https://registry.npmjs.org/ts-api-utils/-/ts-api-utils-1.4.3.tgz" 3072 | integrity sha512-i3eMG77UTMD0hZhgRS562pv83RC6ukSAC2GMNWc+9dieh/+jDM5u5YG+NHX6VNDRHQcHwmsTHctP9LhbC3WxVw== 3073 | 3074 | ts-node@^10.9.2: 3075 | version "10.9.2" 3076 | resolved "https://registry.npmjs.org/ts-node/-/ts-node-10.9.2.tgz" 3077 | integrity sha512-f0FFpIdcHgn8zcPSbf1dRevwt047YMnaiJM3u2w2RewrB+fob/zePZcrOyQoLMMO7aBIddLcQIEK5dYjkLnGrQ== 3078 | dependencies: 3079 | "@cspotcode/source-map-support" "^0.8.0" 3080 | "@tsconfig/node10" "^1.0.7" 3081 | "@tsconfig/node12" "^1.0.7" 3082 | "@tsconfig/node14" "^1.0.0" 3083 | "@tsconfig/node16" "^1.0.2" 3084 | acorn "^8.4.1" 3085 | acorn-walk "^8.1.1" 3086 | arg "^4.1.0" 3087 | create-require "^1.1.0" 3088 | diff "^4.0.1" 3089 | make-error "^1.1.1" 3090 | v8-compile-cache-lib "^3.0.1" 3091 | yn "3.1.1" 3092 | 3093 | tsconfig-paths@^3.15.0: 3094 | version "3.15.0" 3095 | resolved "https://registry.npmjs.org/tsconfig-paths/-/tsconfig-paths-3.15.0.tgz" 3096 | integrity sha512-2Ac2RgzDe/cn48GvOe3M+o82pEFewD3UPbyoUHHdKasHwJKjds4fLXWf/Ux5kATBKN20oaFGu+jbElp1pos0mg== 3097 | dependencies: 3098 | "@types/json5" "^0.0.29" 3099 | json5 "^1.0.2" 3100 | minimist "^1.2.6" 3101 | strip-bom "^3.0.0" 3102 | 3103 | tslib@^2.6.2: 3104 | version "2.8.1" 3105 | resolved "https://registry.npmjs.org/tslib/-/tslib-2.8.1.tgz" 3106 | integrity sha512-oJFu94HQb+KVduSUQL7wnpmqnfmLsOA/nAh6b6EH0wCEoK0/mPeXU6c3wKDV83MkOuHPRHtSXKKU99IBazS/2w== 3107 | 3108 | type-check@^0.4.0, type-check@~0.4.0: 3109 | version "0.4.0" 3110 | resolved "https://registry.npmjs.org/type-check/-/type-check-0.4.0.tgz" 3111 | integrity sha512-XleUoc9uwGXqjWwXaUTZAmzMcFZ5858QA2vvx1Ur5xIcixXIP+8LnFDgRplU30us6teqdlskFfu+ae4K79Ooew== 3112 | dependencies: 3113 | prelude-ls "^1.2.1" 3114 | 3115 | type@^2.7.2: 3116 | version "2.7.3" 3117 | resolved "https://registry.npmjs.org/type/-/type-2.7.3.tgz" 3118 | integrity sha512-8j+1QmAbPvLZow5Qpi6NCaN8FB60p/6x8/vfNqOk/hC+HuvFZhL4+WfekuhQLiqFZXOgQdrs3B+XxEmCc6b3FQ== 3119 | 3120 | typed-array-buffer@^1.0.2: 3121 | version "1.0.2" 3122 | resolved "https://registry.npmjs.org/typed-array-buffer/-/typed-array-buffer-1.0.2.tgz" 3123 | integrity sha512-gEymJYKZtKXzzBzM4jqa9w6Q1Jjm7x2d+sh19AdsD4wqnMPDYyvwpsIc2Q/835kHuo3BEQ7CjelGhfTsoBb2MQ== 3124 | dependencies: 3125 | call-bind "^1.0.7" 3126 | es-errors "^1.3.0" 3127 | is-typed-array "^1.1.13" 3128 | 3129 | typed-array-byte-length@^1.0.1: 3130 | version "1.0.1" 3131 | resolved "https://registry.npmjs.org/typed-array-byte-length/-/typed-array-byte-length-1.0.1.tgz" 3132 | integrity sha512-3iMJ9q0ao7WE9tWcaYKIptkNBuOIcZCCT0d4MRvuuH88fEoEH62IuQe0OtraD3ebQEoTRk8XCBoknUNc1Y67pw== 3133 | dependencies: 3134 | call-bind "^1.0.7" 3135 | for-each "^0.3.3" 3136 | gopd "^1.0.1" 3137 | has-proto "^1.0.3" 3138 | is-typed-array "^1.1.13" 3139 | 3140 | typed-array-byte-offset@^1.0.2: 3141 | version "1.0.3" 3142 | resolved "https://registry.npmjs.org/typed-array-byte-offset/-/typed-array-byte-offset-1.0.3.tgz" 3143 | integrity sha512-GsvTyUHTriq6o/bHcTd0vM7OQ9JEdlvluu9YISaA7+KzDzPaIzEeDFNkTfhdE3MYcNhNi0vq/LlegYgIs5yPAw== 3144 | dependencies: 3145 | available-typed-arrays "^1.0.7" 3146 | call-bind "^1.0.7" 3147 | for-each "^0.3.3" 3148 | gopd "^1.0.1" 3149 | has-proto "^1.0.3" 3150 | is-typed-array "^1.1.13" 3151 | reflect.getprototypeof "^1.0.6" 3152 | 3153 | typed-array-length@^1.0.6: 3154 | version "1.0.7" 3155 | resolved "https://registry.npmjs.org/typed-array-length/-/typed-array-length-1.0.7.tgz" 3156 | integrity sha512-3KS2b+kL7fsuk/eJZ7EQdnEmQoaho/r6KUef7hxvltNA5DR8NAUM+8wJMbJyZ4G9/7i3v5zPBIMN5aybAh2/Jg== 3157 | dependencies: 3158 | call-bind "^1.0.7" 3159 | for-each "^0.3.3" 3160 | gopd "^1.0.1" 3161 | is-typed-array "^1.1.13" 3162 | possible-typed-array-names "^1.0.0" 3163 | reflect.getprototypeof "^1.0.6" 3164 | 3165 | typedarray@^0.0.6: 3166 | version "0.0.6" 3167 | resolved "https://registry.npmjs.org/typedarray/-/typedarray-0.0.6.tgz" 3168 | integrity sha512-/aCDEGatGvZ2BIk+HmLf4ifCJFwvKFNb9/JeZPMulfgFracn9QFcAf5GO8B/mweUjSoblS5In0cWhqpfs/5PQA== 3169 | 3170 | typescript@^5.6.3, typescript@>=2.7, typescript@>=4.2.0: 3171 | version "5.7.2" 3172 | resolved "https://registry.npmjs.org/typescript/-/typescript-5.7.2.tgz" 3173 | integrity sha512-i5t66RHxDvVN40HfDd1PsEThGNnlMCMT3jMUuoh9/0TaqWevNontacunWyN02LA9/fIbEWlcHZcgTKb9QoaLfg== 3174 | 3175 | unbox-primitive@^1.0.2: 3176 | version "1.0.2" 3177 | resolved "https://registry.npmjs.org/unbox-primitive/-/unbox-primitive-1.0.2.tgz" 3178 | integrity sha512-61pPlCD9h51VoreyJ0BReideM3MDKMKnh6+V9L08331ipq6Q8OFXZYiqP6n/tbHx4s5I9uRhcye6BrbkizkBDw== 3179 | dependencies: 3180 | call-bind "^1.0.2" 3181 | has-bigints "^1.0.2" 3182 | has-symbols "^1.0.3" 3183 | which-boxed-primitive "^1.0.2" 3184 | 3185 | undefsafe@^2.0.5: 3186 | version "2.0.5" 3187 | resolved "https://registry.npmjs.org/undefsafe/-/undefsafe-2.0.5.tgz" 3188 | integrity sha512-WxONCrssBM8TSPRqN5EmsjVrsv4A8X12J4ArBiiayv3DyyG3ZlIg6yysuuSYdZsVz3TKcTg2fd//Ujd4CHV1iA== 3189 | 3190 | undici-types@~5.26.4: 3191 | version "5.26.5" 3192 | resolved "https://registry.npmjs.org/undici-types/-/undici-types-5.26.5.tgz" 3193 | integrity sha512-JlCMO+ehdEIKqlFxk6IfVoAUVmgz7cU7zD/h9XZ0qzeosSHmUJVOzSQvvYSYWXkFXC+IfLKSIffhv0sVZup6pA== 3194 | 3195 | undici-types@~6.20.0: 3196 | version "6.20.0" 3197 | resolved "https://registry.npmjs.org/undici-types/-/undici-types-6.20.0.tgz" 3198 | integrity sha512-Ny6QZ2Nju20vw1SRHe3d9jVu6gJ+4e3+MMpqu7pqE5HT6WsTSlce++GQmK5UXS8mzV8DSYHrQH+Xrf2jVcuKNg== 3199 | 3200 | "undici@^5.11.0 || ^6.0.0", undici@^6.19.5, undici@five: 3201 | version "6.21.0" 3202 | resolved "https://registry.npmjs.org/undici/-/undici-6.21.0.tgz" 3203 | integrity sha512-BUgJXc752Kou3oOIuU1i+yZZypyZRqNPW0vqoMPl8VaoalSfeR0D8/t4iAS3yirs79SSMTxTag+ZC86uswv+Cw== 3204 | 3205 | universalify@^0.2.0: 3206 | version "0.2.0" 3207 | resolved "https://registry.npmjs.org/universalify/-/universalify-0.2.0.tgz" 3208 | integrity sha512-CJ1QgKmNg3CwvAv/kOFmtnEN05f0D/cn9QntgNOQlQF9dgvVTHj3t+8JPdjqawCHk7V/KA+fbUqzZ9XWhcqPUg== 3209 | 3210 | uri-js@^4.2.2: 3211 | version "4.4.1" 3212 | resolved "https://registry.npmjs.org/uri-js/-/uri-js-4.4.1.tgz" 3213 | integrity sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg== 3214 | dependencies: 3215 | punycode "^2.1.0" 3216 | 3217 | url-parse@^1.5.3: 3218 | version "1.5.10" 3219 | resolved "https://registry.npmjs.org/url-parse/-/url-parse-1.5.10.tgz" 3220 | integrity sha512-WypcfiRhfeUP9vvF0j6rw0J3hrWrw6iZv3+22h6iRMJ/8z1Tj6XfLP4DsUix5MhMPnXpiHDoKyoZ/bdCkwBCiQ== 3221 | dependencies: 3222 | querystringify "^2.1.1" 3223 | requires-port "^1.0.0" 3224 | 3225 | util-deprecate@^1.0.1: 3226 | version "1.0.2" 3227 | resolved "https://registry.npmjs.org/util-deprecate/-/util-deprecate-1.0.2.tgz" 3228 | integrity sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw== 3229 | 3230 | uuid@^9.0.0, uuid@^9.0.1: 3231 | version "9.0.1" 3232 | resolved "https://registry.npmjs.org/uuid/-/uuid-9.0.1.tgz" 3233 | integrity sha512-b+1eJOlsR9K8HJpow9Ok3fiWOWSIcIzXodvv0rQjVoOVNpWMpxf1wZNpt4y9h10odCNrqnYp1OBzRktckBe3sA== 3234 | 3235 | v8-compile-cache-lib@^3.0.1: 3236 | version "3.0.1" 3237 | resolved "https://registry.npmjs.org/v8-compile-cache-lib/-/v8-compile-cache-lib-3.0.1.tgz" 3238 | integrity sha512-wa7YjyUGfNZngI/vtK0UHAN+lgDCxBPCylVXGp0zu59Fz5aiGtNXaq3DhIov063MorB+VfufLh3JlF2KdTK3xg== 3239 | 3240 | web-streams-polyfill@4.0.0-beta.3: 3241 | version "4.0.0-beta.3" 3242 | resolved "https://registry.npmjs.org/web-streams-polyfill/-/web-streams-polyfill-4.0.0-beta.3.tgz" 3243 | integrity sha512-QW95TCTaHmsYfHDybGMwO5IJIM93I/6vTRk+daHTWFPhwh+C8Cg7j7XyKrwrj8Ib6vYXe0ocYNrmzY4xAAN6ug== 3244 | 3245 | webidl-conversions@^3.0.0: 3246 | version "3.0.1" 3247 | resolved "https://registry.npmjs.org/webidl-conversions/-/webidl-conversions-3.0.1.tgz" 3248 | integrity sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ== 3249 | 3250 | whatwg-encoding@^3.1.1: 3251 | version "3.1.1" 3252 | resolved "https://registry.npmjs.org/whatwg-encoding/-/whatwg-encoding-3.1.1.tgz" 3253 | integrity sha512-6qN4hJdMwfYBtE3YBTTHhoeuUrDBPZmbQaxWAqSALV/MeEnR5z1xd8UKud2RAkFoPkmB+hli1TZSnyi84xz1vQ== 3254 | dependencies: 3255 | iconv-lite "0.6.3" 3256 | 3257 | whatwg-mimetype@^4.0.0: 3258 | version "4.0.0" 3259 | resolved "https://registry.npmjs.org/whatwg-mimetype/-/whatwg-mimetype-4.0.0.tgz" 3260 | integrity sha512-QaKxh0eNIi2mE9p2vEdzfagOKHCcj1pJ56EEHGQOVxp8r9/iszLUUV7v89x9O1p/T+NlTM5W7jW6+cz4Fq1YVg== 3261 | 3262 | whatwg-url@^5.0.0: 3263 | version "5.0.0" 3264 | resolved "https://registry.npmjs.org/whatwg-url/-/whatwg-url-5.0.0.tgz" 3265 | integrity sha512-saE57nupxk6v3HY35+jzBwYa0rKSy0XR8JSxZPwgLr7ys0IBzhGviA1/TUGJLmSVqs8pb9AnvICXEuOHLprYTw== 3266 | dependencies: 3267 | tr46 "~0.0.3" 3268 | webidl-conversions "^3.0.0" 3269 | 3270 | which-boxed-primitive@^1.0.2: 3271 | version "1.0.2" 3272 | resolved "https://registry.npmjs.org/which-boxed-primitive/-/which-boxed-primitive-1.0.2.tgz" 3273 | integrity sha512-bwZdv0AKLpplFY2KZRX6TvyuN7ojjr7lwkg6ml0roIy9YeuSr7JS372qlNW18UQYzgYK9ziGcerWqZOmEn9VNg== 3274 | dependencies: 3275 | is-bigint "^1.0.1" 3276 | is-boolean-object "^1.1.0" 3277 | is-number-object "^1.0.4" 3278 | is-string "^1.0.5" 3279 | is-symbol "^1.0.3" 3280 | 3281 | which-builtin-type@^1.1.4: 3282 | version "1.2.0" 3283 | resolved "https://registry.npmjs.org/which-builtin-type/-/which-builtin-type-1.2.0.tgz" 3284 | integrity sha512-I+qLGQ/vucCby4tf5HsLmGueEla4ZhwTBSqaooS+Y0BuxN4Cp+okmGuV+8mXZ84KDI9BA+oklo+RzKg0ONdSUA== 3285 | dependencies: 3286 | call-bind "^1.0.7" 3287 | function.prototype.name "^1.1.6" 3288 | has-tostringtag "^1.0.2" 3289 | is-async-function "^2.0.0" 3290 | is-date-object "^1.0.5" 3291 | is-finalizationregistry "^1.1.0" 3292 | is-generator-function "^1.0.10" 3293 | is-regex "^1.1.4" 3294 | is-weakref "^1.0.2" 3295 | isarray "^2.0.5" 3296 | which-boxed-primitive "^1.0.2" 3297 | which-collection "^1.0.2" 3298 | which-typed-array "^1.1.15" 3299 | 3300 | which-collection@^1.0.2: 3301 | version "1.0.2" 3302 | resolved "https://registry.npmjs.org/which-collection/-/which-collection-1.0.2.tgz" 3303 | integrity sha512-K4jVyjnBdgvc86Y6BkaLZEN933SwYOuBFkdmBu9ZfkcAbdVbpITnDmjvZ/aQjRXQrv5EPkTnD1s39GiiqbngCw== 3304 | dependencies: 3305 | is-map "^2.0.3" 3306 | is-set "^2.0.3" 3307 | is-weakmap "^2.0.2" 3308 | is-weakset "^2.0.3" 3309 | 3310 | which-typed-array@^1.1.14, which-typed-array@^1.1.15: 3311 | version "1.1.16" 3312 | resolved "https://registry.npmjs.org/which-typed-array/-/which-typed-array-1.1.16.tgz" 3313 | integrity sha512-g+N+GAWiRj66DngFwHvISJd+ITsyphZvD1vChfVg6cEdnzy53GzB3oy0fUNlvhz7H7+MiqhYr26qxQShCpKTTQ== 3314 | dependencies: 3315 | available-typed-arrays "^1.0.7" 3316 | call-bind "^1.0.7" 3317 | for-each "^0.3.3" 3318 | gopd "^1.0.1" 3319 | has-tostringtag "^1.0.2" 3320 | 3321 | which@^1.1.1: 3322 | version "1.3.1" 3323 | resolved "https://registry.npmjs.org/which/-/which-1.3.1.tgz" 3324 | integrity sha512-HxJdYWq1MTIQbJ3nw0cqssHoTNU267KlrDuGZ1WYlxDStUtKUhOaJmh112/TZmHxxUfuJqPXSOm7tDyas0OSIQ== 3325 | dependencies: 3326 | isexe "^2.0.0" 3327 | 3328 | which@^2.0.1: 3329 | version "2.0.2" 3330 | resolved "https://registry.npmjs.org/which/-/which-2.0.2.tgz" 3331 | integrity sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA== 3332 | dependencies: 3333 | isexe "^2.0.0" 3334 | 3335 | word-wrap@^1.2.5: 3336 | version "1.2.5" 3337 | resolved "https://registry.npmjs.org/word-wrap/-/word-wrap-1.2.5.tgz" 3338 | integrity sha512-BN22B5eaMMI9UMtjrGd5g5eCYPpCPDUy0FJXbYsaT5zYxjFOckS53SQDE3pWkVoWpHXVb3BrYcEN4Twa55B5cA== 3339 | 3340 | wrap-ansi@^7.0.0: 3341 | version "7.0.0" 3342 | resolved "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-7.0.0.tgz" 3343 | integrity sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q== 3344 | dependencies: 3345 | ansi-styles "^4.0.0" 3346 | string-width "^4.1.0" 3347 | strip-ansi "^6.0.0" 3348 | 3349 | wrappy@1: 3350 | version "1.0.2" 3351 | resolved "https://registry.npmjs.org/wrappy/-/wrappy-1.0.2.tgz" 3352 | integrity sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ== 3353 | 3354 | ws@^8.17.0: 3355 | version "8.18.0" 3356 | resolved "https://registry.npmjs.org/ws/-/ws-8.18.0.tgz" 3357 | integrity sha512-8VbfWfHLbbwu3+N6OKsOMpBdT4kXPDDB9cJk2bJ6mh9ucxdlnNvH1e+roYkKmN9Nxw2yjz7VzeO9oOz2zJ04Pw== 3358 | 3359 | y18n@^5.0.5: 3360 | version "5.0.8" 3361 | resolved "https://registry.npmjs.org/y18n/-/y18n-5.0.8.tgz" 3362 | integrity sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA== 3363 | 3364 | yargs-parser@^21.1.1: 3365 | version "21.1.1" 3366 | resolved "https://registry.npmjs.org/yargs-parser/-/yargs-parser-21.1.1.tgz" 3367 | integrity sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw== 3368 | 3369 | yargs@^17.7.2: 3370 | version "17.7.2" 3371 | resolved "https://registry.npmjs.org/yargs/-/yargs-17.7.2.tgz" 3372 | integrity sha512-7dSzzRQ++CKnNI/krKnYRV7JKKPUXMEh61soaHKg9mrWEhzFWhFnxPxGl+69cD1Ou63C13NUPCnmIcrvqCuM6w== 3373 | dependencies: 3374 | cliui "^8.0.1" 3375 | escalade "^3.1.1" 3376 | get-caller-file "^2.0.5" 3377 | require-directory "^2.1.1" 3378 | string-width "^4.2.3" 3379 | y18n "^5.0.5" 3380 | yargs-parser "^21.1.1" 3381 | 3382 | yn@3.1.1: 3383 | version "3.1.1" 3384 | resolved "https://registry.npmjs.org/yn/-/yn-3.1.1.tgz" 3385 | integrity sha512-Ux4ygGWsu2c7isFWe8Yu1YluJmqVhxqK2cLXNQA5AcC3QfbGNpM7fu0Y8b/z16pXLnFxZYvWhd3fhBY9DLmC6Q== 3386 | 3387 | yocto-queue@^0.1.0: 3388 | version "0.1.0" 3389 | resolved "https://registry.npmjs.org/yocto-queue/-/yocto-queue-0.1.0.tgz" 3390 | integrity sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q== 3391 | 3392 | youtube-dl-exec@^3.0.12: 3393 | version "3.0.12" 3394 | resolved "https://registry.npmjs.org/youtube-dl-exec/-/youtube-dl-exec-3.0.12.tgz" 3395 | integrity sha512-CG7d0Z2RVLZhJ2IVNAauY2BtOvakd/fJq+WiZchFcaShpaQAYcajZxOZYHLej3QjiU/Exx2kR5XBUtPDtbzLwg== 3396 | dependencies: 3397 | bin-version-check "~6.0.0" 3398 | dargs "~7.0.0" 3399 | debug-logfmt "~1.2.2" 3400 | is-unix "~2.0.10" 3401 | tinyspawn "~1.3.1" 3402 | 3403 | youtube-sr@^4.3.11: 3404 | version "4.3.11" 3405 | resolved "https://registry.npmjs.org/youtube-sr/-/youtube-sr-4.3.11.tgz" 3406 | integrity sha512-3oHiS2x7PpMiDRW7Cq8nz1bkAIBOJHoOwkPl/oncM/+A9/3xxMDgMLGW2dsBEP1DHFyRXYTVABgfbdwHF8sXXQ== 3407 | --------------------------------------------------------------------------------