├── .env.local.example ├── .gitignore ├── LICENSE ├── README.md ├── app ├── api │ ├── convert │ │ ├── route.ts │ │ └── status │ │ │ └── route.ts │ └── projects │ │ ├── [projectId] │ │ └── route.ts │ │ └── route.ts ├── convert │ └── [projectId] │ │ └── page.tsx ├── dashboard │ └── page.tsx ├── globals.css ├── layout.tsx ├── lib │ ├── conversion-pipeline.ts │ ├── git-utils.ts │ └── vercel-api.ts └── page.tsx ├── debug-git-repo.js ├── package-lock.json ├── package.json ├── postcss.config.js ├── server ├── app-paths-manifest.json ├── interception-route-rewrite-manifest.js ├── middleware-manifest.json ├── pages-manifest.json └── server-reference-manifest.js ├── tailwind.config.js ├── tsconfig.json └── types └── package.json /.env.local.example: -------------------------------------------------------------------------------- 1 | # Vercel OAuth Credentials 2 | VERCEL_CLIENT_ID= 3 | VERCEL_CLIENT_SECRET= 4 | VERCEL_REDIRECT_URI=http://localhost:3000/api/auth/callback 5 | 6 | # Next.js Auth 7 | NEXTAUTH_URL=http://localhost:3000 8 | NEXTAUTH_SECRET=your-secret-key 9 | 10 | # Vercel API Token 11 | # Obtain this from https://vercel.com/account/tokens 12 | VERCEL_API_TOKEN=your_api_token_here 13 | 14 | # App Settings 15 | LOCAL_STORAGE_PATH=./tmp/projects -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | # Dependencies 2 | node_modules/ 3 | .pnp 4 | .pnp.js 5 | 6 | # Testing 7 | /coverage 8 | 9 | # Next.js 10 | /.next/ 11 | /out/ 12 | next-env.d.ts 13 | 14 | # Production 15 | /build 16 | 17 | # Environment variables 18 | .env 19 | .env.* 20 | !.env.example 21 | !.env.local.example 22 | 23 | # Vercel 24 | .vercel 25 | 26 | # Debug 27 | npm-debug.log* 28 | yarn-debug.log* 29 | yarn-error.log* 30 | 31 | # Local files 32 | .DS_Store 33 | *.pem 34 | tmp/ 35 | 36 | # Editor directories and files 37 | .idea/ 38 | .vscode/* 39 | !.vscode/extensions.json 40 | !.vscode/settings.json 41 | *.suo 42 | *.ntvs* 43 | *.njsproj 44 | *.sln 45 | *.sw? 46 | 47 | # Cache 48 | .eslintcache 49 | .stylelintcache 50 | 51 | # Server manifests with sensitive keys 52 | server/server-reference-manifest.json -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | MIT License 2 | 3 | Copyright (c) 2025 ygwyg 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 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # Diverce 2 | 3 | A tool for converting Next.js projects from Vercel to Cloudflare. 4 | 5 | ## What it does 6 | 7 | Diverce helps you migrate your Next.js projects from Vercel to Cloudflare by: 8 | 9 | - Converting your project to use `@opennextjs/cloudflare` 10 | - Creating/updating `wrangler.jsonc` configuration 11 | - Removing any references to `@cloudflare/next-on-pages` or edge runtime 12 | - Updating `package.json` scripts for Cloudflare deployment 13 | - Adding necessary configuration files 14 | 15 | ## Prerequisites 16 | 17 | - Node.js 18+ 18 | - A Vercel account with Next.js projects 19 | - A Cloudflare account 20 | 21 | ## Setup 22 | 23 | 1. Clone this repository: 24 | ```bash 25 | git clone https://github.com/ygwyg/diverce.git 26 | cd diverce 27 | ``` 28 | 29 | 2. Install dependencies: 30 | ```bash 31 | npm install 32 | ``` 33 | 34 | 3. Set up your Vercel API token: 35 | ```bash 36 | cp .env.local.example .env.local 37 | ``` 38 | Then edit `.env.local` and add your Vercel API token, which you can create at https://vercel.com/account/tokens 39 | 40 | 4. Start the development server: 41 | ```bash 42 | npm run dev 43 | ``` 44 | 45 | 5. Visit http://localhost:3000 to use the app 46 | 47 | ## Usage 48 | 49 | 1. Visit the dashboard to see your Vercel Next.js projects 50 | 2. Select the project you want to convert 51 | 3. Configure conversion options: 52 | - Enable KV Cache (optional) 53 | - Create a new branch (recommended) 54 | - Commit and push changes (optional) 55 | 4. Start the conversion process 56 | 5. Follow the logs to monitor progress 57 | 6. Once completed, follow the instructions to deploy to Cloudflare 58 | 59 | ## Development 60 | 61 | - `npm run dev` - Start the development server 62 | - `npm run build` - Build the application for production 63 | - `npm start` - Start the production server 64 | 65 | ## License 66 | 67 | MIT -------------------------------------------------------------------------------- /app/api/convert/route.ts: -------------------------------------------------------------------------------- 1 | import { NextRequest, NextResponse } from 'next/server'; 2 | import path from 'path'; 3 | import { getDefaultVercelClient } from '../../lib/vercel-api'; 4 | import { cloneRepository, createBranch, commitAndPush } from '../../lib/git-utils'; 5 | import { ConversionPipeline, ConversionResult } from '../../lib/conversion-pipeline'; 6 | 7 | // Define global store for conversion status 8 | declare global { 9 | var conversionStore: Record; 16 | } 17 | 18 | // Initialize the global store if not exists 19 | if (!global.conversionStore) { 20 | global.conversionStore = {}; 21 | } 22 | 23 | export async function POST(request: NextRequest) { 24 | try { 25 | const body = await request.json(); 26 | const { projectId, options } = body; 27 | 28 | if (!projectId) { 29 | return NextResponse.json( 30 | { error: 'Project ID is required' }, 31 | { status: 400 } 32 | ); 33 | } 34 | 35 | // Create an object to track conversion status 36 | global.conversionStore[projectId] = { 37 | status: 'cloning', 38 | logs: ['Initializing conversion process...'], 39 | }; 40 | 41 | // Start the conversion process in the background 42 | startConversion(projectId, options); 43 | 44 | return NextResponse.json({ 45 | success: true, 46 | message: 'Conversion process started', 47 | }); 48 | } catch (error) { 49 | console.error('Error starting conversion:', error); 50 | return NextResponse.json( 51 | { error: 'Failed to start conversion process' }, 52 | { status: 500 } 53 | ); 54 | } 55 | } 56 | 57 | // Add a safer error handling utility 58 | function safelyUpdateConversionStatus(projectId: string, status: 'cloning' | 'converting' | 'success' | 'failed', message: string, error?: any) { 59 | if (!global.conversionStore[projectId]) { 60 | global.conversionStore[projectId] = { 61 | status: 'idle', 62 | logs: [], 63 | }; 64 | } 65 | 66 | // Update the status and message 67 | global.conversionStore[projectId].status = status; 68 | global.conversionStore[projectId].message = message; 69 | 70 | // Add to logs 71 | global.conversionStore[projectId].logs.push(message); 72 | 73 | // Log any errors 74 | if (error) { 75 | console.error(`Conversion error for ${projectId}:`, error); 76 | const errorMsg = error instanceof Error ? error.message : String(error); 77 | global.conversionStore[projectId].logs.push(`Error details: ${errorMsg}`); 78 | global.conversionStore[projectId].error = errorMsg; 79 | } 80 | } 81 | 82 | async function startConversion( 83 | projectId: string, 84 | options: any 85 | ) { 86 | try { 87 | // Get project details from Vercel 88 | const client = getDefaultVercelClient(); 89 | const project = await client.getProject(projectId); 90 | 91 | // Check for Git repository information in either gitRepository or link field 92 | const hasGitRepository = !!project.gitRepository; 93 | const hasLinkRepository = !!project.link && project.link.type === 'github'; 94 | 95 | // Create gitRepository field from link if necessary 96 | if (!hasGitRepository && hasLinkRepository && project.link) { 97 | project.gitRepository = { 98 | type: project.link.type, 99 | repo: `${project.link.org}/${project.link.repo}`, 100 | url: `https://github.com/${project.link.org}/${project.link.repo}`, 101 | defaultBranch: project.link.productionBranch 102 | }; 103 | global.conversionStore[projectId].logs.push(`Detected Git repository from link field: ${project.link.org}/${project.link.repo}`); 104 | } 105 | 106 | if (!project.gitRepository) { 107 | safelyUpdateConversionStatus( 108 | projectId, 109 | 'failed', 110 | 'No git repository found for this project', 111 | new Error('Project doesn\'t have a connected Git repository') 112 | ); 113 | return; 114 | } 115 | 116 | // Update status 117 | global.conversionStore[projectId].logs.push(`Fetching project details for ${project.name}...`); 118 | global.conversionStore[projectId].logs.push(`Repository: ${project.gitRepository.repo}`); 119 | 120 | // Clone the repository 121 | const storagePath = process.env.LOCAL_STORAGE_PATH || './tmp/projects'; 122 | // Vercel uses url for the git repository URL 123 | const repoUrl = project.gitRepository.url; 124 | const defaultBranch = project.gitRepository.defaultBranch; 125 | 126 | // Add detailed logging 127 | console.log('Repository URL details:'); 128 | console.log('Raw URL from Vercel API:', repoUrl); 129 | console.log('URL type:', typeof repoUrl); 130 | console.log('Default branch:', defaultBranch); 131 | 132 | // Format URL for GitHub if needed 133 | let formattedRepoUrl = repoUrl; 134 | if (project.gitRepository.type === 'github' && !repoUrl.startsWith('https://') && !repoUrl.startsWith('git@')) { 135 | formattedRepoUrl = `https://github.com/${project.gitRepository.repo}.git`; 136 | console.log('Formatted GitHub URL:', formattedRepoUrl); 137 | global.conversionStore[projectId].logs.push(`Using formatted GitHub URL: ${formattedRepoUrl}`); 138 | } 139 | 140 | global.conversionStore[projectId].logs.push(`Cloning repository from ${formattedRepoUrl}...`); 141 | const cloneResult = await cloneRepository({ 142 | repoUrl: formattedRepoUrl, 143 | projectId, 144 | branch: defaultBranch, 145 | storagePath, 146 | }); 147 | 148 | if (!cloneResult.success) { 149 | safelyUpdateConversionStatus( 150 | projectId, 151 | 'failed', 152 | `Failed to clone repository: ${cloneResult.message}`, 153 | cloneResult.error 154 | ); 155 | return; 156 | } 157 | 158 | global.conversionStore[projectId].logs.push(cloneResult.message); 159 | global.conversionStore[projectId].status = 'converting'; 160 | 161 | // Create a new branch if requested 162 | const projectPath = cloneResult.path; 163 | if (options.createBranch && options.branchName) { 164 | global.conversionStore[projectId].logs.push(`Creating branch: ${options.branchName}...`); 165 | const branchCreated = await createBranch(projectPath, options.branchName); 166 | 167 | if (!branchCreated) { 168 | global.conversionStore[projectId].logs.push(`Warning: Failed to create branch ${options.branchName}. Continuing on current branch.`); 169 | } else { 170 | global.conversionStore[projectId].logs.push(`Created branch: ${options.branchName}`); 171 | } 172 | } 173 | 174 | // Run the conversion pipeline 175 | global.conversionStore[projectId].logs.push('Starting conversion pipeline...'); 176 | const pipeline = new ConversionPipeline({ 177 | projectPath, 178 | projectName: project.name, 179 | enableKVCache: options.enableKVCache, 180 | kvNamespaceId: options.kvNamespaceId, 181 | }); 182 | 183 | const result = await pipeline.run(); 184 | global.conversionStore[projectId].logs.push(...result.logs); 185 | 186 | // Commit and push if requested 187 | if (result.success && options.commitAndPush) { 188 | global.conversionStore[projectId].logs.push('Committing and pushing changes...'); 189 | const commitResult = await commitAndPush(projectPath, 'Convert to @opennextjs/cloudflare'); 190 | 191 | if (commitResult) { 192 | global.conversionStore[projectId].logs.push('Changes committed and pushed successfully'); 193 | } else { 194 | global.conversionStore[projectId].logs.push('Warning: Failed to commit and push changes'); 195 | } 196 | } 197 | 198 | // Update final status 199 | global.conversionStore[projectId].status = result.success ? 'success' : 'failed'; 200 | global.conversionStore[projectId].message = result.message; 201 | global.conversionStore[projectId].result = result; 202 | } catch (error) { 203 | const errorMessage = error instanceof Error ? error.message : 'Unknown error'; 204 | console.error(`Error during conversion of project ${projectId}:`, error); 205 | 206 | safelyUpdateConversionStatus( 207 | projectId, 208 | 'failed', 209 | `Conversion process failed unexpectedly: ${errorMessage}`, 210 | error 211 | ); 212 | } 213 | } -------------------------------------------------------------------------------- /app/api/convert/status/route.ts: -------------------------------------------------------------------------------- 1 | import { NextRequest, NextResponse } from 'next/server'; 2 | 3 | // Access the global store from parent 4 | declare global { 5 | var conversionStore: Record; 10 | } 11 | 12 | // If not available globally, define it here 13 | if (!global.conversionStore) { 14 | global.conversionStore = {}; 15 | } 16 | 17 | export async function GET(request: NextRequest) { 18 | // Set headers for SSE 19 | const headers = { 20 | 'Content-Type': 'text/event-stream', 21 | 'Cache-Control': 'no-cache, no-transform', 22 | 'Connection': 'keep-alive', 23 | }; 24 | 25 | const searchParams = request.nextUrl.searchParams; 26 | const projectId = searchParams.get('projectId'); 27 | 28 | if (!projectId) { 29 | return NextResponse.json( 30 | { error: 'Project ID is required' }, 31 | { status: 400 } 32 | ); 33 | } 34 | 35 | const encoder = new TextEncoder(); 36 | 37 | const stream = new ReadableStream({ 38 | start(controller) { 39 | // Function to send updates 40 | const sendUpdate = () => { 41 | const status = global.conversionStore[projectId] || { 42 | status: 'cloning', 43 | logs: ['Waiting for conversion to start...'], 44 | }; 45 | 46 | const data = `data: ${JSON.stringify(status)}\n\n`; 47 | controller.enqueue(encoder.encode(data)); 48 | 49 | // Continue sending updates until conversion is complete 50 | if (status.status !== 'success' && status.status !== 'failed') { 51 | setTimeout(sendUpdate, 1000); 52 | } else { 53 | controller.close(); 54 | } 55 | }; 56 | 57 | // Start sending updates 58 | sendUpdate(); 59 | }, 60 | }); 61 | 62 | return new Response(stream, { headers }); 63 | } -------------------------------------------------------------------------------- /app/api/projects/[projectId]/route.ts: -------------------------------------------------------------------------------- 1 | import { NextRequest, NextResponse } from 'next/server'; 2 | import { getDefaultVercelClient } from '@/app/lib/vercel-api'; 3 | 4 | // Define a more flexible project type to handle any keys 5 | interface VercelProject { 6 | id: string; 7 | name: string; 8 | framework?: string; 9 | gitRepository?: { 10 | type: string; 11 | repo: string; 12 | url: string; 13 | defaultBranch: string; 14 | }; 15 | link?: { 16 | type: string; 17 | repo: string; 18 | repoId: number; 19 | org: string; 20 | gitCredentialId: string; 21 | productionBranch: string; 22 | createdAt: number; 23 | updatedAt: number; 24 | deployHooks: any[]; 25 | }; 26 | [key: string]: any; // Allow any other properties 27 | } 28 | 29 | export async function GET( 30 | request: NextRequest, 31 | { params }: { params: { projectId: string } } 32 | ) { 33 | try { 34 | const vercelApiClient = getDefaultVercelClient(); 35 | 36 | console.log(`Fetching project details for: ${params.projectId}`); 37 | const project = await vercelApiClient.getProject(params.projectId) as VercelProject; 38 | 39 | console.log('Project data received:'); 40 | console.log('- Project ID:', project.id); 41 | console.log('- Project Name:', project.name); 42 | console.log('- Framework:', project.framework); 43 | 44 | // Check for Git repository information from either gitRepository or link field 45 | const hasGitRepository = !!project.gitRepository; 46 | const hasLinkRepository = !!project.link && project.link.type === 'github'; 47 | 48 | if (hasGitRepository && project.gitRepository) { 49 | console.log('Git Repository found in gitRepository field:'); 50 | console.log('- Type:', project.gitRepository.type); 51 | console.log('- Repository:', project.gitRepository.repo); 52 | console.log('- URL:', project.gitRepository.url); 53 | console.log('- Default Branch:', project.gitRepository.defaultBranch); 54 | } else if (hasLinkRepository && project.link) { 55 | console.log('Git Repository found in link field:'); 56 | console.log('- Type:', project.link.type); 57 | console.log('- Organization:', project.link.org); 58 | console.log('- Repository:', project.link.repo); 59 | console.log('- Production Branch:', project.link.productionBranch); 60 | 61 | // Create a gitRepository field with the data from link 62 | project.gitRepository = { 63 | type: project.link.type, 64 | repo: `${project.link.org}/${project.link.repo}`, 65 | url: `https://github.com/${project.link.org}/${project.link.repo}`, 66 | defaultBranch: project.link.productionBranch 67 | }; 68 | 69 | console.log('Created gitRepository field from link data:'); 70 | console.log(JSON.stringify(project.gitRepository, null, 2)); 71 | } else { 72 | console.log('No Git Repository found in project data'); 73 | console.log('Full project data for debugging:'); 74 | console.log(JSON.stringify(project, null, 2)); 75 | 76 | // Check if there are any other repository-related fields 77 | const repoKeys = Object.keys(project).filter(key => 78 | key.toLowerCase().includes('git') || key.toLowerCase().includes('repo') 79 | ); 80 | 81 | if (repoKeys.length > 0) { 82 | console.log('Found potential repository-related fields:'); 83 | repoKeys.forEach(key => { 84 | console.log(`- ${key}:`, project[key]); 85 | }); 86 | } 87 | } 88 | 89 | const environment = request.nextUrl.searchParams.get('environment') || 'development'; 90 | console.log(`Fetching environment variables for environment: ${environment}`); 91 | const environmentVariables = await vercelApiClient.getProjectEnvVars(params.projectId); 92 | 93 | return NextResponse.json({ 94 | project, 95 | environmentVariables 96 | }); 97 | } catch (error) { 98 | console.error('Error fetching project details:', error); 99 | return NextResponse.json( 100 | { error: 'Failed to fetch project details' }, 101 | { status: 500 } 102 | ); 103 | } 104 | } -------------------------------------------------------------------------------- /app/api/projects/route.ts: -------------------------------------------------------------------------------- 1 | import { NextRequest, NextResponse } from 'next/server'; 2 | import { getDefaultVercelClient } from '../../lib/vercel-api'; 3 | import axios from 'axios'; 4 | 5 | export async function GET(request: NextRequest) { 6 | try { 7 | console.log('Fetching projects using API token...'); 8 | const client = getDefaultVercelClient(); 9 | 10 | console.log('Making request to Vercel API...'); 11 | const projects = await client.getProjects(); 12 | 13 | console.log(`Successfully fetched ${projects?.length || 0} projects`); 14 | 15 | // Filter for Next.js projects 16 | const nextJsProjects = projects?.filter(project => 17 | project?.framework === 'nextjs' || 18 | project?.framework?.toLowerCase?.()?.includes?.('next') 19 | ) || []; 20 | 21 | console.log(`Found ${nextJsProjects.length} Next.js projects`); 22 | 23 | return NextResponse.json({ projects: nextJsProjects }); 24 | } catch (error) { 25 | console.error('Error fetching Vercel projects:', error); 26 | 27 | // Extract more detailed error information 28 | let errorMessage = 'Failed to fetch projects'; 29 | let statusCode = 500; 30 | 31 | if (error instanceof Error) { 32 | errorMessage = error.message; 33 | 34 | // Check if it's an Axios error 35 | if (axios.isAxiosError(error) && error.response) { 36 | statusCode = error.response.status; 37 | errorMessage = `Vercel API Error (${statusCode}): ${ 38 | JSON.stringify(error.response.data) || errorMessage 39 | }`; 40 | } 41 | } 42 | 43 | console.error(`Returning error response: ${errorMessage}`); 44 | 45 | return NextResponse.json( 46 | { error: errorMessage }, 47 | { status: statusCode } 48 | ); 49 | } 50 | } -------------------------------------------------------------------------------- /app/convert/[projectId]/page.tsx: -------------------------------------------------------------------------------- 1 | 'use client'; 2 | 3 | import { useState, useEffect, useRef } from 'react'; 4 | import { useParams, useRouter } from 'next/navigation'; 5 | import Link from 'next/link'; 6 | 7 | interface ProjectDetails { 8 | id: string; 9 | name: string; 10 | framework: string; 11 | gitRepository?: { 12 | type: string; 13 | repo: string; 14 | url: string; 15 | defaultBranch: string; 16 | }; 17 | link?: { 18 | type: string; 19 | repo: string; 20 | repoId: number; 21 | org: string; 22 | gitCredentialId: string; 23 | productionBranch: string; 24 | createdAt: number; 25 | updatedAt: number; 26 | deployHooks: any[]; 27 | }; 28 | [key: string]: any; // To allow for any other fields 29 | } 30 | 31 | interface ConversionOptions { 32 | enableKVCache: boolean; 33 | kvNamespaceId: string; 34 | createBranch: boolean; 35 | branchName: string; 36 | commitAndPush: boolean; 37 | } 38 | 39 | interface ConversionStatus { 40 | status: 'idle' | 'cloning' | 'converting' | 'success' | 'failed'; 41 | logs: string[]; 42 | message?: string; 43 | } 44 | 45 | export default function ConvertProject() { 46 | const params = useParams(); 47 | const router = useRouter(); 48 | const projectId = params.projectId as string; 49 | const logsEndRef = useRef(null); 50 | 51 | const [project, setProject] = useState(null); 52 | const [loading, setLoading] = useState(true); 53 | const [error, setError] = useState(null); 54 | const [debugMode, setDebugMode] = useState(false); 55 | 56 | const [options, setOptions] = useState({ 57 | enableKVCache: false, 58 | kvNamespaceId: '', 59 | createBranch: true, 60 | branchName: 'cloudflare-migration', 61 | commitAndPush: false, 62 | }); 63 | 64 | const [conversionStatus, setConversionStatus] = useState({ 65 | status: 'idle', 66 | logs: [], 67 | }); 68 | 69 | useEffect(() => { 70 | async function fetchProjectDetails() { 71 | try { 72 | const response = await fetch(`/api/projects/${projectId}`); 73 | 74 | if (!response.ok) { 75 | throw new Error(`Failed to fetch project details: ${response.statusText}`); 76 | } 77 | 78 | const data = await response.json(); 79 | console.log('Project data:', data); 80 | setProject(data.project); 81 | } catch (err) { 82 | setError(err instanceof Error ? err.message : 'An error occurred'); 83 | } finally { 84 | setLoading(false); 85 | } 86 | } 87 | 88 | fetchProjectDetails(); 89 | }, [projectId]); 90 | 91 | useEffect(() => { 92 | if (logsEndRef.current) { 93 | logsEndRef.current.scrollIntoView({ behavior: 'smooth' }); 94 | } 95 | }, [conversionStatus.logs]); 96 | 97 | const handleInputChange = (e: React.ChangeEvent) => { 98 | const { name, value, type, checked } = e.target; 99 | setOptions(prev => ({ 100 | ...prev, 101 | [name]: type === 'checkbox' ? checked : value, 102 | })); 103 | }; 104 | 105 | const startConversion = async () => { 106 | setConversionStatus({ 107 | status: 'cloning', 108 | logs: ['Starting conversion process...', 'Cloning repository...'], 109 | }); 110 | 111 | try { 112 | const response = await fetch('/api/convert', { 113 | method: 'POST', 114 | headers: { 115 | 'Content-Type': 'application/json', 116 | }, 117 | body: JSON.stringify({ 118 | projectId, 119 | options, 120 | }), 121 | }); 122 | 123 | if (!response.ok) { 124 | throw new Error(`Conversion failed: ${response.statusText}`); 125 | } 126 | 127 | const eventSource = new EventSource(`/api/convert/status?projectId=${projectId}`); 128 | 129 | eventSource.onmessage = (event) => { 130 | const data = JSON.parse(event.data); 131 | 132 | setConversionStatus(prev => ({ 133 | ...prev, 134 | status: data.status, 135 | logs: [...data.logs], 136 | message: data.message, 137 | })); 138 | 139 | if (data.status === 'success' || data.status === 'failed') { 140 | eventSource.close(); 141 | } 142 | }; 143 | 144 | eventSource.onerror = () => { 145 | eventSource.close(); 146 | setConversionStatus(prev => ({ 147 | ...prev, 148 | status: 'failed', 149 | message: 'Lost connection to server', 150 | })); 151 | }; 152 | } catch (err) { 153 | setConversionStatus({ 154 | status: 'failed', 155 | logs: [...conversionStatus.logs, err instanceof Error ? err.message : 'An error occurred'], 156 | message: 'Conversion process failed', 157 | }); 158 | } 159 | }; 160 | 161 | if (loading) { 162 | return ( 163 |
164 |
165 |
166 |

Loading project details...

167 |
168 |
169 | ); 170 | } 171 | 172 | if (error || !project) { 173 | return ( 174 |
175 |
176 | 177 | 178 | 179 |

Error

180 |

{error || 'Failed to load project details'}

181 | 182 | Return to Dashboard 183 | 184 |
185 |
186 | ); 187 | } 188 | 189 | return ( 190 |
191 |
192 | {/* Header */} 193 |
194 |
195 | 196 | 197 | 198 | 199 | Back to Projects 200 | 201 |

202 | {project.name} 203 | {project.framework} 204 |

205 |

Migrating from Vercel to Cloudflare

206 |
207 |
208 | 214 |
215 |
216 | 217 | {/* Main content */} 218 |
219 |
220 | {/* Project Info Card */} 221 |
222 |

Project Details

223 | 224 |
225 |
226 |

Project ID

227 |

{project.id}

228 |
229 | 230 |
231 |

Framework

232 |

{project.framework}

233 |
234 |
235 | 236 | {/* Git Repository Info */} 237 | {!project.gitRepository && !project.link ? ( 238 |
239 |

No Git Repository

240 |

241 | This project doesn't have a connected Git repository. 242 | This tool requires a Git repository to clone and modify the code. 243 |

244 |
245 | ) : ( 246 |
247 |

Repository

248 | {project.gitRepository ? ( 249 |
250 |

251 | Repository: {project.gitRepository.repo} 252 |

253 |

254 | Branch: {project.gitRepository.defaultBranch} 255 |

256 |
257 | ) : project.link && project.link.type === 'github' ? ( 258 |
259 |

260 | Repository: {project.link.org}/{project.link.repo} 261 |

262 |

263 | Branch: {project.link.productionBranch} 264 |

265 |
266 | ) : null} 267 |
268 | )} 269 | 270 | {/* Debug Info */} 271 | {debugMode && ( 272 |
273 |

Raw Project Data

274 |
275 |
276 |                       {JSON.stringify(project, null, 2)}
277 |                     
278 |
279 |
280 | )} 281 |
282 | 283 | {/* Conversion Options */} 284 |
285 |

Conversion Options

286 | 287 |
288 |
289 |
290 | 298 | 301 |
302 |

303 | Use Cloudflare KV for incremental static regeneration cache 304 |

305 |
306 | 307 | {options.enableKVCache && ( 308 |
309 | 312 | 321 | Create a new KV namespace here 322 |
323 | )} 324 | 325 |
326 |

Git Options

327 | 328 |
329 |
330 |
331 | 339 | 342 |
343 |

344 | Create a new branch for the Cloudflare migration 345 |

346 |
347 | 348 | {options.createBranch && ( 349 |
350 | 353 | 362 |
363 | )} 364 | 365 |
366 |
367 | 375 | 378 |
379 |

380 | Automatically commit and push the changes 381 |

382 |
383 |
384 |
385 | 386 |
387 | {(project.gitRepository || (project.link && project.link.type === 'github')) && conversionStatus.status === 'idle' && ( 388 | 395 | )} 396 | 397 | {!project.gitRepository && !project.link && ( 398 | 405 | )} 406 |
407 |
408 |
409 |
410 | 411 |
412 | {/* Conversion Status & Logs */} 413 |
414 |
415 |

Conversion Status

416 | 417 | {conversionStatus.status !== 'idle' && ( 418 |
419 | {conversionStatus.status === 'cloning' && ( 420 | Cloning Repository 421 | )} 422 | {conversionStatus.status === 'converting' && ( 423 | Converting 424 | )} 425 | {conversionStatus.status === 'success' && ( 426 | Completed 427 | )} 428 | {conversionStatus.status === 'failed' && ( 429 | Failed 430 | )} 431 |
432 | )} 433 |
434 | 435 | {conversionStatus.status === 'idle' ? ( 436 |
437 | 438 | 439 | 440 |

Ready to Convert

441 |

442 | Configure the options and click "Start Conversion" to migrate your project from Vercel to Cloudflare 443 |

444 |
445 | ) : ( 446 |
447 |
448 | {conversionStatus.logs.map((log, index) => ( 449 |
450 | {log.startsWith('Error') || log.includes('failed') ? ( 451 | {log} 452 | ) : log.includes('✅') ? ( 453 | {log} 454 | ) : log.includes('WARNING') || log.includes('⚠️') ? ( 455 | {log} 456 | ) : ( 457 | {log} 458 | )} 459 |
460 | ))} 461 |
462 |
463 | 464 | {conversionStatus.status === 'success' && ( 465 |
466 |

Conversion Completed!

467 |

468 | Your Next.js project has been successfully converted to use Cloudflare. You can now deploy it to Cloudflare Workers. 469 |

470 | {/* Add code snippet that clones the repository and runs npm run deploy */} 471 |
472 |                         
487 |                         
488 |                           git clone {project.gitRepository.url}
489 | cd {project.gitRepository.repo.split('/').pop()}
490 | npm install
491 | npm run deploy 492 |
493 |
494 |
495 | 496 | Back to Projects 497 | 498 | 501 |
502 |
503 | )} 504 | 505 | {conversionStatus.status === 'failed' && ( 506 |
507 |

Conversion Failed

508 |

509 | {conversionStatus.message || 'There was an error during the conversion process. Please check the logs for details.'} 510 |

511 | 517 |
518 | )} 519 |
520 | )} 521 |
522 |
523 |
524 |
525 |
526 | ); 527 | } -------------------------------------------------------------------------------- /app/dashboard/page.tsx: -------------------------------------------------------------------------------- 1 | 'use client'; 2 | 3 | import { useState, useEffect } from 'react'; 4 | import { useRouter } from 'next/navigation'; 5 | import Link from 'next/link'; 6 | import { VercelProject } from '../lib/vercel-api'; 7 | 8 | export default function Dashboard() { 9 | const [projects, setProjects] = useState([]); 10 | const [loading, setLoading] = useState(true); 11 | const [error, setError] = useState(null); 12 | const router = useRouter(); 13 | 14 | useEffect(() => { 15 | async function fetchProjects() { 16 | try { 17 | const response = await fetch('/api/projects'); 18 | 19 | if (!response.ok) { 20 | throw new Error(`Failed to fetch projects: ${response.statusText}`); 21 | } 22 | 23 | const data = await response.json(); 24 | setProjects(data.projects); 25 | } catch (err) { 26 | setError(err instanceof Error ? err.message : 'An error occurred'); 27 | } finally { 28 | setLoading(false); 29 | } 30 | } 31 | 32 | fetchProjects(); 33 | }, []); 34 | 35 | if (loading) { 36 | return ( 37 |
38 |
39 |
40 |

Loading your projects...

41 |
42 |
43 | ); 44 | } 45 | 46 | if (error) { 47 | return ( 48 |
49 |
50 | 51 | 52 | 53 |

Error

54 |

{error}

55 | 56 | Return to Home 57 | 58 |
59 |
60 | ); 61 | } 62 | 63 | return ( 64 |
65 |
66 |
67 |

Projects

68 |

69 | Select a Next.js project from your Vercel account to convert to Cloudflare 70 |

71 |
72 | 73 | {projects.length === 0 ? ( 74 |
75 |

No Projects Found

76 |

77 | We couldn't find any Next.js projects in your Vercel account. Please make sure you have at least one Next.js project deployed on Vercel. 78 |

79 |
80 | ) : ( 81 |
82 | {projects.map(project => ( 83 |
84 |
85 | 86 | {project.framework} 87 | 88 |
89 | 90 |

{project.name}

91 |

ID: {project.id}

92 | 93 | {project.framework === 'nextjs' ? ( 94 | 95 | Convert to Cloudflare 96 | 97 | ) : ( 98 | 101 | )} 102 |
103 | ))} 104 |
105 | )} 106 |
107 |
108 | ); 109 | } -------------------------------------------------------------------------------- /app/globals.css: -------------------------------------------------------------------------------- 1 | @tailwind base; 2 | @tailwind components; 3 | @tailwind utilities; 4 | 5 | :root { 6 | --foreground-rgb: 44, 44, 49; 7 | --background-rgb: 249, 247, 245; 8 | } 9 | 10 | body { 11 | color: rgb(var(--foreground-rgb)); 12 | background: rgb(var(--background-rgb)); 13 | font-feature-settings: "cv02", "cv03", "cv04", "cv11"; 14 | -webkit-font-smoothing: antialiased; 15 | -moz-osx-font-smoothing: grayscale; 16 | } 17 | 18 | @layer base { 19 | a { 20 | @apply text-primary hover:text-primary-dark transition-colors duration-200; 21 | } 22 | 23 | h1, h2, h3, h4, h5, h6 { 24 | @apply font-sans tracking-tight; 25 | } 26 | 27 | p { 28 | @apply text-foreground-secondary; 29 | } 30 | 31 | pre { 32 | @apply font-mono bg-accents-1 p-4 rounded-cloudflare text-sm overflow-auto; 33 | } 34 | } 35 | 36 | @layer components { 37 | .btn { 38 | @apply inline-flex items-center justify-center px-4 py-2 rounded-cloudflare font-medium text-sm transition-all duration-200 focus:outline-none; 39 | } 40 | 41 | .btn-primary { 42 | @apply btn bg-primary text-white hover:bg-primary-dark border border-transparent shadow-small hover:shadow-medium; 43 | } 44 | 45 | .btn-secondary { 46 | @apply btn bg-white text-foreground hover:bg-accents-1 border border-accents-2 shadow-small hover:shadow-medium; 47 | } 48 | 49 | .btn-success { 50 | @apply btn bg-success text-white hover:bg-success-dark border border-transparent shadow-small hover:shadow-medium; 51 | } 52 | 53 | .btn-disabled { 54 | @apply btn bg-accents-1 text-accents-3 border border-accents-2 cursor-not-allowed; 55 | } 56 | 57 | .card { 58 | @apply bg-white rounded-cloudflare shadow-small border border-accents-2 p-6 transition-shadow duration-200; 59 | } 60 | 61 | .input-field { 62 | @apply w-full px-3 py-2 border border-accents-2 rounded-cloudflare focus:outline-none focus:ring-2 focus:ring-primary text-foreground bg-white transition-all duration-200; 63 | } 64 | 65 | .select-field { 66 | @apply w-full px-3 py-2 border border-accents-2 rounded-cloudflare focus:outline-none focus:ring-2 focus:ring-primary text-foreground bg-white transition-all duration-200; 67 | } 68 | 69 | .checkbox { 70 | @apply h-4 w-4 text-primary focus:ring-primary rounded border-accents-3; 71 | } 72 | 73 | .badge { 74 | @apply inline-flex items-center px-2.5 py-0.5 rounded-full text-xs font-medium; 75 | } 76 | 77 | .badge-success { 78 | @apply badge bg-success-lighter text-success-dark; 79 | } 80 | 81 | .badge-warning { 82 | @apply badge bg-warning-lighter text-warning-dark; 83 | } 84 | 85 | .badge-error { 86 | @apply badge bg-error-lighter text-error-dark; 87 | } 88 | 89 | .badge-primary { 90 | @apply badge bg-primary-lighter text-primary-dark; 91 | } 92 | 93 | .badge-secondary { 94 | @apply badge bg-secondary-lighter text-secondary-dark; 95 | } 96 | } -------------------------------------------------------------------------------- /app/layout.tsx: -------------------------------------------------------------------------------- 1 | import './globals.css' 2 | import type { Metadata } from 'next' 3 | import { Inter } from 'next/font/google' 4 | import Link from 'next/link' 5 | 6 | const inter = Inter({ subsets: ['latin'] }) 7 | 8 | export const metadata: Metadata = { 9 | title: 'Diverce - Convert Next.js from Vercel to Cloudflare', 10 | description: 'A tool to easily convert Next.js projects from Vercel to Cloudflare', 11 | } 12 | 13 | export default function RootLayout({ 14 | children, 15 | }: { 16 | children: React.ReactNode 17 | }) { 18 | return ( 19 | 20 | 21 |
22 |
23 |
24 |
25 | 26 | 27 | Di 28 | verce 29 | 30 | 31 |
32 | 45 |
46 |
47 |
48 | 49 |
50 | {children} 51 |
52 | 53 |
54 |
55 |
56 |
57 | © {new Date().getFullYear()} Diverce. All rights reserved. 58 |
59 |
60 | 61 | Built with Next.js and Tailwind CSS 62 | 63 |
64 |
65 |
66 |
67 | 68 | 69 | ) 70 | } -------------------------------------------------------------------------------- /app/lib/conversion-pipeline.ts: -------------------------------------------------------------------------------- 1 | import fs from 'fs'; 2 | import path from 'path'; 3 | import { exec } from 'child_process'; 4 | import { promisify } from 'util'; 5 | import simpleGit from 'simple-git'; 6 | 7 | const execAsync = promisify(exec); 8 | 9 | export interface ConversionOptions { 10 | projectPath: string; 11 | projectName: string; 12 | enableKVCache?: boolean; 13 | kvNamespaceId?: string; 14 | } 15 | 16 | export interface ConversionResult { 17 | success: boolean; 18 | message: string; 19 | logs: string[]; 20 | } 21 | 22 | export class ConversionPipeline { 23 | private options: ConversionOptions; 24 | private logs: string[] = []; 25 | 26 | constructor(options: ConversionOptions) { 27 | this.options = options; 28 | } 29 | 30 | private log(message: string) { 31 | this.logs.push(message); 32 | console.log(message); 33 | } 34 | 35 | async run(): Promise { 36 | try { 37 | this.log('Starting conversion pipeline...'); 38 | 39 | // Step 1: Verify Next.js project and check for edge runtime 40 | await this.verifyNextJsProject(); 41 | 42 | // Step 2: Install OpenNext dependencies 43 | await this.installDependencies(); 44 | 45 | // Step 3: Generate or update open-next.config.ts 46 | await this.createOpenNextConfig(); 47 | 48 | // Step 4: Generate or update wrangler.jsonc 49 | await this.createWranglerConfig(); 50 | 51 | // Step 5: Update package.json scripts 52 | await this.updatePackageJson(); 53 | 54 | // Step 6: Remove conflicting references (@cloudflare/next-on-pages, edge runtime) 55 | await this.removeConflictingReferences(); 56 | 57 | // Step 7: Add .open-next to .gitignore 58 | await this.updateGitignore(); 59 | 60 | this.log('Conversion completed successfully! 🎉'); 61 | 62 | return { 63 | success: true, 64 | message: 'Project successfully converted to use @opennextjs/cloudflare', 65 | logs: this.logs, 66 | }; 67 | } catch (error) { 68 | const errorMessage = error instanceof Error ? error.message : 'Unknown error'; 69 | this.log(`Error during conversion: ${errorMessage}`); 70 | 71 | return { 72 | success: false, 73 | message: `Conversion failed: ${errorMessage}`, 74 | logs: this.logs, 75 | }; 76 | } 77 | } 78 | 79 | private async verifyNextJsProject() { 80 | this.log('Verifying Next.js project...'); 81 | 82 | const packageJsonPath = path.join(this.options.projectPath, 'package.json'); 83 | 84 | if (!fs.existsSync(packageJsonPath)) { 85 | throw new Error('Could not find package.json in the project directory'); 86 | } 87 | 88 | const packageJson = JSON.parse(fs.readFileSync(packageJsonPath, 'utf8')); 89 | 90 | // Check for Next.js dependency 91 | if (!packageJson.dependencies?.next && !packageJson.devDependencies?.next) { 92 | throw new Error('This project does not appear to be a Next.js project (next package not found)'); 93 | } 94 | 95 | this.log('Next.js project verified ✅'); 96 | 97 | // Check for edge runtime references 98 | this.log('Checking for Edge Runtime usage...'); 99 | try { 100 | const { stdout } = await execAsync('grep -r "export const runtime = \\"edge\\"" --include="*.js" --include="*.jsx" --include="*.ts" --include="*.tsx" .', { cwd: this.options.projectPath }); 101 | 102 | if (stdout.trim()) { 103 | this.log('⚠️ WARNING: Edge Runtime usage detected. These will be removed during conversion.'); 104 | } else { 105 | this.log('No Edge Runtime usage detected ✅'); 106 | } 107 | } catch (error) { 108 | // If grep returns no matches, it exits with code 1, which causes exec to throw 109 | // This is normal and expected when no matches are found 110 | this.log('No Edge Runtime usage detected ✅'); 111 | } 112 | } 113 | 114 | private async installDependencies() { 115 | this.log('Installing OpenNext dependencies...'); 116 | 117 | try { 118 | await execAsync('npm install --save-dev @opennextjs/cloudflare@latest wrangler@latest', { 119 | cwd: this.options.projectPath 120 | }); 121 | this.log('Dependencies installed successfully ✅'); 122 | } catch (error) { 123 | throw new Error(`Failed to install dependencies: ${error instanceof Error ? error.message : 'Unknown error'}`); 124 | } 125 | } 126 | 127 | private async createOpenNextConfig() { 128 | this.log('Creating or updating open-next.config.ts...'); 129 | 130 | const configPath = path.join(this.options.projectPath, 'open-next.config.ts'); 131 | const config = `import { defineCloudflareConfig } from "@opennextjs/cloudflare"; 132 | ${this.options.enableKVCache ? 'import kvIncrementalCache from "@opennextjs/cloudflare/kv-cache";' : ''} 133 | 134 | export default defineCloudflareConfig({ 135 | ${this.options.enableKVCache ? ' incrementalCache: kvIncrementalCache,' : ''} 136 | }); 137 | `; 138 | 139 | fs.writeFileSync(configPath, config); 140 | this.log('open-next.config.ts created/updated ✅'); 141 | } 142 | 143 | private async createWranglerConfig() { 144 | this.log('Creating or updating wrangler.jsonc...'); 145 | 146 | const wranglerPath = path.join(this.options.projectPath, 'wrangler.jsonc'); 147 | const kvNamespaces = this.options.enableKVCache && this.options.kvNamespaceId 148 | ? `[ 149 | { 150 | "binding": "NEXT_CACHE_WORKERS_KV", 151 | "id": "${this.options.kvNamespaceId}" 152 | } 153 | ]` 154 | : '[]'; 155 | 156 | const config = `{ 157 | "$schema": "node_modules/wrangler/config-schema.json", 158 | "main": ".open-next/worker.js", 159 | "name": "${this.options.projectName}", 160 | "compatibility_date": "2024-12-30", 161 | "compatibility_flags": ["nodejs_compat"], 162 | "assets": { 163 | "directory": ".open-next/assets", 164 | "binding": "ASSETS" 165 | }, 166 | "kv_namespaces": ${kvNamespaces} 167 | } 168 | `; 169 | 170 | fs.writeFileSync(wranglerPath, config); 171 | this.log('wrangler.jsonc created/updated ✅'); 172 | } 173 | 174 | private async updatePackageJson() { 175 | this.log('Updating package.json scripts...'); 176 | 177 | const packageJsonPath = path.join(this.options.projectPath, 'package.json'); 178 | const packageJson = JSON.parse(fs.readFileSync(packageJsonPath, 'utf8')); 179 | 180 | packageJson.scripts = packageJson.scripts || {}; 181 | packageJson.scripts.preview = 'opennextjs-cloudflare && wrangler dev'; 182 | packageJson.scripts.deploy = 'opennextjs-cloudflare && wrangler deploy'; 183 | packageJson.scripts['cf-typegen'] = 'wrangler types --env-interface CloudflareEnv cloudflare-env.d.ts'; 184 | 185 | fs.writeFileSync(packageJsonPath, JSON.stringify(packageJson, null, 2)); 186 | this.log('package.json scripts updated ✅'); 187 | } 188 | 189 | private async removeConflictingReferences() { 190 | this.log('Removing conflicting references...'); 191 | 192 | // Remove next-on-pages from dependencies if present 193 | const packageJsonPath = path.join(this.options.projectPath, 'package.json'); 194 | const packageJson = JSON.parse(fs.readFileSync(packageJsonPath, 'utf8')); 195 | 196 | if (packageJson.dependencies?.['@cloudflare/next-on-pages']) { 197 | delete packageJson.dependencies['@cloudflare/next-on-pages']; 198 | this.log('Removed @cloudflare/next-on-pages from dependencies'); 199 | fs.writeFileSync(packageJsonPath, JSON.stringify(packageJson, null, 2)); 200 | } 201 | 202 | if (packageJson.devDependencies?.['@cloudflare/next-on-pages']) { 203 | delete packageJson.devDependencies['@cloudflare/next-on-pages']; 204 | this.log('Removed @cloudflare/next-on-pages from devDependencies'); 205 | fs.writeFileSync(packageJsonPath, JSON.stringify(packageJson, null, 2)); 206 | } 207 | 208 | // Replace "export const runtime = 'edge'" references 209 | try { 210 | await execAsync("find . -type f -name '*.js' -o -name '*.jsx' -o -name '*.ts' -o -name '*.tsx' | xargs -I{} sed -i '' 's/export const runtime = .edge.;/\\/\\/ Removed edge runtime declaration/g' {}", { 211 | cwd: this.options.projectPath, 212 | }); 213 | 214 | this.log('Removed edge runtime declarations from files'); 215 | } catch (error) { 216 | this.log('Note: Could not automatically remove edge runtime declarations. You may need to remove these manually.'); 217 | } 218 | 219 | this.log('Conflicting references removed ✅'); 220 | } 221 | 222 | private async updateGitignore() { 223 | this.log('Updating .gitignore...'); 224 | 225 | const gitignorePath = path.join(this.options.projectPath, '.gitignore'); 226 | let content = ''; 227 | 228 | if (fs.existsSync(gitignorePath)) { 229 | content = fs.readFileSync(gitignorePath, 'utf8'); 230 | } 231 | 232 | if (!content.includes('.open-next')) { 233 | content += '\n# OpenNext build output\n.open-next\n'; 234 | fs.writeFileSync(gitignorePath, content); 235 | this.log('Added .open-next to .gitignore ✅'); 236 | } else { 237 | this.log('.open-next already in .gitignore ✅'); 238 | } 239 | } 240 | } -------------------------------------------------------------------------------- /app/lib/git-utils.ts: -------------------------------------------------------------------------------- 1 | import path from 'path'; 2 | import fs from 'fs'; 3 | import simpleGit, { SimpleGit } from 'simple-git'; 4 | 5 | export interface CloneOptions { 6 | repoUrl: string; 7 | projectId: string; 8 | branch?: string; 9 | storagePath: string; 10 | auth?: GitAuthOptions; // For future GitHub authentication 11 | } 12 | 13 | // Future authentication options interface 14 | export interface GitAuthOptions { 15 | type: 'oauth' | 'token' | 'ssh'; 16 | token?: string; 17 | username?: string; 18 | password?: string; 19 | sshKeyPath?: string; 20 | } 21 | 22 | export interface CloneResult { 23 | success: boolean; 24 | path: string; 25 | message: string; 26 | error?: Error; 27 | } 28 | 29 | export async function cloneRepository(options: CloneOptions): Promise { 30 | const { repoUrl, projectId, branch, storagePath } = options; 31 | 32 | // Create a safe directory name from the project ID 33 | const projectDir = path.join(storagePath, projectId); 34 | 35 | // Ensure the storage path exists 36 | if (!fs.existsSync(storagePath)) { 37 | try { 38 | fs.mkdirSync(storagePath, { recursive: true }); 39 | } catch (error) { 40 | console.error('Failed to create storage directory:', error); 41 | return { 42 | success: false, 43 | path: projectDir, 44 | message: `Failed to create storage directory: ${error instanceof Error ? error.message : 'Unknown error'}`, 45 | error: error instanceof Error ? error : new Error('Unknown error'), 46 | }; 47 | } 48 | } 49 | 50 | // Create an instance of SimpleGit 51 | const git: SimpleGit = simpleGit(); 52 | 53 | try { 54 | // Check if directory already exists 55 | if (fs.existsSync(projectDir)) { 56 | try { 57 | // Try to pull latest changes if it's a git repo 58 | const localGit = simpleGit(projectDir); 59 | 60 | // Check if it's a valid git repository 61 | const isRepo = await localGit.checkIsRepo(); 62 | 63 | if (isRepo) { 64 | // If branch is specified, check it out 65 | if (branch) { 66 | try { 67 | await localGit.checkout(branch); 68 | } catch (error) { 69 | console.warn(`Warning: Could not checkout branch ${branch}:`, error); 70 | // Continue with current branch 71 | } 72 | } 73 | 74 | // Pull the latest changes 75 | await localGit.pull(); 76 | return { 77 | success: true, 78 | path: projectDir, 79 | message: 'Repository already exists locally. Pulled latest changes.', 80 | }; 81 | } else { 82 | // Not a git repo, remove directory and clone 83 | fs.rmSync(projectDir, { recursive: true, force: true }); 84 | } 85 | } catch (error) { 86 | console.error('Error updating existing repository:', error); 87 | // If there's an error, remove the directory and try to clone again 88 | try { 89 | fs.rmSync(projectDir, { recursive: true, force: true }); 90 | } catch (rmError) { 91 | console.error('Failed to remove existing directory:', rmError); 92 | return { 93 | success: false, 94 | path: projectDir, 95 | message: `Failed to prepare directory for cloning: ${rmError instanceof Error ? rmError.message : 'Unknown error'}`, 96 | error: rmError instanceof Error ? rmError : new Error('Unknown error'), 97 | }; 98 | } 99 | } 100 | } 101 | 102 | // Clean up URL to ensure it's properly formatted 103 | // Remove any quotes or spaces that might be in the URL 104 | const cleanRepoUrl = repoUrl.trim().replace(/['"]/g, ''); 105 | console.log(`Cloning repository from URL: ${cleanRepoUrl} to ${projectDir}`); 106 | 107 | // TODO: Add GitHub authentication when options.auth is provided 108 | // This would be implemented in the future to handle private repositories 109 | 110 | // Clone the repository 111 | // Don't pass branch in cloneOptions, use separate args to specify branch if needed 112 | if (branch) { 113 | console.log(`Cloning with branch: ${branch}`); 114 | await git.clone(cleanRepoUrl, projectDir, ['-b', branch]); 115 | } else { 116 | await git.clone(cleanRepoUrl, projectDir); 117 | } 118 | 119 | return { 120 | success: true, 121 | path: projectDir, 122 | message: 'Repository cloned successfully.', 123 | }; 124 | } catch (error) { 125 | console.error('Clone error:', error); 126 | // Provide more detailed error messages based on error type 127 | let errorMessage = error instanceof Error ? error.message : 'Unknown error'; 128 | 129 | // Check for common Git errors and provide more helpful messages 130 | if (errorMessage.includes('Authentication failed')) { 131 | errorMessage = 'Authentication failed. This may be a private repository that requires credentials.'; 132 | } else if (errorMessage.includes('not found')) { 133 | errorMessage = 'Repository not found. Please verify the URL is correct.'; 134 | } else if (errorMessage.includes('already exists')) { 135 | errorMessage = 'Directory already exists and is not empty.'; 136 | } 137 | 138 | return { 139 | success: false, 140 | path: projectDir, 141 | message: `Failed to clone repository: ${errorMessage}`, 142 | error: error instanceof Error ? error : new Error(errorMessage), 143 | }; 144 | } 145 | } 146 | 147 | export async function createBranch(projectPath: string, branchName: string): Promise { 148 | try { 149 | const git = simpleGit(projectPath); 150 | await git.checkoutLocalBranch(branchName); 151 | return true; 152 | } catch (error) { 153 | console.error('Error creating branch:', error); 154 | return false; 155 | } 156 | } 157 | 158 | export async function commitAndPush(projectPath: string, message: string): Promise { 159 | try { 160 | const git = simpleGit(projectPath); 161 | await git.add('.'); 162 | await git.commit(message); 163 | await git.push('origin', 'HEAD'); 164 | return true; 165 | } catch (error) { 166 | console.error('Error committing and pushing changes:', error); 167 | return false; 168 | } 169 | } -------------------------------------------------------------------------------- /app/lib/vercel-api.ts: -------------------------------------------------------------------------------- 1 | import axios from 'axios'; 2 | 3 | const VERCEL_API_URL = 'https://api.vercel.com'; 4 | 5 | export interface VercelProject { 6 | id: string; 7 | name: string; 8 | framework: string; 9 | gitRepository?: { 10 | type: string; 11 | repo: string; 12 | url: string; 13 | defaultBranch: string; 14 | }; 15 | link?: { 16 | type: string; 17 | repo: string; 18 | repoId: number; 19 | org: string; 20 | gitCredentialId: string; 21 | productionBranch: string; 22 | createdAt: number; 23 | updatedAt: number; 24 | deployHooks: any[]; 25 | }; 26 | } 27 | 28 | export class VercelApiClient { 29 | private apiToken: string; 30 | private teamId?: string; 31 | 32 | constructor(apiToken: string, teamId?: string) { 33 | this.apiToken = apiToken; 34 | this.teamId = teamId; 35 | } 36 | 37 | private get headers() { 38 | return { 39 | Authorization: `Bearer ${this.apiToken}`, 40 | }; 41 | } 42 | 43 | private get baseParams() { 44 | if (this.teamId) { 45 | console.log(`Adding teamId parameter: ${this.teamId}`); 46 | return { teamId: this.teamId }; 47 | } 48 | return {}; 49 | } 50 | 51 | // Get user information 52 | async getUserInfo() { 53 | console.log('Fetching user info from Vercel API...'); 54 | try { 55 | const response = await axios.get(`${VERCEL_API_URL}/v2/user`, { 56 | headers: this.headers, 57 | }); 58 | console.log('Successfully fetched user info'); 59 | return response.data; 60 | } catch (error) { 61 | console.error('Error fetching user info:', error); 62 | throw error; 63 | } 64 | } 65 | 66 | // Get a list of all projects 67 | async getProjects() { 68 | console.log('Fetching projects list from Vercel API...'); 69 | 70 | const params = this.baseParams; 71 | console.log(`Base Params: ${JSON.stringify(params)}`); 72 | console.log(`Team ID: ${this.teamId || 'Not set'}`); 73 | console.log(`Full request URL: ${VERCEL_API_URL}/v9/projects ${params.teamId ? `with teamId=${params.teamId}` : ''}`); 74 | 75 | try { 76 | const response = await axios.get(`${VERCEL_API_URL}/v9/projects`, { 77 | headers: this.headers, 78 | params: params, 79 | }); 80 | 81 | console.log(`Successfully fetched ${response.data.projects?.length || 0} projects`); 82 | return response.data.projects as VercelProject[]; 83 | } catch (error) { 84 | console.error('Error fetching projects:', error); 85 | if (axios.isAxiosError(error)) { 86 | console.error('Response data:', error.response?.data); 87 | console.error('Response status:', error.response?.status); 88 | } 89 | throw error; 90 | } 91 | } 92 | 93 | // Get specific project details 94 | async getProject(projectId: string) { 95 | console.log(`Fetching project details for ${projectId}...`); 96 | try { 97 | const response = await axios.get(`${VERCEL_API_URL}/v9/projects/${projectId}`, { 98 | headers: this.headers, 99 | params: this.baseParams, 100 | }); 101 | console.log('Successfully fetched project details'); 102 | return response.data as VercelProject; 103 | } catch (error) { 104 | console.error(`Error fetching project ${projectId}:`, error); 105 | throw error; 106 | } 107 | } 108 | 109 | // Get project environment variables 110 | async getProjectEnvVars(projectId: string) { 111 | console.log(`Fetching environment variables for project ${projectId}...`); 112 | try { 113 | const response = await axios.get(`${VERCEL_API_URL}/v9/projects/${projectId}/env`, { 114 | headers: this.headers, 115 | params: this.baseParams, 116 | }); 117 | console.log('Successfully fetched project environment variables'); 118 | return response.data.envs; 119 | } catch (error) { 120 | console.error(`Error fetching environment variables for project ${projectId}:`, error); 121 | throw error; 122 | } 123 | } 124 | } 125 | 126 | // Get a default client instance from environment variables 127 | export function getDefaultVercelClient(): VercelApiClient { 128 | const apiToken = process.env.VERCEL_API_TOKEN; 129 | const teamId = process.env.VERCEL_TEAM_ID; 130 | 131 | if (!apiToken) { 132 | throw new Error('Missing VERCEL_API_TOKEN in environment variables'); 133 | } 134 | 135 | console.log('Creating Vercel API client...'); 136 | if (teamId) { 137 | console.log(`Using team ID: ${teamId}`); 138 | } 139 | 140 | return new VercelApiClient(apiToken, teamId || undefined); 141 | } -------------------------------------------------------------------------------- /app/page.tsx: -------------------------------------------------------------------------------- 1 | import Link from 'next/link' 2 | import Image from 'next/image' 3 | 4 | export default function Home() { 5 | return ( 6 |
7 | {/* Hero Section */} 8 |
9 |
10 |

11 | Move from Vercel to Cloudflare seamlessly 12 |

13 |

14 | Diverce helps you migrate your Next.js projects from Vercel to Cloudflare with just a few clicks, no manual configuration needed. 15 |

16 |
17 | 18 | Get Started 19 | 20 | 21 | View on GitHub 22 | 23 |
24 |
25 |
26 | 27 | {/* Features Section */} 28 |
29 |
30 |
31 |

32 | Simple Migration Process 33 |

34 |

35 | We handle all the complex configuration so you don't have to. 36 |

37 |
38 | 39 |
40 | {/* Feature 1 */} 41 |
42 |
43 | 44 | 45 | 46 |
47 |

Automated Conversion

48 |

49 | Our tool automatically converts your Next.js project to use @opennextjs/cloudflare and sets up all necessary configurations. 50 |

51 |
52 | 53 | {/* Feature 2 */} 54 |
55 |
56 | 57 | 58 | 59 |
60 |

Zero Code Changes

61 |

62 | Move to Cloudflare without modifying your existing code. We handle all the configuration changes for you. 63 |

64 |
65 | 66 | {/* Feature 3 */} 67 |
68 |
69 | 70 | 71 | 72 |
73 |

Secure & Private

74 |

75 | Your code stays secure. We only perform the conversion locally and never store your source code on our servers. 76 |

77 |
78 |
79 |
80 |
81 | 82 | {/* How It Works Section */} 83 |
84 |
85 |
86 |

87 | How It Works 88 |

89 |

90 | Three simple steps to move your Next.js app from Vercel to Cloudflare 91 |

92 |
93 | 94 |
95 | {/* Step 1 */} 96 |
97 |
98 |
99 | 1 100 |
101 |

Connect Your Vercel Account

102 |

103 | Sign in with your Vercel account to access your projects. 104 |

105 |
106 |
107 | 108 | {/* Step 2 */} 109 |
110 |
111 |
112 | 2 113 |
114 |

Select a Project

115 |

116 | Choose the Next.js project you want to migrate to Cloudflare. 117 |

118 |
119 |
120 | 121 | {/* Step 3 */} 122 |
123 |
124 |
125 | 3 126 |
127 |

Start Conversion

128 |

129 | Click convert and let us handle the rest. You'll get a fully Cloudflare-compatible project. 130 |

131 |
132 |
133 |
134 | 135 |
136 | 137 | Try It Now 138 | 139 |
140 |
141 |
142 | 143 | {/* CTA Section */} 144 |
145 |
146 |

147 | Ready to migrate your Next.js projects? 148 |

149 |

150 | Diverce makes it easy to move from Vercel to Cloudflare without any hassle. 151 |

152 | 153 | Get Started Now 154 | 155 |
156 |
157 |
158 | ) 159 | } -------------------------------------------------------------------------------- /debug-git-repo.js: -------------------------------------------------------------------------------- 1 | // Debug script to check Vercel API project fields related to Git repositories 2 | const axios = require('axios'); 3 | require('dotenv').config({ path: './.env.local' }); 4 | 5 | const VERCEL_API_URL = 'https://api.vercel.com'; 6 | const apiToken = process.env.VERCEL_API_TOKEN; 7 | const teamId = process.env.VERCEL_TEAM_ID; 8 | 9 | // Check if we have the required API token 10 | if (!apiToken) { 11 | console.error('ERROR: Missing VERCEL_API_TOKEN in .env.local file'); 12 | process.exit(1); 13 | } 14 | 15 | const headers = { 16 | Authorization: `Bearer ${apiToken}`, 17 | 'Content-Type': 'application/json' 18 | }; 19 | 20 | async function listProjects() { 21 | try { 22 | console.log('Fetching projects...'); 23 | const params = teamId ? { teamId } : {}; 24 | 25 | const response = await axios.get(`${VERCEL_API_URL}/v9/projects`, { 26 | headers, 27 | params 28 | }); 29 | 30 | console.log(`Found ${response.data.projects.length} projects`); 31 | 32 | // Print each project name and ID 33 | response.data.projects.forEach((project, index) => { 34 | console.log(`${index + 1}. ${project.name} (${project.id})`); 35 | }); 36 | 37 | // Ask the user to select a project to inspect 38 | const projectIndex = 0; // Just take the first project for simplicity 39 | const selectedProject = response.data.projects[projectIndex]; 40 | 41 | console.log(`\nSelected project: ${selectedProject.name} (${selectedProject.id})`); 42 | 43 | // Fetch detailed project info 44 | await getProjectDetails(selectedProject.id); 45 | 46 | } catch (error) { 47 | console.error('Error fetching projects:', error.response?.data || error.message); 48 | } 49 | } 50 | 51 | async function getProjectDetails(projectId) { 52 | try { 53 | console.log(`\nFetching details for project ID: ${projectId}...`); 54 | const params = teamId ? { teamId } : {}; 55 | 56 | const response = await axios.get(`${VERCEL_API_URL}/v9/projects/${projectId}`, { 57 | headers, 58 | params 59 | }); 60 | 61 | const project = response.data; 62 | 63 | console.log('\nProject Information:'); 64 | console.log(`Name: ${project.name}`); 65 | console.log(`ID: ${project.id}`); 66 | console.log(`Framework: ${project.framework || 'Not specified'}`); 67 | 68 | // Check for Git repository information 69 | console.log('\nGit Repository Information:'); 70 | if (project.gitRepository) { 71 | console.log('gitRepository field found:'); 72 | console.log(JSON.stringify(project.gitRepository, null, 2)); 73 | } else { 74 | console.log('No gitRepository field found'); 75 | } 76 | 77 | // Check for other Git-related fields 78 | const gitRelatedFields = {}; 79 | Object.keys(project).forEach(key => { 80 | if ( 81 | key.toLowerCase().includes('git') || 82 | key.toLowerCase().includes('repo') || 83 | key.toLowerCase().includes('source') 84 | ) { 85 | gitRelatedFields[key] = project[key]; 86 | } 87 | }); 88 | 89 | if (Object.keys(gitRelatedFields).length > 0) { 90 | console.log('\nOther Git-related fields:'); 91 | console.log(JSON.stringify(gitRelatedFields, null, 2)); 92 | } else { 93 | console.log('\nNo other Git-related fields found'); 94 | } 95 | 96 | // Print the full project object for complete inspection 97 | console.log('\nFull Project Object:'); 98 | console.log(JSON.stringify(project, null, 2)); 99 | 100 | } catch (error) { 101 | console.error('Error fetching project details:', error.response?.data || error.message); 102 | } 103 | } 104 | 105 | // Run the main function 106 | listProjects().catch(error => { 107 | console.error('Unhandled error:', error); 108 | }); -------------------------------------------------------------------------------- /package-lock.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "diverce", 3 | "version": "1.0.0", 4 | "lockfileVersion": 3, 5 | "requires": true, 6 | "packages": { 7 | "": { 8 | "name": "diverce", 9 | "version": "1.0.0", 10 | "license": "ISC", 11 | "dependencies": { 12 | "@octokit/rest": "^21.1.1", 13 | "@types/node": "^22.13.11", 14 | "@types/react": "^19.0.12", 15 | "@types/react-dom": "^19.0.4", 16 | "axios": "^1.8.4", 17 | "dotenv-flow": "^4.1.0", 18 | "next": "^14.2.25", 19 | "node-fetch": "^3.3.2", 20 | "react": "^18.3.1", 21 | "react-dom": "^18.3.1", 22 | "simple-git": "^3.27.0", 23 | "typescript": "^5.8.2" 24 | }, 25 | "devDependencies": { 26 | "autoprefixer": "^10.4.21", 27 | "postcss": "^8.5.3", 28 | "tailwindcss": "^3.4.17" 29 | } 30 | }, 31 | "node_modules/@alloc/quick-lru": { 32 | "version": "5.2.0", 33 | "resolved": "https://registry.npmjs.org/@alloc/quick-lru/-/quick-lru-5.2.0.tgz", 34 | "integrity": "sha512-UrcABB+4bUrFABwbluTIBErXwvbsU/V7TZWfmbgJfbkwiBuziS9gxdODUyuiecfdGQ85jglMW6juS3+z5TsKLw==", 35 | "dev": true, 36 | "license": "MIT", 37 | "engines": { 38 | "node": ">=10" 39 | }, 40 | "funding": { 41 | "url": "https://github.com/sponsors/sindresorhus" 42 | } 43 | }, 44 | "node_modules/@isaacs/cliui": { 45 | "version": "8.0.2", 46 | "resolved": "https://registry.npmjs.org/@isaacs/cliui/-/cliui-8.0.2.tgz", 47 | "integrity": "sha512-O8jcjabXaleOG9DQ0+ARXWZBTfnP4WNAqzuiJK7ll44AmxGKv/J2M4TPjxjY3znBCfvBXFzucm1twdyFybFqEA==", 48 | "dev": true, 49 | "license": "ISC", 50 | "dependencies": { 51 | "string-width": "^5.1.2", 52 | "string-width-cjs": "npm:string-width@^4.2.0", 53 | "strip-ansi": "^7.0.1", 54 | "strip-ansi-cjs": "npm:strip-ansi@^6.0.1", 55 | "wrap-ansi": "^8.1.0", 56 | "wrap-ansi-cjs": "npm:wrap-ansi@^7.0.0" 57 | }, 58 | "engines": { 59 | "node": ">=12" 60 | } 61 | }, 62 | "node_modules/@jridgewell/gen-mapping": { 63 | "version": "0.3.8", 64 | "resolved": "https://registry.npmjs.org/@jridgewell/gen-mapping/-/gen-mapping-0.3.8.tgz", 65 | "integrity": "sha512-imAbBGkb+ebQyxKgzv5Hu2nmROxoDOXHh80evxdoXNOrvAnVx7zimzc1Oo5h9RlfV4vPXaE2iM5pOFbvOCClWA==", 66 | "dev": true, 67 | "license": "MIT", 68 | "dependencies": { 69 | "@jridgewell/set-array": "^1.2.1", 70 | "@jridgewell/sourcemap-codec": "^1.4.10", 71 | "@jridgewell/trace-mapping": "^0.3.24" 72 | }, 73 | "engines": { 74 | "node": ">=6.0.0" 75 | } 76 | }, 77 | "node_modules/@jridgewell/resolve-uri": { 78 | "version": "3.1.2", 79 | "resolved": "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.1.2.tgz", 80 | "integrity": "sha512-bRISgCIjP20/tbWSPWMEi54QVPRZExkuD9lJL+UIxUKtwVJA8wW1Trb1jMs1RFXo1CBTNZ/5hpC9QvmKWdopKw==", 81 | "dev": true, 82 | "license": "MIT", 83 | "engines": { 84 | "node": ">=6.0.0" 85 | } 86 | }, 87 | "node_modules/@jridgewell/set-array": { 88 | "version": "1.2.1", 89 | "resolved": "https://registry.npmjs.org/@jridgewell/set-array/-/set-array-1.2.1.tgz", 90 | "integrity": "sha512-R8gLRTZeyp03ymzP/6Lil/28tGeGEzhx1q2k703KGWRAI1VdvPIXdG70VJc2pAMw3NA6JKL5hhFu1sJX0Mnn/A==", 91 | "dev": true, 92 | "license": "MIT", 93 | "engines": { 94 | "node": ">=6.0.0" 95 | } 96 | }, 97 | "node_modules/@jridgewell/sourcemap-codec": { 98 | "version": "1.5.0", 99 | "resolved": "https://registry.npmjs.org/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.5.0.tgz", 100 | "integrity": "sha512-gv3ZRaISU3fjPAgNsriBRqGWQL6quFx04YMPW/zD8XMLsU32mhCCbfbO6KZFLjvYpCZ8zyDEgqsgf+PwPaM7GQ==", 101 | "dev": true, 102 | "license": "MIT" 103 | }, 104 | "node_modules/@jridgewell/trace-mapping": { 105 | "version": "0.3.25", 106 | "resolved": "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.25.tgz", 107 | "integrity": "sha512-vNk6aEwybGtawWmy/PzwnGDOjCkLWSD2wqvjGGAgOAwCGWySYXfYoxt00IJkTF+8Lb57DwOb3Aa0o9CApepiYQ==", 108 | "dev": true, 109 | "license": "MIT", 110 | "dependencies": { 111 | "@jridgewell/resolve-uri": "^3.1.0", 112 | "@jridgewell/sourcemap-codec": "^1.4.14" 113 | } 114 | }, 115 | "node_modules/@kwsites/file-exists": { 116 | "version": "1.1.1", 117 | "resolved": "https://registry.npmjs.org/@kwsites/file-exists/-/file-exists-1.1.1.tgz", 118 | "integrity": "sha512-m9/5YGR18lIwxSFDwfE3oA7bWuq9kdau6ugN4H2rJeyhFQZcG9AgSHkQtSD15a8WvTgfz9aikZMrKPHvbpqFiw==", 119 | "license": "MIT", 120 | "dependencies": { 121 | "debug": "^4.1.1" 122 | } 123 | }, 124 | "node_modules/@kwsites/promise-deferred": { 125 | "version": "1.1.1", 126 | "resolved": "https://registry.npmjs.org/@kwsites/promise-deferred/-/promise-deferred-1.1.1.tgz", 127 | "integrity": "sha512-GaHYm+c0O9MjZRu0ongGBRbinu8gVAMd2UZjji6jVmqKtZluZnptXGWhz1E8j8D2HJ3f/yMxKAUC0b+57wncIw==", 128 | "license": "MIT" 129 | }, 130 | "node_modules/@next/env": { 131 | "version": "14.2.25", 132 | "resolved": "https://registry.npmjs.org/@next/env/-/env-14.2.25.tgz", 133 | "integrity": "sha512-JnzQ2cExDeG7FxJwqAksZ3aqVJrHjFwZQAEJ9gQZSoEhIow7SNoKZzju/AwQ+PLIR4NY8V0rhcVozx/2izDO0w==", 134 | "license": "MIT" 135 | }, 136 | "node_modules/@next/swc-darwin-arm64": { 137 | "version": "14.2.25", 138 | "resolved": "https://registry.npmjs.org/@next/swc-darwin-arm64/-/swc-darwin-arm64-14.2.25.tgz", 139 | "integrity": "sha512-09clWInF1YRd6le00vt750s3m7SEYNehz9C4PUcSu3bAdCTpjIV4aTYQZ25Ehrr83VR1rZeqtKUPWSI7GfuKZQ==", 140 | "cpu": [ 141 | "arm64" 142 | ], 143 | "license": "MIT", 144 | "optional": true, 145 | "os": [ 146 | "darwin" 147 | ], 148 | "engines": { 149 | "node": ">= 10" 150 | } 151 | }, 152 | "node_modules/@next/swc-darwin-x64": { 153 | "version": "14.2.25", 154 | "resolved": "https://registry.npmjs.org/@next/swc-darwin-x64/-/swc-darwin-x64-14.2.25.tgz", 155 | "integrity": "sha512-V+iYM/QR+aYeJl3/FWWU/7Ix4b07ovsQ5IbkwgUK29pTHmq+5UxeDr7/dphvtXEq5pLB/PucfcBNh9KZ8vWbug==", 156 | "cpu": [ 157 | "x64" 158 | ], 159 | "license": "MIT", 160 | "optional": true, 161 | "os": [ 162 | "darwin" 163 | ], 164 | "engines": { 165 | "node": ">= 10" 166 | } 167 | }, 168 | "node_modules/@next/swc-linux-arm64-gnu": { 169 | "version": "14.2.25", 170 | "resolved": "https://registry.npmjs.org/@next/swc-linux-arm64-gnu/-/swc-linux-arm64-gnu-14.2.25.tgz", 171 | "integrity": "sha512-LFnV2899PJZAIEHQ4IMmZIgL0FBieh5keMnriMY1cK7ompR+JUd24xeTtKkcaw8QmxmEdhoE5Mu9dPSuDBgtTg==", 172 | "cpu": [ 173 | "arm64" 174 | ], 175 | "license": "MIT", 176 | "optional": true, 177 | "os": [ 178 | "linux" 179 | ], 180 | "engines": { 181 | "node": ">= 10" 182 | } 183 | }, 184 | "node_modules/@next/swc-linux-arm64-musl": { 185 | "version": "14.2.25", 186 | "resolved": "https://registry.npmjs.org/@next/swc-linux-arm64-musl/-/swc-linux-arm64-musl-14.2.25.tgz", 187 | "integrity": "sha512-QC5y5PPTmtqFExcKWKYgUNkHeHE/z3lUsu83di488nyP0ZzQ3Yse2G6TCxz6nNsQwgAx1BehAJTZez+UQxzLfw==", 188 | "cpu": [ 189 | "arm64" 190 | ], 191 | "license": "MIT", 192 | "optional": true, 193 | "os": [ 194 | "linux" 195 | ], 196 | "engines": { 197 | "node": ">= 10" 198 | } 199 | }, 200 | "node_modules/@next/swc-linux-x64-gnu": { 201 | "version": "14.2.25", 202 | "resolved": "https://registry.npmjs.org/@next/swc-linux-x64-gnu/-/swc-linux-x64-gnu-14.2.25.tgz", 203 | "integrity": "sha512-y6/ML4b9eQ2D/56wqatTJN5/JR8/xdObU2Fb1RBidnrr450HLCKr6IJZbPqbv7NXmje61UyxjF5kvSajvjye5w==", 204 | "cpu": [ 205 | "x64" 206 | ], 207 | "license": "MIT", 208 | "optional": true, 209 | "os": [ 210 | "linux" 211 | ], 212 | "engines": { 213 | "node": ">= 10" 214 | } 215 | }, 216 | "node_modules/@next/swc-linux-x64-musl": { 217 | "version": "14.2.25", 218 | "resolved": "https://registry.npmjs.org/@next/swc-linux-x64-musl/-/swc-linux-x64-musl-14.2.25.tgz", 219 | "integrity": "sha512-sPX0TSXHGUOZFvv96GoBXpB3w4emMqKeMgemrSxI7A6l55VBJp/RKYLwZIB9JxSqYPApqiREaIIap+wWq0RU8w==", 220 | "cpu": [ 221 | "x64" 222 | ], 223 | "license": "MIT", 224 | "optional": true, 225 | "os": [ 226 | "linux" 227 | ], 228 | "engines": { 229 | "node": ">= 10" 230 | } 231 | }, 232 | "node_modules/@next/swc-win32-arm64-msvc": { 233 | "version": "14.2.25", 234 | "resolved": "https://registry.npmjs.org/@next/swc-win32-arm64-msvc/-/swc-win32-arm64-msvc-14.2.25.tgz", 235 | "integrity": "sha512-ReO9S5hkA1DU2cFCsGoOEp7WJkhFzNbU/3VUF6XxNGUCQChyug6hZdYL/istQgfT/GWE6PNIg9cm784OI4ddxQ==", 236 | "cpu": [ 237 | "arm64" 238 | ], 239 | "license": "MIT", 240 | "optional": true, 241 | "os": [ 242 | "win32" 243 | ], 244 | "engines": { 245 | "node": ">= 10" 246 | } 247 | }, 248 | "node_modules/@next/swc-win32-ia32-msvc": { 249 | "version": "14.2.25", 250 | "resolved": "https://registry.npmjs.org/@next/swc-win32-ia32-msvc/-/swc-win32-ia32-msvc-14.2.25.tgz", 251 | "integrity": "sha512-DZ/gc0o9neuCDyD5IumyTGHVun2dCox5TfPQI/BJTYwpSNYM3CZDI4i6TOdjeq1JMo+Ug4kPSMuZdwsycwFbAw==", 252 | "cpu": [ 253 | "ia32" 254 | ], 255 | "license": "MIT", 256 | "optional": true, 257 | "os": [ 258 | "win32" 259 | ], 260 | "engines": { 261 | "node": ">= 10" 262 | } 263 | }, 264 | "node_modules/@next/swc-win32-x64-msvc": { 265 | "version": "14.2.25", 266 | "resolved": "https://registry.npmjs.org/@next/swc-win32-x64-msvc/-/swc-win32-x64-msvc-14.2.25.tgz", 267 | "integrity": "sha512-KSznmS6eFjQ9RJ1nEc66kJvtGIL1iZMYmGEXsZPh2YtnLtqrgdVvKXJY2ScjjoFnG6nGLyPFR0UiEvDwVah4Tw==", 268 | "cpu": [ 269 | "x64" 270 | ], 271 | "license": "MIT", 272 | "optional": true, 273 | "os": [ 274 | "win32" 275 | ], 276 | "engines": { 277 | "node": ">= 10" 278 | } 279 | }, 280 | "node_modules/@nodelib/fs.scandir": { 281 | "version": "2.1.5", 282 | "resolved": "https://registry.npmjs.org/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz", 283 | "integrity": "sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==", 284 | "dev": true, 285 | "license": "MIT", 286 | "dependencies": { 287 | "@nodelib/fs.stat": "2.0.5", 288 | "run-parallel": "^1.1.9" 289 | }, 290 | "engines": { 291 | "node": ">= 8" 292 | } 293 | }, 294 | "node_modules/@nodelib/fs.stat": { 295 | "version": "2.0.5", 296 | "resolved": "https://registry.npmjs.org/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz", 297 | "integrity": "sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==", 298 | "dev": true, 299 | "license": "MIT", 300 | "engines": { 301 | "node": ">= 8" 302 | } 303 | }, 304 | "node_modules/@nodelib/fs.walk": { 305 | "version": "1.2.8", 306 | "resolved": "https://registry.npmjs.org/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz", 307 | "integrity": "sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==", 308 | "dev": true, 309 | "license": "MIT", 310 | "dependencies": { 311 | "@nodelib/fs.scandir": "2.1.5", 312 | "fastq": "^1.6.0" 313 | }, 314 | "engines": { 315 | "node": ">= 8" 316 | } 317 | }, 318 | "node_modules/@octokit/auth-token": { 319 | "version": "5.1.2", 320 | "resolved": "https://registry.npmjs.org/@octokit/auth-token/-/auth-token-5.1.2.tgz", 321 | "integrity": "sha512-JcQDsBdg49Yky2w2ld20IHAlwr8d/d8N6NiOXbtuoPCqzbsiJgF633mVUw3x4mo0H5ypataQIX7SFu3yy44Mpw==", 322 | "license": "MIT", 323 | "engines": { 324 | "node": ">= 18" 325 | } 326 | }, 327 | "node_modules/@octokit/core": { 328 | "version": "6.1.4", 329 | "resolved": "https://registry.npmjs.org/@octokit/core/-/core-6.1.4.tgz", 330 | "integrity": "sha512-lAS9k7d6I0MPN+gb9bKDt7X8SdxknYqAMh44S5L+lNqIN2NuV8nvv3g8rPp7MuRxcOpxpUIATWprO0C34a8Qmg==", 331 | "license": "MIT", 332 | "dependencies": { 333 | "@octokit/auth-token": "^5.0.0", 334 | "@octokit/graphql": "^8.1.2", 335 | "@octokit/request": "^9.2.1", 336 | "@octokit/request-error": "^6.1.7", 337 | "@octokit/types": "^13.6.2", 338 | "before-after-hook": "^3.0.2", 339 | "universal-user-agent": "^7.0.0" 340 | }, 341 | "engines": { 342 | "node": ">= 18" 343 | } 344 | }, 345 | "node_modules/@octokit/endpoint": { 346 | "version": "10.1.3", 347 | "resolved": "https://registry.npmjs.org/@octokit/endpoint/-/endpoint-10.1.3.tgz", 348 | "integrity": "sha512-nBRBMpKPhQUxCsQQeW+rCJ/OPSMcj3g0nfHn01zGYZXuNDvvXudF/TYY6APj5THlurerpFN4a/dQAIAaM6BYhA==", 349 | "license": "MIT", 350 | "dependencies": { 351 | "@octokit/types": "^13.6.2", 352 | "universal-user-agent": "^7.0.2" 353 | }, 354 | "engines": { 355 | "node": ">= 18" 356 | } 357 | }, 358 | "node_modules/@octokit/graphql": { 359 | "version": "8.2.1", 360 | "resolved": "https://registry.npmjs.org/@octokit/graphql/-/graphql-8.2.1.tgz", 361 | "integrity": "sha512-n57hXtOoHrhwTWdvhVkdJHdhTv0JstjDbDRhJfwIRNfFqmSo1DaK/mD2syoNUoLCyqSjBpGAKOG0BuwF392slw==", 362 | "license": "MIT", 363 | "dependencies": { 364 | "@octokit/request": "^9.2.2", 365 | "@octokit/types": "^13.8.0", 366 | "universal-user-agent": "^7.0.0" 367 | }, 368 | "engines": { 369 | "node": ">= 18" 370 | } 371 | }, 372 | "node_modules/@octokit/openapi-types": { 373 | "version": "24.2.0", 374 | "resolved": "https://registry.npmjs.org/@octokit/openapi-types/-/openapi-types-24.2.0.tgz", 375 | "integrity": "sha512-9sIH3nSUttelJSXUrmGzl7QUBFul0/mB8HRYl3fOlgHbIWG+WnYDXU3v/2zMtAvuzZ/ed00Ei6on975FhBfzrg==", 376 | "license": "MIT" 377 | }, 378 | "node_modules/@octokit/plugin-paginate-rest": { 379 | "version": "11.6.0", 380 | "resolved": "https://registry.npmjs.org/@octokit/plugin-paginate-rest/-/plugin-paginate-rest-11.6.0.tgz", 381 | "integrity": "sha512-n5KPteiF7pWKgBIBJSk8qzoZWcUkza2O6A0za97pMGVrGfPdltxrfmfF5GucHYvHGZD8BdaZmmHGz5cX/3gdpw==", 382 | "license": "MIT", 383 | "dependencies": { 384 | "@octokit/types": "^13.10.0" 385 | }, 386 | "engines": { 387 | "node": ">= 18" 388 | }, 389 | "peerDependencies": { 390 | "@octokit/core": ">=6" 391 | } 392 | }, 393 | "node_modules/@octokit/plugin-request-log": { 394 | "version": "5.3.1", 395 | "resolved": "https://registry.npmjs.org/@octokit/plugin-request-log/-/plugin-request-log-5.3.1.tgz", 396 | "integrity": "sha512-n/lNeCtq+9ofhC15xzmJCNKP2BWTv8Ih2TTy+jatNCCq/gQP/V7rK3fjIfuz0pDWDALO/o/4QY4hyOF6TQQFUw==", 397 | "license": "MIT", 398 | "engines": { 399 | "node": ">= 18" 400 | }, 401 | "peerDependencies": { 402 | "@octokit/core": ">=6" 403 | } 404 | }, 405 | "node_modules/@octokit/plugin-rest-endpoint-methods": { 406 | "version": "13.5.0", 407 | "resolved": "https://registry.npmjs.org/@octokit/plugin-rest-endpoint-methods/-/plugin-rest-endpoint-methods-13.5.0.tgz", 408 | "integrity": "sha512-9Pas60Iv9ejO3WlAX3maE1+38c5nqbJXV5GrncEfkndIpZrJ/WPMRd2xYDcPPEt5yzpxcjw9fWNoPhsSGzqKqw==", 409 | "license": "MIT", 410 | "dependencies": { 411 | "@octokit/types": "^13.10.0" 412 | }, 413 | "engines": { 414 | "node": ">= 18" 415 | }, 416 | "peerDependencies": { 417 | "@octokit/core": ">=6" 418 | } 419 | }, 420 | "node_modules/@octokit/request": { 421 | "version": "9.2.2", 422 | "resolved": "https://registry.npmjs.org/@octokit/request/-/request-9.2.2.tgz", 423 | "integrity": "sha512-dZl0ZHx6gOQGcffgm1/Sf6JfEpmh34v3Af2Uci02vzUYz6qEN6zepoRtmybWXIGXFIK8K9ylE3b+duCWqhArtg==", 424 | "license": "MIT", 425 | "dependencies": { 426 | "@octokit/endpoint": "^10.1.3", 427 | "@octokit/request-error": "^6.1.7", 428 | "@octokit/types": "^13.6.2", 429 | "fast-content-type-parse": "^2.0.0", 430 | "universal-user-agent": "^7.0.2" 431 | }, 432 | "engines": { 433 | "node": ">= 18" 434 | } 435 | }, 436 | "node_modules/@octokit/request-error": { 437 | "version": "6.1.7", 438 | "resolved": "https://registry.npmjs.org/@octokit/request-error/-/request-error-6.1.7.tgz", 439 | "integrity": "sha512-69NIppAwaauwZv6aOzb+VVLwt+0havz9GT5YplkeJv7fG7a40qpLt/yZKyiDxAhgz0EtgNdNcb96Z0u+Zyuy2g==", 440 | "license": "MIT", 441 | "dependencies": { 442 | "@octokit/types": "^13.6.2" 443 | }, 444 | "engines": { 445 | "node": ">= 18" 446 | } 447 | }, 448 | "node_modules/@octokit/rest": { 449 | "version": "21.1.1", 450 | "resolved": "https://registry.npmjs.org/@octokit/rest/-/rest-21.1.1.tgz", 451 | "integrity": "sha512-sTQV7va0IUVZcntzy1q3QqPm/r8rWtDCqpRAmb8eXXnKkjoQEtFe3Nt5GTVsHft+R6jJoHeSiVLcgcvhtue/rg==", 452 | "license": "MIT", 453 | "dependencies": { 454 | "@octokit/core": "^6.1.4", 455 | "@octokit/plugin-paginate-rest": "^11.4.2", 456 | "@octokit/plugin-request-log": "^5.3.1", 457 | "@octokit/plugin-rest-endpoint-methods": "^13.3.0" 458 | }, 459 | "engines": { 460 | "node": ">= 18" 461 | } 462 | }, 463 | "node_modules/@octokit/types": { 464 | "version": "13.10.0", 465 | "resolved": "https://registry.npmjs.org/@octokit/types/-/types-13.10.0.tgz", 466 | "integrity": "sha512-ifLaO34EbbPj0Xgro4G5lP5asESjwHracYJvVaPIyXMuiuXLlhic3S47cBdTb+jfODkTE5YtGCLt3Ay3+J97sA==", 467 | "license": "MIT", 468 | "dependencies": { 469 | "@octokit/openapi-types": "^24.2.0" 470 | } 471 | }, 472 | "node_modules/@pkgjs/parseargs": { 473 | "version": "0.11.0", 474 | "resolved": "https://registry.npmjs.org/@pkgjs/parseargs/-/parseargs-0.11.0.tgz", 475 | "integrity": "sha512-+1VkjdD0QBLPodGrJUeqarH8VAIvQODIbwh9XpP5Syisf7YoQgsJKPNFoqqLQlu+VQ/tVSshMR6loPMn8U+dPg==", 476 | "dev": true, 477 | "license": "MIT", 478 | "optional": true, 479 | "engines": { 480 | "node": ">=14" 481 | } 482 | }, 483 | "node_modules/@swc/counter": { 484 | "version": "0.1.3", 485 | "resolved": "https://registry.npmjs.org/@swc/counter/-/counter-0.1.3.tgz", 486 | "integrity": "sha512-e2BR4lsJkkRlKZ/qCHPw9ZaSxc0MVUd7gtbtaB7aMvHeJVYe8sOB8DBZkP2DtISHGSku9sCK6T6cnY0CtXrOCQ==", 487 | "license": "Apache-2.0" 488 | }, 489 | "node_modules/@swc/helpers": { 490 | "version": "0.5.5", 491 | "resolved": "https://registry.npmjs.org/@swc/helpers/-/helpers-0.5.5.tgz", 492 | "integrity": "sha512-KGYxvIOXcceOAbEk4bi/dVLEK9z8sZ0uBB3Il5b1rhfClSpcX0yfRO0KmTkqR2cnQDymwLB+25ZyMzICg/cm/A==", 493 | "license": "Apache-2.0", 494 | "dependencies": { 495 | "@swc/counter": "^0.1.3", 496 | "tslib": "^2.4.0" 497 | } 498 | }, 499 | "node_modules/@types/node": { 500 | "version": "22.13.11", 501 | "resolved": "https://registry.npmjs.org/@types/node/-/node-22.13.11.tgz", 502 | "integrity": "sha512-iEUCUJoU0i3VnrCmgoWCXttklWcvoCIx4jzcP22fioIVSdTmjgoEvmAO/QPw6TcS9k5FrNgn4w7q5lGOd1CT5g==", 503 | "license": "MIT", 504 | "dependencies": { 505 | "undici-types": "~6.20.0" 506 | } 507 | }, 508 | "node_modules/@types/react": { 509 | "version": "19.0.12", 510 | "resolved": "https://registry.npmjs.org/@types/react/-/react-19.0.12.tgz", 511 | "integrity": "sha512-V6Ar115dBDrjbtXSrS+/Oruobc+qVbbUxDFC1RSbRqLt5SYvxxyIDrSC85RWml54g+jfNeEMZhEj7wW07ONQhA==", 512 | "license": "MIT", 513 | "dependencies": { 514 | "csstype": "^3.0.2" 515 | } 516 | }, 517 | "node_modules/@types/react-dom": { 518 | "version": "19.0.4", 519 | "resolved": "https://registry.npmjs.org/@types/react-dom/-/react-dom-19.0.4.tgz", 520 | "integrity": "sha512-4fSQ8vWFkg+TGhePfUzVmat3eC14TXYSsiiDSLI0dVLsrm9gZFABjPy/Qu6TKgl1tq1Bu1yDsuQgY3A3DOjCcg==", 521 | "license": "MIT", 522 | "peerDependencies": { 523 | "@types/react": "^19.0.0" 524 | } 525 | }, 526 | "node_modules/ansi-regex": { 527 | "version": "6.1.0", 528 | "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-6.1.0.tgz", 529 | "integrity": "sha512-7HSX4QQb4CspciLpVFwyRe79O3xsIZDDLER21kERQ71oaPodF8jL725AgJMFAYbooIqolJoRLuM81SpeUkpkvA==", 530 | "dev": true, 531 | "license": "MIT", 532 | "engines": { 533 | "node": ">=12" 534 | }, 535 | "funding": { 536 | "url": "https://github.com/chalk/ansi-regex?sponsor=1" 537 | } 538 | }, 539 | "node_modules/ansi-styles": { 540 | "version": "6.2.1", 541 | "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-6.2.1.tgz", 542 | "integrity": "sha512-bN798gFfQX+viw3R7yrGWRqnrN2oRkEkUjjl4JNn4E8GxxbjtG3FbrEIIY3l8/hrwUwIeCZvi4QuOTP4MErVug==", 543 | "dev": true, 544 | "license": "MIT", 545 | "engines": { 546 | "node": ">=12" 547 | }, 548 | "funding": { 549 | "url": "https://github.com/chalk/ansi-styles?sponsor=1" 550 | } 551 | }, 552 | "node_modules/any-promise": { 553 | "version": "1.3.0", 554 | "resolved": "https://registry.npmjs.org/any-promise/-/any-promise-1.3.0.tgz", 555 | "integrity": "sha512-7UvmKalWRt1wgjL1RrGxoSJW/0QZFIegpeGvZG9kjp8vrRu55XTHbwnqq2GpXm9uLbcuhxm3IqX9OB4MZR1b2A==", 556 | "dev": true, 557 | "license": "MIT" 558 | }, 559 | "node_modules/anymatch": { 560 | "version": "3.1.3", 561 | "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-3.1.3.tgz", 562 | "integrity": "sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==", 563 | "dev": true, 564 | "license": "ISC", 565 | "dependencies": { 566 | "normalize-path": "^3.0.0", 567 | "picomatch": "^2.0.4" 568 | }, 569 | "engines": { 570 | "node": ">= 8" 571 | } 572 | }, 573 | "node_modules/arg": { 574 | "version": "5.0.2", 575 | "resolved": "https://registry.npmjs.org/arg/-/arg-5.0.2.tgz", 576 | "integrity": "sha512-PYjyFOLKQ9y57JvQ6QLo8dAgNqswh8M1RMJYdQduT6xbWSgK36P/Z/v+p888pM69jMMfS8Xd8F6I1kQ/I9HUGg==", 577 | "dev": true, 578 | "license": "MIT" 579 | }, 580 | "node_modules/asynckit": { 581 | "version": "0.4.0", 582 | "resolved": "https://registry.npmjs.org/asynckit/-/asynckit-0.4.0.tgz", 583 | "integrity": "sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q==", 584 | "license": "MIT" 585 | }, 586 | "node_modules/autoprefixer": { 587 | "version": "10.4.21", 588 | "resolved": "https://registry.npmjs.org/autoprefixer/-/autoprefixer-10.4.21.tgz", 589 | "integrity": "sha512-O+A6LWV5LDHSJD3LjHYoNi4VLsj/Whi7k6zG12xTYaU4cQ8oxQGckXNX8cRHK5yOZ/ppVHe0ZBXGzSV9jXdVbQ==", 590 | "dev": true, 591 | "funding": [ 592 | { 593 | "type": "opencollective", 594 | "url": "https://opencollective.com/postcss/" 595 | }, 596 | { 597 | "type": "tidelift", 598 | "url": "https://tidelift.com/funding/github/npm/autoprefixer" 599 | }, 600 | { 601 | "type": "github", 602 | "url": "https://github.com/sponsors/ai" 603 | } 604 | ], 605 | "license": "MIT", 606 | "dependencies": { 607 | "browserslist": "^4.24.4", 608 | "caniuse-lite": "^1.0.30001702", 609 | "fraction.js": "^4.3.7", 610 | "normalize-range": "^0.1.2", 611 | "picocolors": "^1.1.1", 612 | "postcss-value-parser": "^4.2.0" 613 | }, 614 | "bin": { 615 | "autoprefixer": "bin/autoprefixer" 616 | }, 617 | "engines": { 618 | "node": "^10 || ^12 || >=14" 619 | }, 620 | "peerDependencies": { 621 | "postcss": "^8.1.0" 622 | } 623 | }, 624 | "node_modules/axios": { 625 | "version": "1.8.4", 626 | "resolved": "https://registry.npmjs.org/axios/-/axios-1.8.4.tgz", 627 | "integrity": "sha512-eBSYY4Y68NNlHbHBMdeDmKNtDgXWhQsJcGqzO3iLUM0GraQFSS9cVgPX5I9b3lbdFKyYoAEGAZF1DwhTaljNAw==", 628 | "license": "MIT", 629 | "dependencies": { 630 | "follow-redirects": "^1.15.6", 631 | "form-data": "^4.0.0", 632 | "proxy-from-env": "^1.1.0" 633 | } 634 | }, 635 | "node_modules/balanced-match": { 636 | "version": "1.0.2", 637 | "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz", 638 | "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==", 639 | "dev": true, 640 | "license": "MIT" 641 | }, 642 | "node_modules/before-after-hook": { 643 | "version": "3.0.2", 644 | "resolved": "https://registry.npmjs.org/before-after-hook/-/before-after-hook-3.0.2.tgz", 645 | "integrity": "sha512-Nik3Sc0ncrMK4UUdXQmAnRtzmNQTAAXmXIopizwZ1W1t8QmfJj+zL4OA2I7XPTPW5z5TDqv4hRo/JzouDJnX3A==", 646 | "license": "Apache-2.0" 647 | }, 648 | "node_modules/binary-extensions": { 649 | "version": "2.3.0", 650 | "resolved": "https://registry.npmjs.org/binary-extensions/-/binary-extensions-2.3.0.tgz", 651 | "integrity": "sha512-Ceh+7ox5qe7LJuLHoY0feh3pHuUDHAcRUeyL2VYghZwfpkNIy/+8Ocg0a3UuSoYzavmylwuLWQOf3hl0jjMMIw==", 652 | "dev": true, 653 | "license": "MIT", 654 | "engines": { 655 | "node": ">=8" 656 | }, 657 | "funding": { 658 | "url": "https://github.com/sponsors/sindresorhus" 659 | } 660 | }, 661 | "node_modules/brace-expansion": { 662 | "version": "2.0.1", 663 | "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-2.0.1.tgz", 664 | "integrity": "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==", 665 | "dev": true, 666 | "license": "MIT", 667 | "dependencies": { 668 | "balanced-match": "^1.0.0" 669 | } 670 | }, 671 | "node_modules/braces": { 672 | "version": "3.0.3", 673 | "resolved": "https://registry.npmjs.org/braces/-/braces-3.0.3.tgz", 674 | "integrity": "sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA==", 675 | "dev": true, 676 | "license": "MIT", 677 | "dependencies": { 678 | "fill-range": "^7.1.1" 679 | }, 680 | "engines": { 681 | "node": ">=8" 682 | } 683 | }, 684 | "node_modules/browserslist": { 685 | "version": "4.24.4", 686 | "resolved": "https://registry.npmjs.org/browserslist/-/browserslist-4.24.4.tgz", 687 | "integrity": "sha512-KDi1Ny1gSePi1vm0q4oxSF8b4DR44GF4BbmS2YdhPLOEqd8pDviZOGH/GsmRwoWJ2+5Lr085X7naowMwKHDG1A==", 688 | "dev": true, 689 | "funding": [ 690 | { 691 | "type": "opencollective", 692 | "url": "https://opencollective.com/browserslist" 693 | }, 694 | { 695 | "type": "tidelift", 696 | "url": "https://tidelift.com/funding/github/npm/browserslist" 697 | }, 698 | { 699 | "type": "github", 700 | "url": "https://github.com/sponsors/ai" 701 | } 702 | ], 703 | "license": "MIT", 704 | "dependencies": { 705 | "caniuse-lite": "^1.0.30001688", 706 | "electron-to-chromium": "^1.5.73", 707 | "node-releases": "^2.0.19", 708 | "update-browserslist-db": "^1.1.1" 709 | }, 710 | "bin": { 711 | "browserslist": "cli.js" 712 | }, 713 | "engines": { 714 | "node": "^6 || ^7 || ^8 || ^9 || ^10 || ^11 || ^12 || >=13.7" 715 | } 716 | }, 717 | "node_modules/busboy": { 718 | "version": "1.6.0", 719 | "resolved": "https://registry.npmjs.org/busboy/-/busboy-1.6.0.tgz", 720 | "integrity": "sha512-8SFQbg/0hQ9xy3UNTB0YEnsNBbWfhf7RtnzpL7TkBiTBRfrQ9Fxcnz7VJsleJpyp6rVLvXiuORqjlHi5q+PYuA==", 721 | "dependencies": { 722 | "streamsearch": "^1.1.0" 723 | }, 724 | "engines": { 725 | "node": ">=10.16.0" 726 | } 727 | }, 728 | "node_modules/call-bind-apply-helpers": { 729 | "version": "1.0.2", 730 | "resolved": "https://registry.npmjs.org/call-bind-apply-helpers/-/call-bind-apply-helpers-1.0.2.tgz", 731 | "integrity": "sha512-Sp1ablJ0ivDkSzjcaJdxEunN5/XvksFJ2sMBFfq6x0ryhQV/2b/KwFe21cMpmHtPOSij8K99/wSfoEuTObmuMQ==", 732 | "license": "MIT", 733 | "dependencies": { 734 | "es-errors": "^1.3.0", 735 | "function-bind": "^1.1.2" 736 | }, 737 | "engines": { 738 | "node": ">= 0.4" 739 | } 740 | }, 741 | "node_modules/camelcase-css": { 742 | "version": "2.0.1", 743 | "resolved": "https://registry.npmjs.org/camelcase-css/-/camelcase-css-2.0.1.tgz", 744 | "integrity": "sha512-QOSvevhslijgYwRx6Rv7zKdMF8lbRmx+uQGx2+vDc+KI/eBnsy9kit5aj23AgGu3pa4t9AgwbnXWqS+iOY+2aA==", 745 | "dev": true, 746 | "license": "MIT", 747 | "engines": { 748 | "node": ">= 6" 749 | } 750 | }, 751 | "node_modules/caniuse-lite": { 752 | "version": "1.0.30001706", 753 | "resolved": "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001706.tgz", 754 | "integrity": "sha512-3ZczoTApMAZwPKYWmwVbQMFpXBDds3/0VciVoUwPUbldlYyVLmRVuRs/PcUZtHpbLRpzzDvrvnFuREsGt6lUug==", 755 | "funding": [ 756 | { 757 | "type": "opencollective", 758 | "url": "https://opencollective.com/browserslist" 759 | }, 760 | { 761 | "type": "tidelift", 762 | "url": "https://tidelift.com/funding/github/npm/caniuse-lite" 763 | }, 764 | { 765 | "type": "github", 766 | "url": "https://github.com/sponsors/ai" 767 | } 768 | ], 769 | "license": "CC-BY-4.0" 770 | }, 771 | "node_modules/chokidar": { 772 | "version": "3.6.0", 773 | "resolved": "https://registry.npmjs.org/chokidar/-/chokidar-3.6.0.tgz", 774 | "integrity": "sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw==", 775 | "dev": true, 776 | "license": "MIT", 777 | "dependencies": { 778 | "anymatch": "~3.1.2", 779 | "braces": "~3.0.2", 780 | "glob-parent": "~5.1.2", 781 | "is-binary-path": "~2.1.0", 782 | "is-glob": "~4.0.1", 783 | "normalize-path": "~3.0.0", 784 | "readdirp": "~3.6.0" 785 | }, 786 | "engines": { 787 | "node": ">= 8.10.0" 788 | }, 789 | "funding": { 790 | "url": "https://paulmillr.com/funding/" 791 | }, 792 | "optionalDependencies": { 793 | "fsevents": "~2.3.2" 794 | } 795 | }, 796 | "node_modules/chokidar/node_modules/glob-parent": { 797 | "version": "5.1.2", 798 | "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz", 799 | "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==", 800 | "dev": true, 801 | "license": "ISC", 802 | "dependencies": { 803 | "is-glob": "^4.0.1" 804 | }, 805 | "engines": { 806 | "node": ">= 6" 807 | } 808 | }, 809 | "node_modules/client-only": { 810 | "version": "0.0.1", 811 | "resolved": "https://registry.npmjs.org/client-only/-/client-only-0.0.1.tgz", 812 | "integrity": "sha512-IV3Ou0jSMzZrd3pZ48nLkT9DA7Ag1pnPzaiQhpW7c3RbcqqzvzzVu+L8gfqMp/8IM2MQtSiqaCxrrcfu8I8rMA==", 813 | "license": "MIT" 814 | }, 815 | "node_modules/color-convert": { 816 | "version": "2.0.1", 817 | "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", 818 | "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", 819 | "dev": true, 820 | "license": "MIT", 821 | "dependencies": { 822 | "color-name": "~1.1.4" 823 | }, 824 | "engines": { 825 | "node": ">=7.0.0" 826 | } 827 | }, 828 | "node_modules/color-name": { 829 | "version": "1.1.4", 830 | "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz", 831 | "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", 832 | "dev": true, 833 | "license": "MIT" 834 | }, 835 | "node_modules/combined-stream": { 836 | "version": "1.0.8", 837 | "resolved": "https://registry.npmjs.org/combined-stream/-/combined-stream-1.0.8.tgz", 838 | "integrity": "sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==", 839 | "license": "MIT", 840 | "dependencies": { 841 | "delayed-stream": "~1.0.0" 842 | }, 843 | "engines": { 844 | "node": ">= 0.8" 845 | } 846 | }, 847 | "node_modules/commander": { 848 | "version": "4.1.1", 849 | "resolved": "https://registry.npmjs.org/commander/-/commander-4.1.1.tgz", 850 | "integrity": "sha512-NOKm8xhkzAjzFx8B2v5OAHT+u5pRQc2UCa2Vq9jYL/31o2wi9mxBA7LIFs3sV5VSC49z6pEhfbMULvShKj26WA==", 851 | "dev": true, 852 | "license": "MIT", 853 | "engines": { 854 | "node": ">= 6" 855 | } 856 | }, 857 | "node_modules/cross-spawn": { 858 | "version": "7.0.6", 859 | "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.6.tgz", 860 | "integrity": "sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==", 861 | "dev": true, 862 | "license": "MIT", 863 | "dependencies": { 864 | "path-key": "^3.1.0", 865 | "shebang-command": "^2.0.0", 866 | "which": "^2.0.1" 867 | }, 868 | "engines": { 869 | "node": ">= 8" 870 | } 871 | }, 872 | "node_modules/cssesc": { 873 | "version": "3.0.0", 874 | "resolved": "https://registry.npmjs.org/cssesc/-/cssesc-3.0.0.tgz", 875 | "integrity": "sha512-/Tb/JcjK111nNScGob5MNtsntNM1aCNUDipB/TkwZFhyDrrE47SOx/18wF2bbjgc3ZzCSKW1T5nt5EbFoAz/Vg==", 876 | "dev": true, 877 | "license": "MIT", 878 | "bin": { 879 | "cssesc": "bin/cssesc" 880 | }, 881 | "engines": { 882 | "node": ">=4" 883 | } 884 | }, 885 | "node_modules/csstype": { 886 | "version": "3.1.3", 887 | "resolved": "https://registry.npmjs.org/csstype/-/csstype-3.1.3.tgz", 888 | "integrity": "sha512-M1uQkMl8rQK/szD0LNhtqxIPLpimGm8sOBwU7lLnCpSbTyY3yeU1Vc7l4KT5zT4s/yOxHH5O7tIuuLOCnLADRw==", 889 | "license": "MIT" 890 | }, 891 | "node_modules/data-uri-to-buffer": { 892 | "version": "4.0.1", 893 | "resolved": "https://registry.npmjs.org/data-uri-to-buffer/-/data-uri-to-buffer-4.0.1.tgz", 894 | "integrity": "sha512-0R9ikRb668HB7QDxT1vkpuUBtqc53YyAwMwGeUFKRojY/NWKvdZ+9UYtRfGmhqNbRkTSVpMbmyhXipFFv2cb/A==", 895 | "license": "MIT", 896 | "engines": { 897 | "node": ">= 12" 898 | } 899 | }, 900 | "node_modules/debug": { 901 | "version": "4.4.0", 902 | "resolved": "https://registry.npmjs.org/debug/-/debug-4.4.0.tgz", 903 | "integrity": "sha512-6WTZ/IxCY/T6BALoZHaE4ctp9xm+Z5kY/pzYaCHRFeyVhojxlrm+46y68HA6hr0TcwEssoxNiDEUJQjfPZ/RYA==", 904 | "license": "MIT", 905 | "dependencies": { 906 | "ms": "^2.1.3" 907 | }, 908 | "engines": { 909 | "node": ">=6.0" 910 | }, 911 | "peerDependenciesMeta": { 912 | "supports-color": { 913 | "optional": true 914 | } 915 | } 916 | }, 917 | "node_modules/delayed-stream": { 918 | "version": "1.0.0", 919 | "resolved": "https://registry.npmjs.org/delayed-stream/-/delayed-stream-1.0.0.tgz", 920 | "integrity": "sha512-ZySD7Nf91aLB0RxL4KGrKHBXl7Eds1DAmEdcoVawXnLD7SDhpNgtuII2aAkg7a7QS41jxPSZ17p4VdGnMHk3MQ==", 921 | "license": "MIT", 922 | "engines": { 923 | "node": ">=0.4.0" 924 | } 925 | }, 926 | "node_modules/didyoumean": { 927 | "version": "1.2.2", 928 | "resolved": "https://registry.npmjs.org/didyoumean/-/didyoumean-1.2.2.tgz", 929 | "integrity": "sha512-gxtyfqMg7GKyhQmb056K7M3xszy/myH8w+B4RT+QXBQsvAOdc3XymqDDPHx1BgPgsdAA5SIifona89YtRATDzw==", 930 | "dev": true, 931 | "license": "Apache-2.0" 932 | }, 933 | "node_modules/dlv": { 934 | "version": "1.1.3", 935 | "resolved": "https://registry.npmjs.org/dlv/-/dlv-1.1.3.tgz", 936 | "integrity": "sha512-+HlytyjlPKnIG8XuRG8WvmBP8xs8P71y+SKKS6ZXWoEgLuePxtDoUEiH7WkdePWrQ5JBpE6aoVqfZfJUQkjXwA==", 937 | "dev": true, 938 | "license": "MIT" 939 | }, 940 | "node_modules/dotenv": { 941 | "version": "16.4.7", 942 | "resolved": "https://registry.npmjs.org/dotenv/-/dotenv-16.4.7.tgz", 943 | "integrity": "sha512-47qPchRCykZC03FhkYAhrvwU4xDBFIj1QPqaarj6mdM/hgUzfPHcpkHJOn3mJAufFeeAxAzeGsr5X0M4k6fLZQ==", 944 | "license": "BSD-2-Clause", 945 | "engines": { 946 | "node": ">=12" 947 | }, 948 | "funding": { 949 | "url": "https://dotenvx.com" 950 | } 951 | }, 952 | "node_modules/dotenv-flow": { 953 | "version": "4.1.0", 954 | "resolved": "https://registry.npmjs.org/dotenv-flow/-/dotenv-flow-4.1.0.tgz", 955 | "integrity": "sha512-0cwP9jpQBQfyHwvE0cRhraZMkdV45TQedA8AAUZMsFzvmLcQyc1HPv+oX0OOYwLFjIlvgVepQ+WuQHbqDaHJZg==", 956 | "license": "MIT", 957 | "dependencies": { 958 | "dotenv": "^16.0.0" 959 | }, 960 | "engines": { 961 | "node": ">= 12.0.0" 962 | } 963 | }, 964 | "node_modules/dunder-proto": { 965 | "version": "1.0.1", 966 | "resolved": "https://registry.npmjs.org/dunder-proto/-/dunder-proto-1.0.1.tgz", 967 | "integrity": "sha512-KIN/nDJBQRcXw0MLVhZE9iQHmG68qAVIBg9CqmUYjmQIhgij9U5MFvrqkUL5FbtyyzZuOeOt0zdeRe4UY7ct+A==", 968 | "license": "MIT", 969 | "dependencies": { 970 | "call-bind-apply-helpers": "^1.0.1", 971 | "es-errors": "^1.3.0", 972 | "gopd": "^1.2.0" 973 | }, 974 | "engines": { 975 | "node": ">= 0.4" 976 | } 977 | }, 978 | "node_modules/eastasianwidth": { 979 | "version": "0.2.0", 980 | "resolved": "https://registry.npmjs.org/eastasianwidth/-/eastasianwidth-0.2.0.tgz", 981 | "integrity": "sha512-I88TYZWc9XiYHRQ4/3c5rjjfgkjhLyW2luGIheGERbNQ6OY7yTybanSpDXZa8y7VUP9YmDcYa+eyq4ca7iLqWA==", 982 | "dev": true, 983 | "license": "MIT" 984 | }, 985 | "node_modules/electron-to-chromium": { 986 | "version": "1.5.123", 987 | "resolved": "https://registry.npmjs.org/electron-to-chromium/-/electron-to-chromium-1.5.123.tgz", 988 | "integrity": "sha512-refir3NlutEZqlKaBLK0tzlVLe5P2wDKS7UQt/3SpibizgsRAPOsqQC3ffw1nlv3ze5gjRQZYHoPymgVZkplFA==", 989 | "dev": true, 990 | "license": "ISC" 991 | }, 992 | "node_modules/emoji-regex": { 993 | "version": "9.2.2", 994 | "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-9.2.2.tgz", 995 | "integrity": "sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==", 996 | "dev": true, 997 | "license": "MIT" 998 | }, 999 | "node_modules/es-define-property": { 1000 | "version": "1.0.1", 1001 | "resolved": "https://registry.npmjs.org/es-define-property/-/es-define-property-1.0.1.tgz", 1002 | "integrity": "sha512-e3nRfgfUZ4rNGL232gUgX06QNyyez04KdjFrF+LTRoOXmrOgFKDg4BCdsjW8EnT69eqdYGmRpJwiPVYNrCaW3g==", 1003 | "license": "MIT", 1004 | "engines": { 1005 | "node": ">= 0.4" 1006 | } 1007 | }, 1008 | "node_modules/es-errors": { 1009 | "version": "1.3.0", 1010 | "resolved": "https://registry.npmjs.org/es-errors/-/es-errors-1.3.0.tgz", 1011 | "integrity": "sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==", 1012 | "license": "MIT", 1013 | "engines": { 1014 | "node": ">= 0.4" 1015 | } 1016 | }, 1017 | "node_modules/es-object-atoms": { 1018 | "version": "1.1.1", 1019 | "resolved": "https://registry.npmjs.org/es-object-atoms/-/es-object-atoms-1.1.1.tgz", 1020 | "integrity": "sha512-FGgH2h8zKNim9ljj7dankFPcICIK9Cp5bm+c2gQSYePhpaG5+esrLODihIorn+Pe6FGJzWhXQotPv73jTaldXA==", 1021 | "license": "MIT", 1022 | "dependencies": { 1023 | "es-errors": "^1.3.0" 1024 | }, 1025 | "engines": { 1026 | "node": ">= 0.4" 1027 | } 1028 | }, 1029 | "node_modules/es-set-tostringtag": { 1030 | "version": "2.1.0", 1031 | "resolved": "https://registry.npmjs.org/es-set-tostringtag/-/es-set-tostringtag-2.1.0.tgz", 1032 | "integrity": "sha512-j6vWzfrGVfyXxge+O0x5sh6cvxAog0a/4Rdd2K36zCMV5eJ+/+tOAngRO8cODMNWbVRdVlmGZQL2YS3yR8bIUA==", 1033 | "license": "MIT", 1034 | "dependencies": { 1035 | "es-errors": "^1.3.0", 1036 | "get-intrinsic": "^1.2.6", 1037 | "has-tostringtag": "^1.0.2", 1038 | "hasown": "^2.0.2" 1039 | }, 1040 | "engines": { 1041 | "node": ">= 0.4" 1042 | } 1043 | }, 1044 | "node_modules/escalade": { 1045 | "version": "3.2.0", 1046 | "resolved": "https://registry.npmjs.org/escalade/-/escalade-3.2.0.tgz", 1047 | "integrity": "sha512-WUj2qlxaQtO4g6Pq5c29GTcWGDyd8itL8zTlipgECz3JesAiiOKotd8JU6otB3PACgG6xkJUyVhboMS+bje/jA==", 1048 | "dev": true, 1049 | "license": "MIT", 1050 | "engines": { 1051 | "node": ">=6" 1052 | } 1053 | }, 1054 | "node_modules/fast-content-type-parse": { 1055 | "version": "2.0.1", 1056 | "resolved": "https://registry.npmjs.org/fast-content-type-parse/-/fast-content-type-parse-2.0.1.tgz", 1057 | "integrity": "sha512-nGqtvLrj5w0naR6tDPfB4cUmYCqouzyQiz6C5y/LtcDllJdrcc6WaWW6iXyIIOErTa/XRybj28aasdn4LkVk6Q==", 1058 | "funding": [ 1059 | { 1060 | "type": "github", 1061 | "url": "https://github.com/sponsors/fastify" 1062 | }, 1063 | { 1064 | "type": "opencollective", 1065 | "url": "https://opencollective.com/fastify" 1066 | } 1067 | ], 1068 | "license": "MIT" 1069 | }, 1070 | "node_modules/fast-glob": { 1071 | "version": "3.3.3", 1072 | "resolved": "https://registry.npmjs.org/fast-glob/-/fast-glob-3.3.3.tgz", 1073 | "integrity": "sha512-7MptL8U0cqcFdzIzwOTHoilX9x5BrNqye7Z/LuC7kCMRio1EMSyqRK3BEAUD7sXRq4iT4AzTVuZdhgQ2TCvYLg==", 1074 | "dev": true, 1075 | "license": "MIT", 1076 | "dependencies": { 1077 | "@nodelib/fs.stat": "^2.0.2", 1078 | "@nodelib/fs.walk": "^1.2.3", 1079 | "glob-parent": "^5.1.2", 1080 | "merge2": "^1.3.0", 1081 | "micromatch": "^4.0.8" 1082 | }, 1083 | "engines": { 1084 | "node": ">=8.6.0" 1085 | } 1086 | }, 1087 | "node_modules/fast-glob/node_modules/glob-parent": { 1088 | "version": "5.1.2", 1089 | "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz", 1090 | "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==", 1091 | "dev": true, 1092 | "license": "ISC", 1093 | "dependencies": { 1094 | "is-glob": "^4.0.1" 1095 | }, 1096 | "engines": { 1097 | "node": ">= 6" 1098 | } 1099 | }, 1100 | "node_modules/fastq": { 1101 | "version": "1.19.1", 1102 | "resolved": "https://registry.npmjs.org/fastq/-/fastq-1.19.1.tgz", 1103 | "integrity": "sha512-GwLTyxkCXjXbxqIhTsMI2Nui8huMPtnxg7krajPJAjnEG/iiOS7i+zCtWGZR9G0NBKbXKh6X9m9UIsYX/N6vvQ==", 1104 | "dev": true, 1105 | "license": "ISC", 1106 | "dependencies": { 1107 | "reusify": "^1.0.4" 1108 | } 1109 | }, 1110 | "node_modules/fetch-blob": { 1111 | "version": "3.2.0", 1112 | "resolved": "https://registry.npmjs.org/fetch-blob/-/fetch-blob-3.2.0.tgz", 1113 | "integrity": "sha512-7yAQpD2UMJzLi1Dqv7qFYnPbaPx7ZfFK6PiIxQ4PfkGPyNyl2Ugx+a/umUonmKqjhM4DnfbMvdX6otXq83soQQ==", 1114 | "funding": [ 1115 | { 1116 | "type": "github", 1117 | "url": "https://github.com/sponsors/jimmywarting" 1118 | }, 1119 | { 1120 | "type": "paypal", 1121 | "url": "https://paypal.me/jimmywarting" 1122 | } 1123 | ], 1124 | "license": "MIT", 1125 | "dependencies": { 1126 | "node-domexception": "^1.0.0", 1127 | "web-streams-polyfill": "^3.0.3" 1128 | }, 1129 | "engines": { 1130 | "node": "^12.20 || >= 14.13" 1131 | } 1132 | }, 1133 | "node_modules/fill-range": { 1134 | "version": "7.1.1", 1135 | "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.1.1.tgz", 1136 | "integrity": "sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg==", 1137 | "dev": true, 1138 | "license": "MIT", 1139 | "dependencies": { 1140 | "to-regex-range": "^5.0.1" 1141 | }, 1142 | "engines": { 1143 | "node": ">=8" 1144 | } 1145 | }, 1146 | "node_modules/follow-redirects": { 1147 | "version": "1.15.9", 1148 | "resolved": "https://registry.npmjs.org/follow-redirects/-/follow-redirects-1.15.9.tgz", 1149 | "integrity": "sha512-gew4GsXizNgdoRyqmyfMHyAmXsZDk6mHkSxZFCzW9gwlbtOW44CDtYavM+y+72qD/Vq2l550kMF52DT8fOLJqQ==", 1150 | "funding": [ 1151 | { 1152 | "type": "individual", 1153 | "url": "https://github.com/sponsors/RubenVerborgh" 1154 | } 1155 | ], 1156 | "license": "MIT", 1157 | "engines": { 1158 | "node": ">=4.0" 1159 | }, 1160 | "peerDependenciesMeta": { 1161 | "debug": { 1162 | "optional": true 1163 | } 1164 | } 1165 | }, 1166 | "node_modules/foreground-child": { 1167 | "version": "3.3.1", 1168 | "resolved": "https://registry.npmjs.org/foreground-child/-/foreground-child-3.3.1.tgz", 1169 | "integrity": "sha512-gIXjKqtFuWEgzFRJA9WCQeSJLZDjgJUOMCMzxtvFq/37KojM1BFGufqsCy0r4qSQmYLsZYMeyRqzIWOMup03sw==", 1170 | "dev": true, 1171 | "license": "ISC", 1172 | "dependencies": { 1173 | "cross-spawn": "^7.0.6", 1174 | "signal-exit": "^4.0.1" 1175 | }, 1176 | "engines": { 1177 | "node": ">=14" 1178 | }, 1179 | "funding": { 1180 | "url": "https://github.com/sponsors/isaacs" 1181 | } 1182 | }, 1183 | "node_modules/form-data": { 1184 | "version": "4.0.2", 1185 | "resolved": "https://registry.npmjs.org/form-data/-/form-data-4.0.2.tgz", 1186 | "integrity": "sha512-hGfm/slu0ZabnNt4oaRZ6uREyfCj6P4fT/n6A1rGV+Z0VdGXjfOhVUpkn6qVQONHGIFwmveGXyDs75+nr6FM8w==", 1187 | "license": "MIT", 1188 | "dependencies": { 1189 | "asynckit": "^0.4.0", 1190 | "combined-stream": "^1.0.8", 1191 | "es-set-tostringtag": "^2.1.0", 1192 | "mime-types": "^2.1.12" 1193 | }, 1194 | "engines": { 1195 | "node": ">= 6" 1196 | } 1197 | }, 1198 | "node_modules/formdata-polyfill": { 1199 | "version": "4.0.10", 1200 | "resolved": "https://registry.npmjs.org/formdata-polyfill/-/formdata-polyfill-4.0.10.tgz", 1201 | "integrity": "sha512-buewHzMvYL29jdeQTVILecSaZKnt/RJWjoZCF5OW60Z67/GmSLBkOFM7qh1PI3zFNtJbaZL5eQu1vLfazOwj4g==", 1202 | "license": "MIT", 1203 | "dependencies": { 1204 | "fetch-blob": "^3.1.2" 1205 | }, 1206 | "engines": { 1207 | "node": ">=12.20.0" 1208 | } 1209 | }, 1210 | "node_modules/fraction.js": { 1211 | "version": "4.3.7", 1212 | "resolved": "https://registry.npmjs.org/fraction.js/-/fraction.js-4.3.7.tgz", 1213 | "integrity": "sha512-ZsDfxO51wGAXREY55a7la9LScWpwv9RxIrYABrlvOFBlH/ShPnrtsXeuUIfXKKOVicNxQ+o8JTbJvjS4M89yew==", 1214 | "dev": true, 1215 | "license": "MIT", 1216 | "engines": { 1217 | "node": "*" 1218 | }, 1219 | "funding": { 1220 | "type": "patreon", 1221 | "url": "https://github.com/sponsors/rawify" 1222 | } 1223 | }, 1224 | "node_modules/fsevents": { 1225 | "version": "2.3.3", 1226 | "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.3.tgz", 1227 | "integrity": "sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==", 1228 | "dev": true, 1229 | "hasInstallScript": true, 1230 | "license": "MIT", 1231 | "optional": true, 1232 | "os": [ 1233 | "darwin" 1234 | ], 1235 | "engines": { 1236 | "node": "^8.16.0 || ^10.6.0 || >=11.0.0" 1237 | } 1238 | }, 1239 | "node_modules/function-bind": { 1240 | "version": "1.1.2", 1241 | "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.2.tgz", 1242 | "integrity": "sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==", 1243 | "license": "MIT", 1244 | "funding": { 1245 | "url": "https://github.com/sponsors/ljharb" 1246 | } 1247 | }, 1248 | "node_modules/get-intrinsic": { 1249 | "version": "1.3.0", 1250 | "resolved": "https://registry.npmjs.org/get-intrinsic/-/get-intrinsic-1.3.0.tgz", 1251 | "integrity": "sha512-9fSjSaos/fRIVIp+xSJlE6lfwhES7LNtKaCBIamHsjr2na1BiABJPo0mOjjz8GJDURarmCPGqaiVg5mfjb98CQ==", 1252 | "license": "MIT", 1253 | "dependencies": { 1254 | "call-bind-apply-helpers": "^1.0.2", 1255 | "es-define-property": "^1.0.1", 1256 | "es-errors": "^1.3.0", 1257 | "es-object-atoms": "^1.1.1", 1258 | "function-bind": "^1.1.2", 1259 | "get-proto": "^1.0.1", 1260 | "gopd": "^1.2.0", 1261 | "has-symbols": "^1.1.0", 1262 | "hasown": "^2.0.2", 1263 | "math-intrinsics": "^1.1.0" 1264 | }, 1265 | "engines": { 1266 | "node": ">= 0.4" 1267 | }, 1268 | "funding": { 1269 | "url": "https://github.com/sponsors/ljharb" 1270 | } 1271 | }, 1272 | "node_modules/get-proto": { 1273 | "version": "1.0.1", 1274 | "resolved": "https://registry.npmjs.org/get-proto/-/get-proto-1.0.1.tgz", 1275 | "integrity": "sha512-sTSfBjoXBp89JvIKIefqw7U2CCebsc74kiY6awiGogKtoSGbgjYE/G/+l9sF3MWFPNc9IcoOC4ODfKHfxFmp0g==", 1276 | "license": "MIT", 1277 | "dependencies": { 1278 | "dunder-proto": "^1.0.1", 1279 | "es-object-atoms": "^1.0.0" 1280 | }, 1281 | "engines": { 1282 | "node": ">= 0.4" 1283 | } 1284 | }, 1285 | "node_modules/glob": { 1286 | "version": "10.4.5", 1287 | "resolved": "https://registry.npmjs.org/glob/-/glob-10.4.5.tgz", 1288 | "integrity": "sha512-7Bv8RF0k6xjo7d4A/PxYLbUCfb6c+Vpd2/mB2yRDlew7Jb5hEXiCD9ibfO7wpk8i4sevK6DFny9h7EYbM3/sHg==", 1289 | "dev": true, 1290 | "license": "ISC", 1291 | "dependencies": { 1292 | "foreground-child": "^3.1.0", 1293 | "jackspeak": "^3.1.2", 1294 | "minimatch": "^9.0.4", 1295 | "minipass": "^7.1.2", 1296 | "package-json-from-dist": "^1.0.0", 1297 | "path-scurry": "^1.11.1" 1298 | }, 1299 | "bin": { 1300 | "glob": "dist/esm/bin.mjs" 1301 | }, 1302 | "funding": { 1303 | "url": "https://github.com/sponsors/isaacs" 1304 | } 1305 | }, 1306 | "node_modules/glob-parent": { 1307 | "version": "6.0.2", 1308 | "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-6.0.2.tgz", 1309 | "integrity": "sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==", 1310 | "dev": true, 1311 | "license": "ISC", 1312 | "dependencies": { 1313 | "is-glob": "^4.0.3" 1314 | }, 1315 | "engines": { 1316 | "node": ">=10.13.0" 1317 | } 1318 | }, 1319 | "node_modules/gopd": { 1320 | "version": "1.2.0", 1321 | "resolved": "https://registry.npmjs.org/gopd/-/gopd-1.2.0.tgz", 1322 | "integrity": "sha512-ZUKRh6/kUFoAiTAtTYPZJ3hw9wNxx+BIBOijnlG9PnrJsCcSjs1wyyD6vJpaYtgnzDrKYRSqf3OO6Rfa93xsRg==", 1323 | "license": "MIT", 1324 | "engines": { 1325 | "node": ">= 0.4" 1326 | }, 1327 | "funding": { 1328 | "url": "https://github.com/sponsors/ljharb" 1329 | } 1330 | }, 1331 | "node_modules/graceful-fs": { 1332 | "version": "4.2.11", 1333 | "resolved": "https://registry.npmjs.org/graceful-fs/-/graceful-fs-4.2.11.tgz", 1334 | "integrity": "sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==", 1335 | "license": "ISC" 1336 | }, 1337 | "node_modules/has-symbols": { 1338 | "version": "1.1.0", 1339 | "resolved": "https://registry.npmjs.org/has-symbols/-/has-symbols-1.1.0.tgz", 1340 | "integrity": "sha512-1cDNdwJ2Jaohmb3sg4OmKaMBwuC48sYni5HUw2DvsC8LjGTLK9h+eb1X6RyuOHe4hT0ULCW68iomhjUoKUqlPQ==", 1341 | "license": "MIT", 1342 | "engines": { 1343 | "node": ">= 0.4" 1344 | }, 1345 | "funding": { 1346 | "url": "https://github.com/sponsors/ljharb" 1347 | } 1348 | }, 1349 | "node_modules/has-tostringtag": { 1350 | "version": "1.0.2", 1351 | "resolved": "https://registry.npmjs.org/has-tostringtag/-/has-tostringtag-1.0.2.tgz", 1352 | "integrity": "sha512-NqADB8VjPFLM2V0VvHUewwwsw0ZWBaIdgo+ieHtK3hasLz4qeCRjYcqfB6AQrBggRKppKF8L52/VqdVsO47Dlw==", 1353 | "license": "MIT", 1354 | "dependencies": { 1355 | "has-symbols": "^1.0.3" 1356 | }, 1357 | "engines": { 1358 | "node": ">= 0.4" 1359 | }, 1360 | "funding": { 1361 | "url": "https://github.com/sponsors/ljharb" 1362 | } 1363 | }, 1364 | "node_modules/hasown": { 1365 | "version": "2.0.2", 1366 | "resolved": "https://registry.npmjs.org/hasown/-/hasown-2.0.2.tgz", 1367 | "integrity": "sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==", 1368 | "license": "MIT", 1369 | "dependencies": { 1370 | "function-bind": "^1.1.2" 1371 | }, 1372 | "engines": { 1373 | "node": ">= 0.4" 1374 | } 1375 | }, 1376 | "node_modules/is-binary-path": { 1377 | "version": "2.1.0", 1378 | "resolved": "https://registry.npmjs.org/is-binary-path/-/is-binary-path-2.1.0.tgz", 1379 | "integrity": "sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==", 1380 | "dev": true, 1381 | "license": "MIT", 1382 | "dependencies": { 1383 | "binary-extensions": "^2.0.0" 1384 | }, 1385 | "engines": { 1386 | "node": ">=8" 1387 | } 1388 | }, 1389 | "node_modules/is-core-module": { 1390 | "version": "2.16.1", 1391 | "resolved": "https://registry.npmjs.org/is-core-module/-/is-core-module-2.16.1.tgz", 1392 | "integrity": "sha512-UfoeMA6fIJ8wTYFEUjelnaGI67v6+N7qXJEvQuIGa99l4xsCruSYOVSQ0uPANn4dAzm8lkYPaKLrrijLq7x23w==", 1393 | "dev": true, 1394 | "license": "MIT", 1395 | "dependencies": { 1396 | "hasown": "^2.0.2" 1397 | }, 1398 | "engines": { 1399 | "node": ">= 0.4" 1400 | }, 1401 | "funding": { 1402 | "url": "https://github.com/sponsors/ljharb" 1403 | } 1404 | }, 1405 | "node_modules/is-extglob": { 1406 | "version": "2.1.1", 1407 | "resolved": "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz", 1408 | "integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==", 1409 | "dev": true, 1410 | "license": "MIT", 1411 | "engines": { 1412 | "node": ">=0.10.0" 1413 | } 1414 | }, 1415 | "node_modules/is-fullwidth-code-point": { 1416 | "version": "3.0.0", 1417 | "resolved": "https://registry.npmjs.org/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", 1418 | "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", 1419 | "dev": true, 1420 | "license": "MIT", 1421 | "engines": { 1422 | "node": ">=8" 1423 | } 1424 | }, 1425 | "node_modules/is-glob": { 1426 | "version": "4.0.3", 1427 | "resolved": "https://registry.npmjs.org/is-glob/-/is-glob-4.0.3.tgz", 1428 | "integrity": "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==", 1429 | "dev": true, 1430 | "license": "MIT", 1431 | "dependencies": { 1432 | "is-extglob": "^2.1.1" 1433 | }, 1434 | "engines": { 1435 | "node": ">=0.10.0" 1436 | } 1437 | }, 1438 | "node_modules/is-number": { 1439 | "version": "7.0.0", 1440 | "resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz", 1441 | "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==", 1442 | "dev": true, 1443 | "license": "MIT", 1444 | "engines": { 1445 | "node": ">=0.12.0" 1446 | } 1447 | }, 1448 | "node_modules/isexe": { 1449 | "version": "2.0.0", 1450 | "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz", 1451 | "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==", 1452 | "dev": true, 1453 | "license": "ISC" 1454 | }, 1455 | "node_modules/jackspeak": { 1456 | "version": "3.4.3", 1457 | "resolved": "https://registry.npmjs.org/jackspeak/-/jackspeak-3.4.3.tgz", 1458 | "integrity": "sha512-OGlZQpz2yfahA/Rd1Y8Cd9SIEsqvXkLVoSw/cgwhnhFMDbsQFeZYoJJ7bIZBS9BcamUW96asq/npPWugM+RQBw==", 1459 | "dev": true, 1460 | "license": "BlueOak-1.0.0", 1461 | "dependencies": { 1462 | "@isaacs/cliui": "^8.0.2" 1463 | }, 1464 | "funding": { 1465 | "url": "https://github.com/sponsors/isaacs" 1466 | }, 1467 | "optionalDependencies": { 1468 | "@pkgjs/parseargs": "^0.11.0" 1469 | } 1470 | }, 1471 | "node_modules/jiti": { 1472 | "version": "1.21.7", 1473 | "resolved": "https://registry.npmjs.org/jiti/-/jiti-1.21.7.tgz", 1474 | "integrity": "sha512-/imKNG4EbWNrVjoNC/1H5/9GFy+tqjGBHCaSsN+P2RnPqjsLmv6UD3Ej+Kj8nBWaRAwyk7kK5ZUc+OEatnTR3A==", 1475 | "dev": true, 1476 | "license": "MIT", 1477 | "bin": { 1478 | "jiti": "bin/jiti.js" 1479 | } 1480 | }, 1481 | "node_modules/js-tokens": { 1482 | "version": "4.0.0", 1483 | "resolved": "https://registry.npmjs.org/js-tokens/-/js-tokens-4.0.0.tgz", 1484 | "integrity": "sha512-RdJUflcE3cUzKiMqQgsCu06FPu9UdIJO0beYbPhHN4k6apgJtifcoCtT9bcxOpYBtpD2kCM6Sbzg4CausW/PKQ==", 1485 | "license": "MIT" 1486 | }, 1487 | "node_modules/lilconfig": { 1488 | "version": "3.1.3", 1489 | "resolved": "https://registry.npmjs.org/lilconfig/-/lilconfig-3.1.3.tgz", 1490 | "integrity": "sha512-/vlFKAoH5Cgt3Ie+JLhRbwOsCQePABiU3tJ1egGvyQ+33R/vcwM2Zl2QR/LzjsBeItPt3oSVXapn+m4nQDvpzw==", 1491 | "dev": true, 1492 | "license": "MIT", 1493 | "engines": { 1494 | "node": ">=14" 1495 | }, 1496 | "funding": { 1497 | "url": "https://github.com/sponsors/antonk52" 1498 | } 1499 | }, 1500 | "node_modules/lines-and-columns": { 1501 | "version": "1.2.4", 1502 | "resolved": "https://registry.npmjs.org/lines-and-columns/-/lines-and-columns-1.2.4.tgz", 1503 | "integrity": "sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg==", 1504 | "dev": true, 1505 | "license": "MIT" 1506 | }, 1507 | "node_modules/loose-envify": { 1508 | "version": "1.4.0", 1509 | "resolved": "https://registry.npmjs.org/loose-envify/-/loose-envify-1.4.0.tgz", 1510 | "integrity": "sha512-lyuxPGr/Wfhrlem2CL/UcnUc1zcqKAImBDzukY7Y5F/yQiNdko6+fRLevlw1HgMySw7f611UIY408EtxRSoK3Q==", 1511 | "license": "MIT", 1512 | "dependencies": { 1513 | "js-tokens": "^3.0.0 || ^4.0.0" 1514 | }, 1515 | "bin": { 1516 | "loose-envify": "cli.js" 1517 | } 1518 | }, 1519 | "node_modules/lru-cache": { 1520 | "version": "10.4.3", 1521 | "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-10.4.3.tgz", 1522 | "integrity": "sha512-JNAzZcXrCt42VGLuYz0zfAzDfAvJWW6AfYlDBQyDV5DClI2m5sAmK+OIO7s59XfsRsWHp02jAJrRadPRGTt6SQ==", 1523 | "dev": true, 1524 | "license": "ISC" 1525 | }, 1526 | "node_modules/math-intrinsics": { 1527 | "version": "1.1.0", 1528 | "resolved": "https://registry.npmjs.org/math-intrinsics/-/math-intrinsics-1.1.0.tgz", 1529 | "integrity": "sha512-/IXtbwEk5HTPyEwyKX6hGkYXxM9nbj64B+ilVJnC/R6B0pH5G4V3b0pVbL7DBj4tkhBAppbQUlf6F6Xl9LHu1g==", 1530 | "license": "MIT", 1531 | "engines": { 1532 | "node": ">= 0.4" 1533 | } 1534 | }, 1535 | "node_modules/merge2": { 1536 | "version": "1.4.1", 1537 | "resolved": "https://registry.npmjs.org/merge2/-/merge2-1.4.1.tgz", 1538 | "integrity": "sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==", 1539 | "dev": true, 1540 | "license": "MIT", 1541 | "engines": { 1542 | "node": ">= 8" 1543 | } 1544 | }, 1545 | "node_modules/micromatch": { 1546 | "version": "4.0.8", 1547 | "resolved": "https://registry.npmjs.org/micromatch/-/micromatch-4.0.8.tgz", 1548 | "integrity": "sha512-PXwfBhYu0hBCPw8Dn0E+WDYb7af3dSLVWKi3HGv84IdF4TyFoC0ysxFd0Goxw7nSv4T/PzEJQxsYsEiFCKo2BA==", 1549 | "dev": true, 1550 | "license": "MIT", 1551 | "dependencies": { 1552 | "braces": "^3.0.3", 1553 | "picomatch": "^2.3.1" 1554 | }, 1555 | "engines": { 1556 | "node": ">=8.6" 1557 | } 1558 | }, 1559 | "node_modules/mime-db": { 1560 | "version": "1.52.0", 1561 | "resolved": "https://registry.npmjs.org/mime-db/-/mime-db-1.52.0.tgz", 1562 | "integrity": "sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==", 1563 | "license": "MIT", 1564 | "engines": { 1565 | "node": ">= 0.6" 1566 | } 1567 | }, 1568 | "node_modules/mime-types": { 1569 | "version": "2.1.35", 1570 | "resolved": "https://registry.npmjs.org/mime-types/-/mime-types-2.1.35.tgz", 1571 | "integrity": "sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==", 1572 | "license": "MIT", 1573 | "dependencies": { 1574 | "mime-db": "1.52.0" 1575 | }, 1576 | "engines": { 1577 | "node": ">= 0.6" 1578 | } 1579 | }, 1580 | "node_modules/minimatch": { 1581 | "version": "9.0.5", 1582 | "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-9.0.5.tgz", 1583 | "integrity": "sha512-G6T0ZX48xgozx7587koeX9Ys2NYy6Gmv//P89sEte9V9whIapMNF4idKxnW2QtCcLiTWlb/wfCabAtAFWhhBow==", 1584 | "dev": true, 1585 | "license": "ISC", 1586 | "dependencies": { 1587 | "brace-expansion": "^2.0.1" 1588 | }, 1589 | "engines": { 1590 | "node": ">=16 || 14 >=14.17" 1591 | }, 1592 | "funding": { 1593 | "url": "https://github.com/sponsors/isaacs" 1594 | } 1595 | }, 1596 | "node_modules/minipass": { 1597 | "version": "7.1.2", 1598 | "resolved": "https://registry.npmjs.org/minipass/-/minipass-7.1.2.tgz", 1599 | "integrity": "sha512-qOOzS1cBTWYF4BH8fVePDBOO9iptMnGUEZwNc/cMWnTV2nVLZ7VoNWEPHkYczZA0pdoA7dl6e7FL659nX9S2aw==", 1600 | "dev": true, 1601 | "license": "ISC", 1602 | "engines": { 1603 | "node": ">=16 || 14 >=14.17" 1604 | } 1605 | }, 1606 | "node_modules/ms": { 1607 | "version": "2.1.3", 1608 | "resolved": "https://registry.npmjs.org/ms/-/ms-2.1.3.tgz", 1609 | "integrity": "sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==", 1610 | "license": "MIT" 1611 | }, 1612 | "node_modules/mz": { 1613 | "version": "2.7.0", 1614 | "resolved": "https://registry.npmjs.org/mz/-/mz-2.7.0.tgz", 1615 | "integrity": "sha512-z81GNO7nnYMEhrGh9LeymoE4+Yr0Wn5McHIZMK5cfQCl+NDX08sCZgUc9/6MHni9IWuFLm1Z3HTCXu2z9fN62Q==", 1616 | "dev": true, 1617 | "license": "MIT", 1618 | "dependencies": { 1619 | "any-promise": "^1.0.0", 1620 | "object-assign": "^4.0.1", 1621 | "thenify-all": "^1.0.0" 1622 | } 1623 | }, 1624 | "node_modules/nanoid": { 1625 | "version": "3.3.11", 1626 | "resolved": "https://registry.npmjs.org/nanoid/-/nanoid-3.3.11.tgz", 1627 | "integrity": "sha512-N8SpfPUnUp1bK+PMYW8qSWdl9U+wwNWI4QKxOYDy9JAro3WMX7p2OeVRF9v+347pnakNevPmiHhNmZ2HbFA76w==", 1628 | "funding": [ 1629 | { 1630 | "type": "github", 1631 | "url": "https://github.com/sponsors/ai" 1632 | } 1633 | ], 1634 | "license": "MIT", 1635 | "bin": { 1636 | "nanoid": "bin/nanoid.cjs" 1637 | }, 1638 | "engines": { 1639 | "node": "^10 || ^12 || ^13.7 || ^14 || >=15.0.1" 1640 | } 1641 | }, 1642 | "node_modules/next": { 1643 | "version": "14.2.25", 1644 | "resolved": "https://registry.npmjs.org/next/-/next-14.2.25.tgz", 1645 | "integrity": "sha512-N5M7xMc4wSb4IkPvEV5X2BRRXUmhVHNyaXwEM86+voXthSZz8ZiRyQW4p9mwAoAPIm6OzuVZtn7idgEJeAJN3Q==", 1646 | "license": "MIT", 1647 | "dependencies": { 1648 | "@next/env": "14.2.25", 1649 | "@swc/helpers": "0.5.5", 1650 | "busboy": "1.6.0", 1651 | "caniuse-lite": "^1.0.30001579", 1652 | "graceful-fs": "^4.2.11", 1653 | "postcss": "8.4.31", 1654 | "styled-jsx": "5.1.1" 1655 | }, 1656 | "bin": { 1657 | "next": "dist/bin/next" 1658 | }, 1659 | "engines": { 1660 | "node": ">=18.17.0" 1661 | }, 1662 | "optionalDependencies": { 1663 | "@next/swc-darwin-arm64": "14.2.25", 1664 | "@next/swc-darwin-x64": "14.2.25", 1665 | "@next/swc-linux-arm64-gnu": "14.2.25", 1666 | "@next/swc-linux-arm64-musl": "14.2.25", 1667 | "@next/swc-linux-x64-gnu": "14.2.25", 1668 | "@next/swc-linux-x64-musl": "14.2.25", 1669 | "@next/swc-win32-arm64-msvc": "14.2.25", 1670 | "@next/swc-win32-ia32-msvc": "14.2.25", 1671 | "@next/swc-win32-x64-msvc": "14.2.25" 1672 | }, 1673 | "peerDependencies": { 1674 | "@opentelemetry/api": "^1.1.0", 1675 | "@playwright/test": "^1.41.2", 1676 | "react": "^18.2.0", 1677 | "react-dom": "^18.2.0", 1678 | "sass": "^1.3.0" 1679 | }, 1680 | "peerDependenciesMeta": { 1681 | "@opentelemetry/api": { 1682 | "optional": true 1683 | }, 1684 | "@playwright/test": { 1685 | "optional": true 1686 | }, 1687 | "sass": { 1688 | "optional": true 1689 | } 1690 | } 1691 | }, 1692 | "node_modules/next/node_modules/postcss": { 1693 | "version": "8.4.31", 1694 | "resolved": "https://registry.npmjs.org/postcss/-/postcss-8.4.31.tgz", 1695 | "integrity": "sha512-PS08Iboia9mts/2ygV3eLpY5ghnUcfLV/EXTOW1E2qYxJKGGBUtNjN76FYHnMs36RmARn41bC0AZmn+rR0OVpQ==", 1696 | "funding": [ 1697 | { 1698 | "type": "opencollective", 1699 | "url": "https://opencollective.com/postcss/" 1700 | }, 1701 | { 1702 | "type": "tidelift", 1703 | "url": "https://tidelift.com/funding/github/npm/postcss" 1704 | }, 1705 | { 1706 | "type": "github", 1707 | "url": "https://github.com/sponsors/ai" 1708 | } 1709 | ], 1710 | "license": "MIT", 1711 | "dependencies": { 1712 | "nanoid": "^3.3.6", 1713 | "picocolors": "^1.0.0", 1714 | "source-map-js": "^1.0.2" 1715 | }, 1716 | "engines": { 1717 | "node": "^10 || ^12 || >=14" 1718 | } 1719 | }, 1720 | "node_modules/node-domexception": { 1721 | "version": "1.0.0", 1722 | "resolved": "https://registry.npmjs.org/node-domexception/-/node-domexception-1.0.0.tgz", 1723 | "integrity": "sha512-/jKZoMpw0F8GRwl4/eLROPA3cfcXtLApP0QzLmUT/HuPCZWyB7IY9ZrMeKw2O/nFIqPQB3PVM9aYm0F312AXDQ==", 1724 | "funding": [ 1725 | { 1726 | "type": "github", 1727 | "url": "https://github.com/sponsors/jimmywarting" 1728 | }, 1729 | { 1730 | "type": "github", 1731 | "url": "https://paypal.me/jimmywarting" 1732 | } 1733 | ], 1734 | "license": "MIT", 1735 | "engines": { 1736 | "node": ">=10.5.0" 1737 | } 1738 | }, 1739 | "node_modules/node-fetch": { 1740 | "version": "3.3.2", 1741 | "resolved": "https://registry.npmjs.org/node-fetch/-/node-fetch-3.3.2.tgz", 1742 | "integrity": "sha512-dRB78srN/l6gqWulah9SrxeYnxeddIG30+GOqK/9OlLVyLg3HPnr6SqOWTWOXKRwC2eGYCkZ59NNuSgvSrpgOA==", 1743 | "license": "MIT", 1744 | "dependencies": { 1745 | "data-uri-to-buffer": "^4.0.0", 1746 | "fetch-blob": "^3.1.4", 1747 | "formdata-polyfill": "^4.0.10" 1748 | }, 1749 | "engines": { 1750 | "node": "^12.20.0 || ^14.13.1 || >=16.0.0" 1751 | }, 1752 | "funding": { 1753 | "type": "opencollective", 1754 | "url": "https://opencollective.com/node-fetch" 1755 | } 1756 | }, 1757 | "node_modules/node-releases": { 1758 | "version": "2.0.19", 1759 | "resolved": "https://registry.npmjs.org/node-releases/-/node-releases-2.0.19.tgz", 1760 | "integrity": "sha512-xxOWJsBKtzAq7DY0J+DTzuz58K8e7sJbdgwkbMWQe8UYB6ekmsQ45q0M/tJDsGaZmbC+l7n57UV8Hl5tHxO9uw==", 1761 | "dev": true, 1762 | "license": "MIT" 1763 | }, 1764 | "node_modules/normalize-path": { 1765 | "version": "3.0.0", 1766 | "resolved": "https://registry.npmjs.org/normalize-path/-/normalize-path-3.0.0.tgz", 1767 | "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==", 1768 | "dev": true, 1769 | "license": "MIT", 1770 | "engines": { 1771 | "node": ">=0.10.0" 1772 | } 1773 | }, 1774 | "node_modules/normalize-range": { 1775 | "version": "0.1.2", 1776 | "resolved": "https://registry.npmjs.org/normalize-range/-/normalize-range-0.1.2.tgz", 1777 | "integrity": "sha512-bdok/XvKII3nUpklnV6P2hxtMNrCboOjAcyBuQnWEhO665FwrSNRxU+AqpsyvO6LgGYPspN+lu5CLtw4jPRKNA==", 1778 | "dev": true, 1779 | "license": "MIT", 1780 | "engines": { 1781 | "node": ">=0.10.0" 1782 | } 1783 | }, 1784 | "node_modules/object-assign": { 1785 | "version": "4.1.1", 1786 | "resolved": "https://registry.npmjs.org/object-assign/-/object-assign-4.1.1.tgz", 1787 | "integrity": "sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==", 1788 | "dev": true, 1789 | "license": "MIT", 1790 | "engines": { 1791 | "node": ">=0.10.0" 1792 | } 1793 | }, 1794 | "node_modules/object-hash": { 1795 | "version": "3.0.0", 1796 | "resolved": "https://registry.npmjs.org/object-hash/-/object-hash-3.0.0.tgz", 1797 | "integrity": "sha512-RSn9F68PjH9HqtltsSnqYC1XXoWe9Bju5+213R98cNGttag9q9yAOTzdbsqvIa7aNm5WffBZFpWYr2aWrklWAw==", 1798 | "dev": true, 1799 | "license": "MIT", 1800 | "engines": { 1801 | "node": ">= 6" 1802 | } 1803 | }, 1804 | "node_modules/package-json-from-dist": { 1805 | "version": "1.0.1", 1806 | "resolved": "https://registry.npmjs.org/package-json-from-dist/-/package-json-from-dist-1.0.1.tgz", 1807 | "integrity": "sha512-UEZIS3/by4OC8vL3P2dTXRETpebLI2NiI5vIrjaD/5UtrkFX/tNbwjTSRAGC/+7CAo2pIcBaRgWmcBBHcsaCIw==", 1808 | "dev": true, 1809 | "license": "BlueOak-1.0.0" 1810 | }, 1811 | "node_modules/path-key": { 1812 | "version": "3.1.1", 1813 | "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz", 1814 | "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", 1815 | "dev": true, 1816 | "license": "MIT", 1817 | "engines": { 1818 | "node": ">=8" 1819 | } 1820 | }, 1821 | "node_modules/path-parse": { 1822 | "version": "1.0.7", 1823 | "resolved": "https://registry.npmjs.org/path-parse/-/path-parse-1.0.7.tgz", 1824 | "integrity": "sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==", 1825 | "dev": true, 1826 | "license": "MIT" 1827 | }, 1828 | "node_modules/path-scurry": { 1829 | "version": "1.11.1", 1830 | "resolved": "https://registry.npmjs.org/path-scurry/-/path-scurry-1.11.1.tgz", 1831 | "integrity": "sha512-Xa4Nw17FS9ApQFJ9umLiJS4orGjm7ZzwUrwamcGQuHSzDyth9boKDaycYdDcZDuqYATXw4HFXgaqWTctW/v1HA==", 1832 | "dev": true, 1833 | "license": "BlueOak-1.0.0", 1834 | "dependencies": { 1835 | "lru-cache": "^10.2.0", 1836 | "minipass": "^5.0.0 || ^6.0.2 || ^7.0.0" 1837 | }, 1838 | "engines": { 1839 | "node": ">=16 || 14 >=14.18" 1840 | }, 1841 | "funding": { 1842 | "url": "https://github.com/sponsors/isaacs" 1843 | } 1844 | }, 1845 | "node_modules/picocolors": { 1846 | "version": "1.1.1", 1847 | "resolved": "https://registry.npmjs.org/picocolors/-/picocolors-1.1.1.tgz", 1848 | "integrity": "sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA==", 1849 | "license": "ISC" 1850 | }, 1851 | "node_modules/picomatch": { 1852 | "version": "2.3.1", 1853 | "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.3.1.tgz", 1854 | "integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==", 1855 | "dev": true, 1856 | "license": "MIT", 1857 | "engines": { 1858 | "node": ">=8.6" 1859 | }, 1860 | "funding": { 1861 | "url": "https://github.com/sponsors/jonschlinkert" 1862 | } 1863 | }, 1864 | "node_modules/pify": { 1865 | "version": "2.3.0", 1866 | "resolved": "https://registry.npmjs.org/pify/-/pify-2.3.0.tgz", 1867 | "integrity": "sha512-udgsAY+fTnvv7kI7aaxbqwWNb0AHiB0qBO89PZKPkoTmGOgdbrHDKD+0B2X4uTfJ/FT1R09r9gTsjUjNJotuog==", 1868 | "dev": true, 1869 | "license": "MIT", 1870 | "engines": { 1871 | "node": ">=0.10.0" 1872 | } 1873 | }, 1874 | "node_modules/pirates": { 1875 | "version": "4.0.6", 1876 | "resolved": "https://registry.npmjs.org/pirates/-/pirates-4.0.6.tgz", 1877 | "integrity": "sha512-saLsH7WeYYPiD25LDuLRRY/i+6HaPYr6G1OUlN39otzkSTxKnubR9RTxS3/Kk50s1g2JTgFwWQDQyplC5/SHZg==", 1878 | "dev": true, 1879 | "license": "MIT", 1880 | "engines": { 1881 | "node": ">= 6" 1882 | } 1883 | }, 1884 | "node_modules/postcss": { 1885 | "version": "8.5.3", 1886 | "resolved": "https://registry.npmjs.org/postcss/-/postcss-8.5.3.tgz", 1887 | "integrity": "sha512-dle9A3yYxlBSrt8Fu+IpjGT8SY8hN0mlaA6GY8t0P5PjIOZemULz/E2Bnm/2dcUOena75OTNkHI76uZBNUUq3A==", 1888 | "dev": true, 1889 | "funding": [ 1890 | { 1891 | "type": "opencollective", 1892 | "url": "https://opencollective.com/postcss/" 1893 | }, 1894 | { 1895 | "type": "tidelift", 1896 | "url": "https://tidelift.com/funding/github/npm/postcss" 1897 | }, 1898 | { 1899 | "type": "github", 1900 | "url": "https://github.com/sponsors/ai" 1901 | } 1902 | ], 1903 | "license": "MIT", 1904 | "dependencies": { 1905 | "nanoid": "^3.3.8", 1906 | "picocolors": "^1.1.1", 1907 | "source-map-js": "^1.2.1" 1908 | }, 1909 | "engines": { 1910 | "node": "^10 || ^12 || >=14" 1911 | } 1912 | }, 1913 | "node_modules/postcss-import": { 1914 | "version": "15.1.0", 1915 | "resolved": "https://registry.npmjs.org/postcss-import/-/postcss-import-15.1.0.tgz", 1916 | "integrity": "sha512-hpr+J05B2FVYUAXHeK1YyI267J/dDDhMU6B6civm8hSY1jYJnBXxzKDKDswzJmtLHryrjhnDjqqp/49t8FALew==", 1917 | "dev": true, 1918 | "license": "MIT", 1919 | "dependencies": { 1920 | "postcss-value-parser": "^4.0.0", 1921 | "read-cache": "^1.0.0", 1922 | "resolve": "^1.1.7" 1923 | }, 1924 | "engines": { 1925 | "node": ">=14.0.0" 1926 | }, 1927 | "peerDependencies": { 1928 | "postcss": "^8.0.0" 1929 | } 1930 | }, 1931 | "node_modules/postcss-js": { 1932 | "version": "4.0.1", 1933 | "resolved": "https://registry.npmjs.org/postcss-js/-/postcss-js-4.0.1.tgz", 1934 | "integrity": "sha512-dDLF8pEO191hJMtlHFPRa8xsizHaM82MLfNkUHdUtVEV3tgTp5oj+8qbEqYM57SLfc74KSbw//4SeJma2LRVIw==", 1935 | "dev": true, 1936 | "license": "MIT", 1937 | "dependencies": { 1938 | "camelcase-css": "^2.0.1" 1939 | }, 1940 | "engines": { 1941 | "node": "^12 || ^14 || >= 16" 1942 | }, 1943 | "funding": { 1944 | "type": "opencollective", 1945 | "url": "https://opencollective.com/postcss/" 1946 | }, 1947 | "peerDependencies": { 1948 | "postcss": "^8.4.21" 1949 | } 1950 | }, 1951 | "node_modules/postcss-load-config": { 1952 | "version": "4.0.2", 1953 | "resolved": "https://registry.npmjs.org/postcss-load-config/-/postcss-load-config-4.0.2.tgz", 1954 | "integrity": "sha512-bSVhyJGL00wMVoPUzAVAnbEoWyqRxkjv64tUl427SKnPrENtq6hJwUojroMz2VB+Q1edmi4IfrAPpami5VVgMQ==", 1955 | "dev": true, 1956 | "funding": [ 1957 | { 1958 | "type": "opencollective", 1959 | "url": "https://opencollective.com/postcss/" 1960 | }, 1961 | { 1962 | "type": "github", 1963 | "url": "https://github.com/sponsors/ai" 1964 | } 1965 | ], 1966 | "license": "MIT", 1967 | "dependencies": { 1968 | "lilconfig": "^3.0.0", 1969 | "yaml": "^2.3.4" 1970 | }, 1971 | "engines": { 1972 | "node": ">= 14" 1973 | }, 1974 | "peerDependencies": { 1975 | "postcss": ">=8.0.9", 1976 | "ts-node": ">=9.0.0" 1977 | }, 1978 | "peerDependenciesMeta": { 1979 | "postcss": { 1980 | "optional": true 1981 | }, 1982 | "ts-node": { 1983 | "optional": true 1984 | } 1985 | } 1986 | }, 1987 | "node_modules/postcss-nested": { 1988 | "version": "6.2.0", 1989 | "resolved": "https://registry.npmjs.org/postcss-nested/-/postcss-nested-6.2.0.tgz", 1990 | "integrity": "sha512-HQbt28KulC5AJzG+cZtj9kvKB93CFCdLvog1WFLf1D+xmMvPGlBstkpTEZfK5+AN9hfJocyBFCNiqyS48bpgzQ==", 1991 | "dev": true, 1992 | "funding": [ 1993 | { 1994 | "type": "opencollective", 1995 | "url": "https://opencollective.com/postcss/" 1996 | }, 1997 | { 1998 | "type": "github", 1999 | "url": "https://github.com/sponsors/ai" 2000 | } 2001 | ], 2002 | "license": "MIT", 2003 | "dependencies": { 2004 | "postcss-selector-parser": "^6.1.1" 2005 | }, 2006 | "engines": { 2007 | "node": ">=12.0" 2008 | }, 2009 | "peerDependencies": { 2010 | "postcss": "^8.2.14" 2011 | } 2012 | }, 2013 | "node_modules/postcss-selector-parser": { 2014 | "version": "6.1.2", 2015 | "resolved": "https://registry.npmjs.org/postcss-selector-parser/-/postcss-selector-parser-6.1.2.tgz", 2016 | "integrity": "sha512-Q8qQfPiZ+THO/3ZrOrO0cJJKfpYCagtMUkXbnEfmgUjwXg6z/WBeOyS9APBBPCTSiDV+s4SwQGu8yFsiMRIudg==", 2017 | "dev": true, 2018 | "license": "MIT", 2019 | "dependencies": { 2020 | "cssesc": "^3.0.0", 2021 | "util-deprecate": "^1.0.2" 2022 | }, 2023 | "engines": { 2024 | "node": ">=4" 2025 | } 2026 | }, 2027 | "node_modules/postcss-value-parser": { 2028 | "version": "4.2.0", 2029 | "resolved": "https://registry.npmjs.org/postcss-value-parser/-/postcss-value-parser-4.2.0.tgz", 2030 | "integrity": "sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==", 2031 | "dev": true, 2032 | "license": "MIT" 2033 | }, 2034 | "node_modules/proxy-from-env": { 2035 | "version": "1.1.0", 2036 | "resolved": "https://registry.npmjs.org/proxy-from-env/-/proxy-from-env-1.1.0.tgz", 2037 | "integrity": "sha512-D+zkORCbA9f1tdWRK0RaCR3GPv50cMxcrz4X8k5LTSUD1Dkw47mKJEZQNunItRTkWwgtaUSo1RVFRIG9ZXiFYg==", 2038 | "license": "MIT" 2039 | }, 2040 | "node_modules/queue-microtask": { 2041 | "version": "1.2.3", 2042 | "resolved": "https://registry.npmjs.org/queue-microtask/-/queue-microtask-1.2.3.tgz", 2043 | "integrity": "sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==", 2044 | "dev": true, 2045 | "funding": [ 2046 | { 2047 | "type": "github", 2048 | "url": "https://github.com/sponsors/feross" 2049 | }, 2050 | { 2051 | "type": "patreon", 2052 | "url": "https://www.patreon.com/feross" 2053 | }, 2054 | { 2055 | "type": "consulting", 2056 | "url": "https://feross.org/support" 2057 | } 2058 | ], 2059 | "license": "MIT" 2060 | }, 2061 | "node_modules/react": { 2062 | "version": "18.3.1", 2063 | "resolved": "https://registry.npmjs.org/react/-/react-18.3.1.tgz", 2064 | "integrity": "sha512-wS+hAgJShR0KhEvPJArfuPVN1+Hz1t0Y6n5jLrGQbkb4urgPE/0Rve+1kMB1v/oWgHgm4WIcV+i7F2pTVj+2iQ==", 2065 | "license": "MIT", 2066 | "dependencies": { 2067 | "loose-envify": "^1.1.0" 2068 | }, 2069 | "engines": { 2070 | "node": ">=0.10.0" 2071 | } 2072 | }, 2073 | "node_modules/react-dom": { 2074 | "version": "18.3.1", 2075 | "resolved": "https://registry.npmjs.org/react-dom/-/react-dom-18.3.1.tgz", 2076 | "integrity": "sha512-5m4nQKp+rZRb09LNH59GM4BxTh9251/ylbKIbpe7TpGxfJ+9kv6BLkLBXIjjspbgbnIBNqlI23tRnTWT0snUIw==", 2077 | "license": "MIT", 2078 | "dependencies": { 2079 | "loose-envify": "^1.1.0", 2080 | "scheduler": "^0.23.2" 2081 | }, 2082 | "peerDependencies": { 2083 | "react": "^18.3.1" 2084 | } 2085 | }, 2086 | "node_modules/read-cache": { 2087 | "version": "1.0.0", 2088 | "resolved": "https://registry.npmjs.org/read-cache/-/read-cache-1.0.0.tgz", 2089 | "integrity": "sha512-Owdv/Ft7IjOgm/i0xvNDZ1LrRANRfew4b2prF3OWMQLxLfu3bS8FVhCsrSCMK4lR56Y9ya+AThoTpDCTxCmpRA==", 2090 | "dev": true, 2091 | "license": "MIT", 2092 | "dependencies": { 2093 | "pify": "^2.3.0" 2094 | } 2095 | }, 2096 | "node_modules/readdirp": { 2097 | "version": "3.6.0", 2098 | "resolved": "https://registry.npmjs.org/readdirp/-/readdirp-3.6.0.tgz", 2099 | "integrity": "sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==", 2100 | "dev": true, 2101 | "license": "MIT", 2102 | "dependencies": { 2103 | "picomatch": "^2.2.1" 2104 | }, 2105 | "engines": { 2106 | "node": ">=8.10.0" 2107 | } 2108 | }, 2109 | "node_modules/resolve": { 2110 | "version": "1.22.10", 2111 | "resolved": "https://registry.npmjs.org/resolve/-/resolve-1.22.10.tgz", 2112 | "integrity": "sha512-NPRy+/ncIMeDlTAsuqwKIiferiawhefFJtkNSW0qZJEqMEb+qBt/77B/jGeeek+F0uOeN05CDa6HXbbIgtVX4w==", 2113 | "dev": true, 2114 | "license": "MIT", 2115 | "dependencies": { 2116 | "is-core-module": "^2.16.0", 2117 | "path-parse": "^1.0.7", 2118 | "supports-preserve-symlinks-flag": "^1.0.0" 2119 | }, 2120 | "bin": { 2121 | "resolve": "bin/resolve" 2122 | }, 2123 | "engines": { 2124 | "node": ">= 0.4" 2125 | }, 2126 | "funding": { 2127 | "url": "https://github.com/sponsors/ljharb" 2128 | } 2129 | }, 2130 | "node_modules/reusify": { 2131 | "version": "1.1.0", 2132 | "resolved": "https://registry.npmjs.org/reusify/-/reusify-1.1.0.tgz", 2133 | "integrity": "sha512-g6QUff04oZpHs0eG5p83rFLhHeV00ug/Yf9nZM6fLeUrPguBTkTQOdpAWWspMh55TZfVQDPaN3NQJfbVRAxdIw==", 2134 | "dev": true, 2135 | "license": "MIT", 2136 | "engines": { 2137 | "iojs": ">=1.0.0", 2138 | "node": ">=0.10.0" 2139 | } 2140 | }, 2141 | "node_modules/run-parallel": { 2142 | "version": "1.2.0", 2143 | "resolved": "https://registry.npmjs.org/run-parallel/-/run-parallel-1.2.0.tgz", 2144 | "integrity": "sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==", 2145 | "dev": true, 2146 | "funding": [ 2147 | { 2148 | "type": "github", 2149 | "url": "https://github.com/sponsors/feross" 2150 | }, 2151 | { 2152 | "type": "patreon", 2153 | "url": "https://www.patreon.com/feross" 2154 | }, 2155 | { 2156 | "type": "consulting", 2157 | "url": "https://feross.org/support" 2158 | } 2159 | ], 2160 | "license": "MIT", 2161 | "dependencies": { 2162 | "queue-microtask": "^1.2.2" 2163 | } 2164 | }, 2165 | "node_modules/scheduler": { 2166 | "version": "0.23.2", 2167 | "resolved": "https://registry.npmjs.org/scheduler/-/scheduler-0.23.2.tgz", 2168 | "integrity": "sha512-UOShsPwz7NrMUqhR6t0hWjFduvOzbtv7toDH1/hIrfRNIDBnnBWd0CwJTGvTpngVlmwGCdP9/Zl/tVrDqcuYzQ==", 2169 | "license": "MIT", 2170 | "dependencies": { 2171 | "loose-envify": "^1.1.0" 2172 | } 2173 | }, 2174 | "node_modules/shebang-command": { 2175 | "version": "2.0.0", 2176 | "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz", 2177 | "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", 2178 | "dev": true, 2179 | "license": "MIT", 2180 | "dependencies": { 2181 | "shebang-regex": "^3.0.0" 2182 | }, 2183 | "engines": { 2184 | "node": ">=8" 2185 | } 2186 | }, 2187 | "node_modules/shebang-regex": { 2188 | "version": "3.0.0", 2189 | "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz", 2190 | "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", 2191 | "dev": true, 2192 | "license": "MIT", 2193 | "engines": { 2194 | "node": ">=8" 2195 | } 2196 | }, 2197 | "node_modules/signal-exit": { 2198 | "version": "4.1.0", 2199 | "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-4.1.0.tgz", 2200 | "integrity": "sha512-bzyZ1e88w9O1iNJbKnOlvYTrWPDl46O1bG0D3XInv+9tkPrxrN8jUUTiFlDkkmKWgn1M6CfIA13SuGqOa9Korw==", 2201 | "dev": true, 2202 | "license": "ISC", 2203 | "engines": { 2204 | "node": ">=14" 2205 | }, 2206 | "funding": { 2207 | "url": "https://github.com/sponsors/isaacs" 2208 | } 2209 | }, 2210 | "node_modules/simple-git": { 2211 | "version": "3.27.0", 2212 | "resolved": "https://registry.npmjs.org/simple-git/-/simple-git-3.27.0.tgz", 2213 | "integrity": "sha512-ivHoFS9Yi9GY49ogc6/YAi3Fl9ROnF4VyubNylgCkA+RVqLaKWnDSzXOVzya8csELIaWaYNutsEuAhZrtOjozA==", 2214 | "license": "MIT", 2215 | "dependencies": { 2216 | "@kwsites/file-exists": "^1.1.1", 2217 | "@kwsites/promise-deferred": "^1.1.1", 2218 | "debug": "^4.3.5" 2219 | }, 2220 | "funding": { 2221 | "type": "github", 2222 | "url": "https://github.com/steveukx/git-js?sponsor=1" 2223 | } 2224 | }, 2225 | "node_modules/source-map-js": { 2226 | "version": "1.2.1", 2227 | "resolved": "https://registry.npmjs.org/source-map-js/-/source-map-js-1.2.1.tgz", 2228 | "integrity": "sha512-UXWMKhLOwVKb728IUtQPXxfYU+usdybtUrK/8uGE8CQMvrhOpwvzDBwj0QhSL7MQc7vIsISBG8VQ8+IDQxpfQA==", 2229 | "license": "BSD-3-Clause", 2230 | "engines": { 2231 | "node": ">=0.10.0" 2232 | } 2233 | }, 2234 | "node_modules/streamsearch": { 2235 | "version": "1.1.0", 2236 | "resolved": "https://registry.npmjs.org/streamsearch/-/streamsearch-1.1.0.tgz", 2237 | "integrity": "sha512-Mcc5wHehp9aXz1ax6bZUyY5afg9u2rv5cqQI3mRrYkGC8rW2hM02jWuwjtL++LS5qinSyhj2QfLyNsuc+VsExg==", 2238 | "engines": { 2239 | "node": ">=10.0.0" 2240 | } 2241 | }, 2242 | "node_modules/string-width": { 2243 | "version": "5.1.2", 2244 | "resolved": "https://registry.npmjs.org/string-width/-/string-width-5.1.2.tgz", 2245 | "integrity": "sha512-HnLOCR3vjcY8beoNLtcjZ5/nxn2afmME6lhrDrebokqMap+XbeW8n9TXpPDOqdGK5qcI3oT0GKTW6wC7EMiVqA==", 2246 | "dev": true, 2247 | "license": "MIT", 2248 | "dependencies": { 2249 | "eastasianwidth": "^0.2.0", 2250 | "emoji-regex": "^9.2.2", 2251 | "strip-ansi": "^7.0.1" 2252 | }, 2253 | "engines": { 2254 | "node": ">=12" 2255 | }, 2256 | "funding": { 2257 | "url": "https://github.com/sponsors/sindresorhus" 2258 | } 2259 | }, 2260 | "node_modules/string-width-cjs": { 2261 | "name": "string-width", 2262 | "version": "4.2.3", 2263 | "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz", 2264 | "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", 2265 | "dev": true, 2266 | "license": "MIT", 2267 | "dependencies": { 2268 | "emoji-regex": "^8.0.0", 2269 | "is-fullwidth-code-point": "^3.0.0", 2270 | "strip-ansi": "^6.0.1" 2271 | }, 2272 | "engines": { 2273 | "node": ">=8" 2274 | } 2275 | }, 2276 | "node_modules/string-width-cjs/node_modules/ansi-regex": { 2277 | "version": "5.0.1", 2278 | "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", 2279 | "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", 2280 | "dev": true, 2281 | "license": "MIT", 2282 | "engines": { 2283 | "node": ">=8" 2284 | } 2285 | }, 2286 | "node_modules/string-width-cjs/node_modules/emoji-regex": { 2287 | "version": "8.0.0", 2288 | "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", 2289 | "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", 2290 | "dev": true, 2291 | "license": "MIT" 2292 | }, 2293 | "node_modules/string-width-cjs/node_modules/strip-ansi": { 2294 | "version": "6.0.1", 2295 | "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", 2296 | "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", 2297 | "dev": true, 2298 | "license": "MIT", 2299 | "dependencies": { 2300 | "ansi-regex": "^5.0.1" 2301 | }, 2302 | "engines": { 2303 | "node": ">=8" 2304 | } 2305 | }, 2306 | "node_modules/strip-ansi": { 2307 | "version": "7.1.0", 2308 | "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-7.1.0.tgz", 2309 | "integrity": "sha512-iq6eVVI64nQQTRYq2KtEg2d2uU7LElhTJwsH4YzIHZshxlgZms/wIc4VoDQTlG/IvVIrBKG06CrZnp0qv7hkcQ==", 2310 | "dev": true, 2311 | "license": "MIT", 2312 | "dependencies": { 2313 | "ansi-regex": "^6.0.1" 2314 | }, 2315 | "engines": { 2316 | "node": ">=12" 2317 | }, 2318 | "funding": { 2319 | "url": "https://github.com/chalk/strip-ansi?sponsor=1" 2320 | } 2321 | }, 2322 | "node_modules/strip-ansi-cjs": { 2323 | "name": "strip-ansi", 2324 | "version": "6.0.1", 2325 | "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", 2326 | "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", 2327 | "dev": true, 2328 | "license": "MIT", 2329 | "dependencies": { 2330 | "ansi-regex": "^5.0.1" 2331 | }, 2332 | "engines": { 2333 | "node": ">=8" 2334 | } 2335 | }, 2336 | "node_modules/strip-ansi-cjs/node_modules/ansi-regex": { 2337 | "version": "5.0.1", 2338 | "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", 2339 | "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", 2340 | "dev": true, 2341 | "license": "MIT", 2342 | "engines": { 2343 | "node": ">=8" 2344 | } 2345 | }, 2346 | "node_modules/styled-jsx": { 2347 | "version": "5.1.1", 2348 | "resolved": "https://registry.npmjs.org/styled-jsx/-/styled-jsx-5.1.1.tgz", 2349 | "integrity": "sha512-pW7uC1l4mBZ8ugbiZrcIsiIvVx1UmTfw7UkC3Um2tmfUq9Bhk8IiyEIPl6F8agHgjzku6j0xQEZbfA5uSgSaCw==", 2350 | "license": "MIT", 2351 | "dependencies": { 2352 | "client-only": "0.0.1" 2353 | }, 2354 | "engines": { 2355 | "node": ">= 12.0.0" 2356 | }, 2357 | "peerDependencies": { 2358 | "react": ">= 16.8.0 || 17.x.x || ^18.0.0-0" 2359 | }, 2360 | "peerDependenciesMeta": { 2361 | "@babel/core": { 2362 | "optional": true 2363 | }, 2364 | "babel-plugin-macros": { 2365 | "optional": true 2366 | } 2367 | } 2368 | }, 2369 | "node_modules/sucrase": { 2370 | "version": "3.35.0", 2371 | "resolved": "https://registry.npmjs.org/sucrase/-/sucrase-3.35.0.tgz", 2372 | "integrity": "sha512-8EbVDiu9iN/nESwxeSxDKe0dunta1GOlHufmSSXxMD2z2/tMZpDMpvXQGsc+ajGo8y2uYUmixaSRUc/QPoQ0GA==", 2373 | "dev": true, 2374 | "license": "MIT", 2375 | "dependencies": { 2376 | "@jridgewell/gen-mapping": "^0.3.2", 2377 | "commander": "^4.0.0", 2378 | "glob": "^10.3.10", 2379 | "lines-and-columns": "^1.1.6", 2380 | "mz": "^2.7.0", 2381 | "pirates": "^4.0.1", 2382 | "ts-interface-checker": "^0.1.9" 2383 | }, 2384 | "bin": { 2385 | "sucrase": "bin/sucrase", 2386 | "sucrase-node": "bin/sucrase-node" 2387 | }, 2388 | "engines": { 2389 | "node": ">=16 || 14 >=14.17" 2390 | } 2391 | }, 2392 | "node_modules/supports-preserve-symlinks-flag": { 2393 | "version": "1.0.0", 2394 | "resolved": "https://registry.npmjs.org/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz", 2395 | "integrity": "sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==", 2396 | "dev": true, 2397 | "license": "MIT", 2398 | "engines": { 2399 | "node": ">= 0.4" 2400 | }, 2401 | "funding": { 2402 | "url": "https://github.com/sponsors/ljharb" 2403 | } 2404 | }, 2405 | "node_modules/tailwindcss": { 2406 | "version": "3.4.17", 2407 | "resolved": "https://registry.npmjs.org/tailwindcss/-/tailwindcss-3.4.17.tgz", 2408 | "integrity": "sha512-w33E2aCvSDP0tW9RZuNXadXlkHXqFzSkQew/aIa2i/Sj8fThxwovwlXHSPXTbAHwEIhBFXAedUhP2tueAKP8Og==", 2409 | "dev": true, 2410 | "license": "MIT", 2411 | "dependencies": { 2412 | "@alloc/quick-lru": "^5.2.0", 2413 | "arg": "^5.0.2", 2414 | "chokidar": "^3.6.0", 2415 | "didyoumean": "^1.2.2", 2416 | "dlv": "^1.1.3", 2417 | "fast-glob": "^3.3.2", 2418 | "glob-parent": "^6.0.2", 2419 | "is-glob": "^4.0.3", 2420 | "jiti": "^1.21.6", 2421 | "lilconfig": "^3.1.3", 2422 | "micromatch": "^4.0.8", 2423 | "normalize-path": "^3.0.0", 2424 | "object-hash": "^3.0.0", 2425 | "picocolors": "^1.1.1", 2426 | "postcss": "^8.4.47", 2427 | "postcss-import": "^15.1.0", 2428 | "postcss-js": "^4.0.1", 2429 | "postcss-load-config": "^4.0.2", 2430 | "postcss-nested": "^6.2.0", 2431 | "postcss-selector-parser": "^6.1.2", 2432 | "resolve": "^1.22.8", 2433 | "sucrase": "^3.35.0" 2434 | }, 2435 | "bin": { 2436 | "tailwind": "lib/cli.js", 2437 | "tailwindcss": "lib/cli.js" 2438 | }, 2439 | "engines": { 2440 | "node": ">=14.0.0" 2441 | } 2442 | }, 2443 | "node_modules/thenify": { 2444 | "version": "3.3.1", 2445 | "resolved": "https://registry.npmjs.org/thenify/-/thenify-3.3.1.tgz", 2446 | "integrity": "sha512-RVZSIV5IG10Hk3enotrhvz0T9em6cyHBLkH/YAZuKqd8hRkKhSfCGIcP2KUY0EPxndzANBmNllzWPwak+bheSw==", 2447 | "dev": true, 2448 | "license": "MIT", 2449 | "dependencies": { 2450 | "any-promise": "^1.0.0" 2451 | } 2452 | }, 2453 | "node_modules/thenify-all": { 2454 | "version": "1.6.0", 2455 | "resolved": "https://registry.npmjs.org/thenify-all/-/thenify-all-1.6.0.tgz", 2456 | "integrity": "sha512-RNxQH/qI8/t3thXJDwcstUO4zeqo64+Uy/+sNVRBx4Xn2OX+OZ9oP+iJnNFqplFra2ZUVeKCSa2oVWi3T4uVmA==", 2457 | "dev": true, 2458 | "license": "MIT", 2459 | "dependencies": { 2460 | "thenify": ">= 3.1.0 < 4" 2461 | }, 2462 | "engines": { 2463 | "node": ">=0.8" 2464 | } 2465 | }, 2466 | "node_modules/to-regex-range": { 2467 | "version": "5.0.1", 2468 | "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz", 2469 | "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==", 2470 | "dev": true, 2471 | "license": "MIT", 2472 | "dependencies": { 2473 | "is-number": "^7.0.0" 2474 | }, 2475 | "engines": { 2476 | "node": ">=8.0" 2477 | } 2478 | }, 2479 | "node_modules/ts-interface-checker": { 2480 | "version": "0.1.13", 2481 | "resolved": "https://registry.npmjs.org/ts-interface-checker/-/ts-interface-checker-0.1.13.tgz", 2482 | "integrity": "sha512-Y/arvbn+rrz3JCKl9C4kVNfTfSm2/mEp5FSz5EsZSANGPSlQrpRI5M4PKF+mJnE52jOO90PnPSc3Ur3bTQw0gA==", 2483 | "dev": true, 2484 | "license": "Apache-2.0" 2485 | }, 2486 | "node_modules/tslib": { 2487 | "version": "2.8.1", 2488 | "resolved": "https://registry.npmjs.org/tslib/-/tslib-2.8.1.tgz", 2489 | "integrity": "sha512-oJFu94HQb+KVduSUQL7wnpmqnfmLsOA/nAh6b6EH0wCEoK0/mPeXU6c3wKDV83MkOuHPRHtSXKKU99IBazS/2w==", 2490 | "license": "0BSD" 2491 | }, 2492 | "node_modules/typescript": { 2493 | "version": "5.8.2", 2494 | "resolved": "https://registry.npmjs.org/typescript/-/typescript-5.8.2.tgz", 2495 | "integrity": "sha512-aJn6wq13/afZp/jT9QZmwEjDqqvSGp1VT5GVg+f/t6/oVyrgXM6BY1h9BRh/O5p3PlUPAe+WuiEZOmb/49RqoQ==", 2496 | "license": "Apache-2.0", 2497 | "bin": { 2498 | "tsc": "bin/tsc", 2499 | "tsserver": "bin/tsserver" 2500 | }, 2501 | "engines": { 2502 | "node": ">=14.17" 2503 | } 2504 | }, 2505 | "node_modules/undici-types": { 2506 | "version": "6.20.0", 2507 | "resolved": "https://registry.npmjs.org/undici-types/-/undici-types-6.20.0.tgz", 2508 | "integrity": "sha512-Ny6QZ2Nju20vw1SRHe3d9jVu6gJ+4e3+MMpqu7pqE5HT6WsTSlce++GQmK5UXS8mzV8DSYHrQH+Xrf2jVcuKNg==", 2509 | "license": "MIT" 2510 | }, 2511 | "node_modules/universal-user-agent": { 2512 | "version": "7.0.2", 2513 | "resolved": "https://registry.npmjs.org/universal-user-agent/-/universal-user-agent-7.0.2.tgz", 2514 | "integrity": "sha512-0JCqzSKnStlRRQfCdowvqy3cy0Dvtlb8xecj/H8JFZuCze4rwjPZQOgvFvn0Ws/usCHQFGpyr+pB9adaGwXn4Q==", 2515 | "license": "ISC" 2516 | }, 2517 | "node_modules/update-browserslist-db": { 2518 | "version": "1.1.3", 2519 | "resolved": "https://registry.npmjs.org/update-browserslist-db/-/update-browserslist-db-1.1.3.tgz", 2520 | "integrity": "sha512-UxhIZQ+QInVdunkDAaiazvvT/+fXL5Osr0JZlJulepYu6Jd7qJtDZjlur0emRlT71EN3ScPoE7gvsuIKKNavKw==", 2521 | "dev": true, 2522 | "funding": [ 2523 | { 2524 | "type": "opencollective", 2525 | "url": "https://opencollective.com/browserslist" 2526 | }, 2527 | { 2528 | "type": "tidelift", 2529 | "url": "https://tidelift.com/funding/github/npm/browserslist" 2530 | }, 2531 | { 2532 | "type": "github", 2533 | "url": "https://github.com/sponsors/ai" 2534 | } 2535 | ], 2536 | "license": "MIT", 2537 | "dependencies": { 2538 | "escalade": "^3.2.0", 2539 | "picocolors": "^1.1.1" 2540 | }, 2541 | "bin": { 2542 | "update-browserslist-db": "cli.js" 2543 | }, 2544 | "peerDependencies": { 2545 | "browserslist": ">= 4.21.0" 2546 | } 2547 | }, 2548 | "node_modules/util-deprecate": { 2549 | "version": "1.0.2", 2550 | "resolved": "https://registry.npmjs.org/util-deprecate/-/util-deprecate-1.0.2.tgz", 2551 | "integrity": "sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==", 2552 | "dev": true, 2553 | "license": "MIT" 2554 | }, 2555 | "node_modules/web-streams-polyfill": { 2556 | "version": "3.3.3", 2557 | "resolved": "https://registry.npmjs.org/web-streams-polyfill/-/web-streams-polyfill-3.3.3.tgz", 2558 | "integrity": "sha512-d2JWLCivmZYTSIoge9MsgFCZrt571BikcWGYkjC1khllbTeDlGqZ2D8vD8E/lJa8WGWbb7Plm8/XJYV7IJHZZw==", 2559 | "license": "MIT", 2560 | "engines": { 2561 | "node": ">= 8" 2562 | } 2563 | }, 2564 | "node_modules/which": { 2565 | "version": "2.0.2", 2566 | "resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz", 2567 | "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", 2568 | "dev": true, 2569 | "license": "ISC", 2570 | "dependencies": { 2571 | "isexe": "^2.0.0" 2572 | }, 2573 | "bin": { 2574 | "node-which": "bin/node-which" 2575 | }, 2576 | "engines": { 2577 | "node": ">= 8" 2578 | } 2579 | }, 2580 | "node_modules/wrap-ansi": { 2581 | "version": "8.1.0", 2582 | "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-8.1.0.tgz", 2583 | "integrity": "sha512-si7QWI6zUMq56bESFvagtmzMdGOtoxfR+Sez11Mobfc7tm+VkUckk9bW2UeffTGVUbOksxmSw0AA2gs8g71NCQ==", 2584 | "dev": true, 2585 | "license": "MIT", 2586 | "dependencies": { 2587 | "ansi-styles": "^6.1.0", 2588 | "string-width": "^5.0.1", 2589 | "strip-ansi": "^7.0.1" 2590 | }, 2591 | "engines": { 2592 | "node": ">=12" 2593 | }, 2594 | "funding": { 2595 | "url": "https://github.com/chalk/wrap-ansi?sponsor=1" 2596 | } 2597 | }, 2598 | "node_modules/wrap-ansi-cjs": { 2599 | "name": "wrap-ansi", 2600 | "version": "7.0.0", 2601 | "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-7.0.0.tgz", 2602 | "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==", 2603 | "dev": true, 2604 | "license": "MIT", 2605 | "dependencies": { 2606 | "ansi-styles": "^4.0.0", 2607 | "string-width": "^4.1.0", 2608 | "strip-ansi": "^6.0.0" 2609 | }, 2610 | "engines": { 2611 | "node": ">=10" 2612 | }, 2613 | "funding": { 2614 | "url": "https://github.com/chalk/wrap-ansi?sponsor=1" 2615 | } 2616 | }, 2617 | "node_modules/wrap-ansi-cjs/node_modules/ansi-regex": { 2618 | "version": "5.0.1", 2619 | "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", 2620 | "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", 2621 | "dev": true, 2622 | "license": "MIT", 2623 | "engines": { 2624 | "node": ">=8" 2625 | } 2626 | }, 2627 | "node_modules/wrap-ansi-cjs/node_modules/ansi-styles": { 2628 | "version": "4.3.0", 2629 | "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz", 2630 | "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", 2631 | "dev": true, 2632 | "license": "MIT", 2633 | "dependencies": { 2634 | "color-convert": "^2.0.1" 2635 | }, 2636 | "engines": { 2637 | "node": ">=8" 2638 | }, 2639 | "funding": { 2640 | "url": "https://github.com/chalk/ansi-styles?sponsor=1" 2641 | } 2642 | }, 2643 | "node_modules/wrap-ansi-cjs/node_modules/emoji-regex": { 2644 | "version": "8.0.0", 2645 | "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", 2646 | "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", 2647 | "dev": true, 2648 | "license": "MIT" 2649 | }, 2650 | "node_modules/wrap-ansi-cjs/node_modules/string-width": { 2651 | "version": "4.2.3", 2652 | "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz", 2653 | "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", 2654 | "dev": true, 2655 | "license": "MIT", 2656 | "dependencies": { 2657 | "emoji-regex": "^8.0.0", 2658 | "is-fullwidth-code-point": "^3.0.0", 2659 | "strip-ansi": "^6.0.1" 2660 | }, 2661 | "engines": { 2662 | "node": ">=8" 2663 | } 2664 | }, 2665 | "node_modules/wrap-ansi-cjs/node_modules/strip-ansi": { 2666 | "version": "6.0.1", 2667 | "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", 2668 | "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", 2669 | "dev": true, 2670 | "license": "MIT", 2671 | "dependencies": { 2672 | "ansi-regex": "^5.0.1" 2673 | }, 2674 | "engines": { 2675 | "node": ">=8" 2676 | } 2677 | }, 2678 | "node_modules/yaml": { 2679 | "version": "2.7.0", 2680 | "resolved": "https://registry.npmjs.org/yaml/-/yaml-2.7.0.tgz", 2681 | "integrity": "sha512-+hSoy/QHluxmC9kCIJyL/uyFmLmc+e5CFR5Wa+bpIhIj85LVb9ZH2nVnqrHoSvKogwODv0ClqZkmiSSaIH5LTA==", 2682 | "dev": true, 2683 | "license": "ISC", 2684 | "bin": { 2685 | "yaml": "bin.mjs" 2686 | }, 2687 | "engines": { 2688 | "node": ">= 14" 2689 | } 2690 | } 2691 | } 2692 | } 2693 | -------------------------------------------------------------------------------- /package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "diverce", 3 | "version": "1.0.0", 4 | "main": "index.js", 5 | "scripts": { 6 | "dev": "next dev", 7 | "build": "next build", 8 | "start": "next start", 9 | "lint": "next lint", 10 | "test": "echo \"Error: no test specified\" && exit 1" 11 | }, 12 | "keywords": [], 13 | "author": "", 14 | "license": "ISC", 15 | "description": "A tool to convert Next.js projects from Vercel to Cloudflare", 16 | "dependencies": { 17 | "@octokit/rest": "^21.1.1", 18 | "@types/node": "^22.13.11", 19 | "@types/react": "^19.0.12", 20 | "@types/react-dom": "^19.0.4", 21 | "axios": "^1.8.4", 22 | "dotenv-flow": "^4.1.0", 23 | "next": "^14.2.25", 24 | "node-fetch": "^3.3.2", 25 | "react": "^18.3.1", 26 | "react-dom": "^18.3.1", 27 | "simple-git": "^3.27.0", 28 | "typescript": "^5.8.2" 29 | }, 30 | "devDependencies": { 31 | "autoprefixer": "^10.4.21", 32 | "postcss": "^8.5.3", 33 | "tailwindcss": "^3.4.17" 34 | } 35 | } 36 | -------------------------------------------------------------------------------- /postcss.config.js: -------------------------------------------------------------------------------- 1 | module.exports = { 2 | plugins: { 3 | tailwindcss: {}, 4 | autoprefixer: {}, 5 | }, 6 | } 7 | -------------------------------------------------------------------------------- /server/app-paths-manifest.json: -------------------------------------------------------------------------------- 1 | {} -------------------------------------------------------------------------------- /server/interception-route-rewrite-manifest.js: -------------------------------------------------------------------------------- 1 | self.__INTERCEPTION_ROUTE_REWRITE_MANIFEST="[]" -------------------------------------------------------------------------------- /server/middleware-manifest.json: -------------------------------------------------------------------------------- 1 | { 2 | "version": 3, 3 | "middleware": {}, 4 | "functions": {}, 5 | "sortedMiddleware": [] 6 | } -------------------------------------------------------------------------------- /server/pages-manifest.json: -------------------------------------------------------------------------------- 1 | {} -------------------------------------------------------------------------------- /server/server-reference-manifest.js: -------------------------------------------------------------------------------- 1 | self.__RSC_SERVER_MANIFEST="{\n \"node\": {},\n \"edge\": {},\n \"encryptionKey\": \"process.env.NEXT_SERVER_ACTIONS_ENCRYPTION_KEY\"\n}" -------------------------------------------------------------------------------- /tailwind.config.js: -------------------------------------------------------------------------------- 1 | /** @type {import('tailwindcss').Config} */ 2 | module.exports = { 3 | content: [ 4 | "./pages/**/*.{js,ts,jsx,tsx,mdx}", 5 | "./components/**/*.{js,ts,jsx,tsx,mdx}", 6 | "./app/**/*.{js,ts,jsx,tsx,mdx}", 7 | ], 8 | theme: { 9 | extend: { 10 | colors: { 11 | // Base colors 12 | vercel: '#000000', 13 | cloudflare: '#f6821f', 14 | // Cloudflare-inspired color system 15 | background: { 16 | DEFAULT: '#F9F7F5', 17 | secondary: '#F2EFE9', 18 | }, 19 | foreground: { 20 | DEFAULT: '#2C2C31', 21 | secondary: '#4D4D59', 22 | tertiary: '#686877', 23 | }, 24 | accents: { 25 | 1: '#F2EFE9', 26 | 2: '#E9E5DD', 27 | 3: '#C5C2BB', 28 | 4: '#B7B4AD', 29 | 5: '#75727B', 30 | 6: '#595665', 31 | 7: '#44404F', 32 | 8: '#32303B', 33 | }, 34 | success: { 35 | lighter: '#CCEDE5', 36 | light: '#73D1BC', 37 | DEFAULT: '#00A88A', 38 | dark: '#007D66', 39 | }, 40 | error: { 41 | lighter: '#F7D4D6', 42 | light: '#FF6B6B', 43 | DEFAULT: '#E74C3C', 44 | dark: '#C0392B', 45 | }, 46 | warning: { 47 | lighter: '#FFF3CD', 48 | light: '#FFD166', 49 | DEFAULT: '#F6821F', 50 | dark: '#D96801', 51 | }, 52 | primary: { 53 | lighter: '#FFF3E0', 54 | light: '#FFBD4F', 55 | DEFAULT: '#F6821F', 56 | dark: '#DB6E00', 57 | }, 58 | secondary: { 59 | lighter: '#E2E6F4', 60 | light: '#A0AACB', 61 | DEFAULT: '#6E7CA0', 62 | dark: '#505B7A', 63 | }, 64 | }, 65 | fontFamily: { 66 | sans: [ 67 | 'Inter', 68 | 'system-ui', 69 | '-apple-system', 70 | 'BlinkMacSystemFont', 71 | 'Segoe UI', 72 | 'Roboto', 73 | 'Helvetica Neue', 74 | 'Arial', 75 | 'sans-serif', 76 | ], 77 | mono: [ 78 | 'Menlo', 79 | 'Monaco', 80 | 'Lucida Console', 81 | 'Liberation Mono', 82 | 'DejaVu Sans Mono', 83 | 'Bitstream Vera Sans Mono', 84 | 'Courier New', 85 | 'monospace', 86 | ], 87 | }, 88 | boxShadow: { 89 | 'small': '0 5px 10px rgba(0, 0, 0, 0.05)', 90 | 'medium': '0 8px 30px rgba(0, 0, 0, 0.08)', 91 | 'large': '0 30px 60px rgba(0, 0, 0, 0.1)', 92 | }, 93 | borderRadius: { 94 | 'cloudflare': '8px', 95 | }, 96 | }, 97 | }, 98 | plugins: [], 99 | } 100 | 101 | -------------------------------------------------------------------------------- /tsconfig.json: -------------------------------------------------------------------------------- 1 | { 2 | "compilerOptions": { 3 | "target": "es5", 4 | "lib": ["dom", "dom.iterable", "esnext"], 5 | "allowJs": true, 6 | "skipLibCheck": true, 7 | "strict": true, 8 | "forceConsistentCasingInFileNames": true, 9 | "noEmit": true, 10 | "esModuleInterop": true, 11 | "module": "esnext", 12 | "moduleResolution": "node", 13 | "resolveJsonModule": true, 14 | "isolatedModules": true, 15 | "jsx": "preserve", 16 | "incremental": true, 17 | "plugins": [ 18 | { 19 | "name": "next" 20 | } 21 | ], 22 | "paths": { 23 | "@/*": ["./*"] 24 | } 25 | }, 26 | "include": ["next-env.d.ts", "**/*.ts", "**/*.tsx", ".next/types/**/*.ts"], 27 | "exclude": ["node_modules"] 28 | } -------------------------------------------------------------------------------- /types/package.json: -------------------------------------------------------------------------------- 1 | {"type": "module"} --------------------------------------------------------------------------------