├── .mise.toml ├── src ├── handlers │ ├── mod.rs │ ├── common.rs │ └── transaction_dag.rs ├── models │ ├── mod.rs │ ├── common.rs │ └── transaction_dag.rs ├── db │ ├── mod.rs │ ├── database.rs │ ├── block.rs │ ├── transaction_dag.rs │ ├── parallel_analyzer_state.rs │ └── transaction.rs ├── log.rs ├── config.rs ├── server.rs ├── main.rs └── parallel_analyzer.rs ├── .envrc.example ├── rust-toolchain.toml ├── frontend ├── jsconfig.json ├── src │ ├── app │ │ ├── favicon.ico │ │ ├── fonts │ │ │ ├── GeistVF.woff │ │ │ └── GeistMonoVF.woff │ │ ├── globals.css │ │ ├── layout.js │ │ └── page.js │ ├── static │ │ └── iconfont │ │ │ ├── iconfont.ttf │ │ │ ├── iconfont.woff │ │ │ ├── iconfont.woff2 │ │ │ ├── iconfont.css │ │ │ ├── iconfont.json │ │ │ └── iconfont.js │ ├── utils │ │ └── api.js │ └── components │ │ └── Graph.js ├── next.config.mjs ├── public │ ├── vercel.svg │ ├── window.svg │ ├── file.svg │ ├── globe.svg │ └── next.svg ├── postcss.config.mjs ├── README.md ├── package.json ├── .gitignore ├── tailwind.config.js ├── biome.json └── package-lock.json ├── config.example.toml ├── .rustfmt.toml ├── Justfile ├── migrations ├── 02_parallel_analyzer_state.sql └── 01_create_tables.sql ├── README.md ├── .github └── workflows │ ├── js.yml │ └── rust.yml ├── .gitignore ├── Cargo.toml ├── .taplo.toml └── LICENSE /.mise.toml: -------------------------------------------------------------------------------- 1 | [tools] 2 | node = '22' -------------------------------------------------------------------------------- /src/handlers/mod.rs: -------------------------------------------------------------------------------- 1 | pub mod common; 2 | pub mod transaction_dag; 3 | -------------------------------------------------------------------------------- /src/models/mod.rs: -------------------------------------------------------------------------------- 1 | pub mod common; 2 | pub mod transaction_dag; 3 | -------------------------------------------------------------------------------- /.envrc.example: -------------------------------------------------------------------------------- 1 | export DATABASE_URL=postgres://localhost:5432/your_database_name 2 | -------------------------------------------------------------------------------- /rust-toolchain.toml: -------------------------------------------------------------------------------- 1 | [toolchain] 2 | channel = "1.85.0" 3 | profile = "minimal" 4 | -------------------------------------------------------------------------------- /frontend/jsconfig.json: -------------------------------------------------------------------------------- 1 | { 2 | "compilerOptions": { 3 | "paths": { 4 | "@/*": ["./src/*"] 5 | } 6 | } 7 | } 8 | -------------------------------------------------------------------------------- /frontend/src/app/favicon.ico: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/longcipher/parallel-evm-explorer/HEAD/frontend/src/app/favicon.ico -------------------------------------------------------------------------------- /frontend/next.config.mjs: -------------------------------------------------------------------------------- 1 | /** @type {import('next').NextConfig} */ 2 | const nextConfig = {}; 3 | 4 | export default nextConfig; 5 | -------------------------------------------------------------------------------- /frontend/src/app/fonts/GeistVF.woff: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/longcipher/parallel-evm-explorer/HEAD/frontend/src/app/fonts/GeistVF.woff -------------------------------------------------------------------------------- /frontend/src/app/fonts/GeistMonoVF.woff: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/longcipher/parallel-evm-explorer/HEAD/frontend/src/app/fonts/GeistMonoVF.woff -------------------------------------------------------------------------------- /frontend/src/static/iconfont/iconfont.ttf: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/longcipher/parallel-evm-explorer/HEAD/frontend/src/static/iconfont/iconfont.ttf -------------------------------------------------------------------------------- /frontend/src/static/iconfont/iconfont.woff: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/longcipher/parallel-evm-explorer/HEAD/frontend/src/static/iconfont/iconfont.woff -------------------------------------------------------------------------------- /frontend/public/vercel.svg: -------------------------------------------------------------------------------- 1 | -------------------------------------------------------------------------------- /frontend/src/static/iconfont/iconfont.woff2: -------------------------------------------------------------------------------- https://raw.githubusercontent.com/longcipher/parallel-evm-explorer/HEAD/frontend/src/static/iconfont/iconfont.woff2 -------------------------------------------------------------------------------- /src/db/mod.rs: -------------------------------------------------------------------------------- 1 | pub mod block; 2 | mod database; 3 | pub mod parallel_analyzer_state; 4 | pub mod transaction; 5 | pub mod transaction_dag; 6 | 7 | pub use database::DB; 8 | -------------------------------------------------------------------------------- /frontend/postcss.config.mjs: -------------------------------------------------------------------------------- 1 | /** @type {import('postcss-load-config').Config} */ 2 | const config = { 3 | plugins: { 4 | tailwindcss: {}, 5 | }, 6 | }; 7 | 8 | export default config; 9 | -------------------------------------------------------------------------------- /src/db/database.rs: -------------------------------------------------------------------------------- 1 | #[derive(Clone, Debug)] 2 | pub struct DB { 3 | pub db: sqlx::PgPool, 4 | } 5 | 6 | impl DB { 7 | pub fn new(pool: sqlx::PgPool) -> Self { 8 | Self { db: pool } 9 | } 10 | } 11 | -------------------------------------------------------------------------------- /config.example.toml: -------------------------------------------------------------------------------- 1 | execution_api = "rpc-with-debug-namespace" 2 | start_block = 2954719 # analyzer run from this block 3 | server_addr = "0.0.0.0:8327" # api server listen address 4 | database_url = "postgresql://localhost:5432/pevm_explorer" # database url 5 | chain_id = 17000 # holesky 6 | -------------------------------------------------------------------------------- /.rustfmt.toml: -------------------------------------------------------------------------------- 1 | unstable_features = true 2 | newline_style = "Unix" 3 | imports_granularity = "Crate" 4 | group_imports = "StdExternalCrate" 5 | reorder_imports = true 6 | normalize_comments = true 7 | normalize_doc_attributes = true 8 | format_code_in_doc_comments = true 9 | use_field_init_shorthand = true 10 | -------------------------------------------------------------------------------- /frontend/README.md: -------------------------------------------------------------------------------- 1 | # Parallel EVM Explorer Frontend 2 | 3 | ## Checks before push 4 | 5 | ```sh 6 | npm run format 7 | npm run lint 8 | ``` 9 | 10 | ## Run 11 | 12 | .env 13 | 14 | ```sh 15 | NEXT_PUBLIC_API_SERVER=http://: 16 | ``` 17 | 18 | ```sh 19 | npm install 20 | npm run dev 21 | ``` 22 | -------------------------------------------------------------------------------- /Justfile: -------------------------------------------------------------------------------- 1 | format: 2 | taplo fmt 3 | cargo +nightly fmt --all 4 | lint: 5 | taplo fmt --check 6 | cargo +nightly fmt --all -- --check 7 | cargo +nightly clippy --all -- -D warnings -A clippy::derive_partial_eq_without_eq -D clippy::unwrap_used -D clippy::uninlined_format_args 8 | cargo machete 9 | test: 10 | cargo test -------------------------------------------------------------------------------- /migrations/02_parallel_analyzer_state.sql: -------------------------------------------------------------------------------- 1 | CREATE TABLE IF NOT EXISTS parallel_analyzer_state ( 2 | latest_block BIGINT NOT NULL, 3 | chain_id BIGINT NOT NULL PRIMARY KEY, 4 | start_block BIGINT NOT NULL, 5 | latest_analyzed_block BIGINT NOT NULL, 6 | created_at TIMESTAMP WITH TIME ZONE, 7 | updated_at TIMESTAMP WITH TIME ZONE 8 | ); 9 | -------------------------------------------------------------------------------- /frontend/public/window.svg: -------------------------------------------------------------------------------- 1 | -------------------------------------------------------------------------------- /frontend/public/file.svg: -------------------------------------------------------------------------------- 1 | -------------------------------------------------------------------------------- /frontend/src/app/globals.css: -------------------------------------------------------------------------------- 1 | @tailwind base; 2 | @tailwind components; 3 | @tailwind utilities; 4 | 5 | :root { 6 | --background: #ffffff; 7 | --foreground: #171717; 8 | } 9 | 10 | @media (prefers-color-scheme: dark) { 11 | :root { 12 | --background: #0a0a0a; 13 | --foreground: #ededed; 14 | } 15 | } 16 | 17 | body { 18 | color: var(--foreground); 19 | background: var(--background); 20 | font-family: Arial, Helvetica, sans-serif; 21 | } 22 | -------------------------------------------------------------------------------- /src/log.rs: -------------------------------------------------------------------------------- 1 | #![allow(unused)] 2 | 3 | use eyre::Result; 4 | pub use tracing::{debug, error, info, warn}; 5 | use tracing_subscriber::EnvFilter; 6 | pub fn init_log(level: &str) -> Result<()> { 7 | let env_filter = EnvFilter::try_new(level)?; 8 | tracing_subscriber::fmt::Subscriber::builder() 9 | .with_env_filter(env_filter) 10 | // .with_thread_ids(true) 11 | // .with_thread_names(true) 12 | // .with_file(true) 13 | // .with_line_number(true) 14 | .with_ansi(true) 15 | .compact() 16 | // .json() 17 | // .flatten_event(true) 18 | .init(); 19 | Ok(()) 20 | } 21 | -------------------------------------------------------------------------------- /frontend/package.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "parallel-evm-explorer", 3 | "version": "0.1.0", 4 | "private": true, 5 | "scripts": { 6 | "dev": "next dev", 7 | "build": "next build", 8 | "start": "next start", 9 | "lint": "biome check", 10 | "fix": "biome check --fix --unsafe", 11 | "format": "biome format --write" 12 | }, 13 | "dependencies": { 14 | "graphology": "^0.25.4", 15 | "next": "15.1.4", 16 | "react": "19.0.0", 17 | "react-dom": "19.0.0", 18 | "sigma": "^3.0.0" 19 | }, 20 | "devDependencies": { 21 | "@biomejs/biome": "1.9.4", 22 | "postcss": "8.4.49", 23 | "tailwindcss": "3.4.17" 24 | } 25 | } 26 | -------------------------------------------------------------------------------- /frontend/.gitignore: -------------------------------------------------------------------------------- 1 | # See https://help.github.com/articles/ignoring-files/ for more about ignoring files. 2 | 3 | # dependencies 4 | /node_modules 5 | /.pnp 6 | .pnp.* 7 | .yarn/* 8 | !.yarn/patches 9 | !.yarn/plugins 10 | !.yarn/releases 11 | !.yarn/versions 12 | 13 | # testing 14 | /coverage 15 | 16 | # next.js 17 | /.next/ 18 | /out/ 19 | 20 | # production 21 | /build 22 | 23 | # misc 24 | .DS_Store 25 | *.pem 26 | 27 | # debug 28 | npm-debug.log* 29 | yarn-debug.log* 30 | yarn-error.log* 31 | .pnpm-debug.log* 32 | 33 | # env files (can opt-in for committing if needed) 34 | .env* 35 | 36 | # vercel 37 | .vercel 38 | 39 | # typescript 40 | *.tsbuildinfo 41 | next-env.d.ts 42 | -------------------------------------------------------------------------------- /frontend/tailwind.config.js: -------------------------------------------------------------------------------- 1 | /** @type {import('tailwindcss').Config} */ 2 | module.exports = { 3 | content: [ 4 | "./src/pages/**/*.{js,ts,jsx,tsx,mdx}", 5 | "./src/components/**/*.{js,ts,jsx,tsx,mdx}", 6 | "./src/app/**/*.{js,ts,jsx,tsx,mdx}", 7 | ], 8 | theme: { 9 | extend: { 10 | colors: { 11 | background: "var(--background)", 12 | foreground: "var(--foreground)", 13 | }, 14 | backgroundColor: (theme) => ({ 15 | ...theme("colors"), 16 | primary: "#3490dc", 17 | secondary: "#ffed4a", 18 | cpurple: "#CE93D8", 19 | cblue: "#90CAF9", 20 | cgreen: "#008000", 21 | cgray: "#828585", 22 | }), 23 | }, 24 | }, 25 | plugins: [], 26 | }; 27 | -------------------------------------------------------------------------------- /README.md: -------------------------------------------------------------------------------- 1 | # Parallel EVM Explorer 2 | 3 | Parallel EVM explorer is a tool to analyze the parallel execution of EVM transactions in a specific block. It aims to support all EVM compatible chains. 4 | 5 | ## API Document 6 | 7 | * 8 | 9 | ## DB Migration 10 | 11 | ```sh 12 | sqlx db setup 13 | ``` 14 | 15 | ## Run Server 16 | 17 | ```sh 18 | parallel-evm-explorer -c config.toml 19 | ``` 20 | 21 | example config.toml 22 | 23 | ```toml 24 | execution_api = "rpc-with-debug-namespace" 25 | start_block = 2954719 # analyzer run from this block 26 | server_addr = "0.0.0.0:8327" # api server listen address 27 | database_url = "postgresql://localhost:5432/pevm_explorer" # database url 28 | chain_id = 17000 # holesky 29 | ``` 30 | -------------------------------------------------------------------------------- /frontend/src/app/layout.js: -------------------------------------------------------------------------------- 1 | import localFont from "next/font/local"; 2 | import "./globals.css"; 3 | import "../static/iconfont/iconfont.css"; 4 | 5 | const geistSans = localFont({ 6 | src: "./fonts/GeistVF.woff", 7 | variable: "--font-geist-sans", 8 | weight: "100 900", 9 | }); 10 | const geistMono = localFont({ 11 | src: "./fonts/GeistMonoVF.woff", 12 | variable: "--font-geist-mono", 13 | weight: "100 900", 14 | }); 15 | 16 | export const metadata = { 17 | title: "Parallel EVM Explorer", 18 | description: "Explorer interface for parallel EVM transactions", 19 | }; 20 | 21 | export default function RootLayout({ children }) { 22 | return ( 23 | 24 | 27 | {children} 28 | 29 | 30 | ); 31 | } 32 | -------------------------------------------------------------------------------- /.github/workflows/js.yml: -------------------------------------------------------------------------------- 1 | name: JS Lint 2 | 3 | on: 4 | push: 5 | tags: 6 | - v* 7 | branches: 8 | - master 9 | - main 10 | paths-ignore: 11 | - '**.md' 12 | pull_request: 13 | paths: 14 | - 'frontend/**' 15 | # Allows you to run this workflow manually from the Actions tab 16 | workflow_dispatch: 17 | 18 | jobs: 19 | check_and_build: 20 | name: Check and Build 21 | runs-on: ubuntu-latest 22 | 23 | steps: 24 | - name: Checkout 25 | uses: actions/checkout@v4 26 | - name: mise 27 | uses: jdx/mise-action@v2 28 | - name: Change directory to frontend 29 | run: cd frontend 30 | - name: npm install 31 | run: npm install --no-audit 32 | working-directory: ./frontend 33 | - name: npm lint 34 | run: npm run lint --if-present 35 | working-directory: ./frontend -------------------------------------------------------------------------------- /frontend/src/static/iconfont/iconfont.css: -------------------------------------------------------------------------------- 1 | @font-face { 2 | font-family: "iconfont"; /* Project id 4785399 */ 3 | src: url("iconfont.woff2?t=1734452798652") format("woff2"), 4 | url("iconfont.woff?t=1734452798652") format("woff"), 5 | url("iconfont.ttf?t=1734452798652") format("truetype"); 6 | } 7 | 8 | .iconfont { 9 | font-family: "iconfont", sans-serif !important; 10 | font-size: 16px; 11 | font-style: normal; 12 | -webkit-font-smoothing: antialiased; 13 | -moz-osx-font-smoothing: grayscale; 14 | } 15 | 16 | .icon-pause:before { 17 | content: "\e601"; 18 | } 19 | 20 | .icon-playfill:before { 21 | content: "\e74f"; 22 | } 23 | 24 | .icon-wenhaofill:before { 25 | content: "\e72c"; 26 | } 27 | 28 | .icon-wenhao:before { 29 | content: "\e72d"; 30 | } 31 | 32 | .icon-zuo:before { 33 | content: "\e6ce"; 34 | } 35 | 36 | .icon-you:before { 37 | content: "\e6cf"; 38 | } 39 | -------------------------------------------------------------------------------- /src/models/common.rs: -------------------------------------------------------------------------------- 1 | use axum::{http::StatusCode, response::IntoResponse}; 2 | use serde::{Deserialize, Serialize}; 3 | use tracing::error; 4 | 5 | pub struct AppError(pub eyre::Error); 6 | 7 | impl From for AppError 8 | where 9 | E: Into, 10 | { 11 | fn from(err: E) -> Self { 12 | Self(err.into()) 13 | } 14 | } 15 | 16 | impl IntoResponse for AppError { 17 | fn into_response(self) -> axum::response::Response { 18 | error!("internal server error: {:?}", self.0); 19 | ( 20 | StatusCode::INTERNAL_SERVER_ERROR, 21 | format!("Internal Server Error: {}", self.0), 22 | ) 23 | .into_response() 24 | } 25 | } 26 | 27 | #[derive(Debug, Serialize, Deserialize)] 28 | pub struct HealthResp {} 29 | 30 | #[derive(Debug, Serialize, Deserialize)] 31 | pub struct FailResponse { 32 | pub code: u16, 33 | pub message: String, 34 | } 35 | -------------------------------------------------------------------------------- /.gitignore: -------------------------------------------------------------------------------- 1 | # Generated by Cargo 2 | # will have compiled files and executables 3 | debug/ 4 | target/ 5 | 6 | # Remove Cargo.lock from gitignore if creating an executable, leave it for libraries 7 | # More information here https://doc.rust-lang.org/cargo/guide/cargo-toml-vs-cargo-lock.html 8 | # Cargo.lock 9 | 10 | # These are backup files generated by rustfmt 11 | **/*.rs.bk 12 | 13 | # MSVC Windows builds of rustc generate these, which store debugging information 14 | *.pdb 15 | 16 | # RustRover 17 | # JetBrains specific template is maintained in a separate JetBrains.gitignore that can 18 | # be found at https://github.com/github/gitignore/blob/main/Global/JetBrains.gitignore 19 | # and can be added to the global gitignore or merged into this file. For a more nuclear 20 | # option (not recommended) you can uncomment the following to ignore the entire idea folder. 21 | #.idea/ 22 | 23 | # Added by cargo 24 | 25 | /target 26 | conf/config.toml 27 | .envrc 28 | -------------------------------------------------------------------------------- /src/config.rs: -------------------------------------------------------------------------------- 1 | use std::path::PathBuf; 2 | 3 | use clap::Parser; 4 | use config::{Config as FileConfig, ConfigError, Environment, File}; 5 | use reqwest::Url; 6 | use serde_derive::Deserialize; 7 | 8 | #[derive(Clone, Parser)] 9 | pub struct Cli { 10 | #[clap(short, long)] 11 | pub config: Option, 12 | #[clap(short, long, default_value = "false")] 13 | pub version: bool, 14 | } 15 | 16 | #[derive(Debug, Clone, Deserialize)] 17 | pub struct Config { 18 | pub execution_api: Url, 19 | pub start_block: i64, 20 | pub chain_id: i64, 21 | pub server_addr: String, 22 | pub database_url: String, 23 | } 24 | 25 | impl Config { 26 | pub fn new(config: Option) -> Result { 27 | let c = FileConfig::builder() 28 | .add_source(File::from(config.expect("Config file not found"))) 29 | .add_source(Environment::with_prefix("PEVM")) 30 | .build()?; 31 | c.try_deserialize() 32 | } 33 | } 34 | -------------------------------------------------------------------------------- /frontend/public/globe.svg: -------------------------------------------------------------------------------- 1 | -------------------------------------------------------------------------------- /src/models/transaction_dag.rs: -------------------------------------------------------------------------------- 1 | use serde::{Deserialize, Serialize}; 2 | 3 | #[derive(Debug, Serialize, Deserialize, Clone)] 4 | pub struct TransactionDagQuery { 5 | pub block_number: Option, 6 | } 7 | 8 | #[derive(Debug, Serialize, Deserialize, Clone)] 9 | pub struct Transaction { 10 | pub index: i64, 11 | pub tx_hash: String, 12 | pub tx_type: i16, 13 | pub gas_used: String, 14 | pub from: String, 15 | pub to: String, 16 | } 17 | 18 | #[derive(Debug, Serialize, Deserialize, Clone)] 19 | pub struct TransactionDag { 20 | pub source: i64, 21 | pub target: i64, 22 | pub dep_type: i16, 23 | } 24 | 25 | #[derive(Debug, Serialize, Deserialize, Clone)] 26 | pub struct TransactionDagResponse { 27 | pub block_number: i64, 28 | pub transactions: Vec, 29 | pub dags: Vec, 30 | } 31 | 32 | #[derive(Debug, Serialize, Deserialize, Clone)] 33 | pub struct ParallelAnalyzerStateResp { 34 | pub latest_block: i64, 35 | pub chain_id: i64, 36 | pub start_block: i64, 37 | pub latest_analyzed_block: i64, 38 | } 39 | -------------------------------------------------------------------------------- /src/handlers/common.rs: -------------------------------------------------------------------------------- 1 | use std::{any::Any, sync::Arc}; 2 | 3 | use axum::{ 4 | Json, 5 | extract::State, 6 | http::StatusCode, 7 | response::{IntoResponse, Response as AxumResponse}, 8 | }; 9 | use tracing::error; 10 | 11 | use crate::{ 12 | models::common::{AppError, HealthResp}, 13 | server::ServerState, 14 | }; 15 | 16 | pub fn handle_panic(err: Box) -> AxumResponse { 17 | let detail = if let Some(s) = err.downcast_ref::() { 18 | s.as_str() 19 | } else if let Some(s) = err.downcast_ref::<&str>() { 20 | s 21 | } else { 22 | "no error details" 23 | }; 24 | error!("Internal Server Error: {:}", detail); 25 | ( 26 | StatusCode::INTERNAL_SERVER_ERROR, 27 | format!("Internal Server Error: {detail:}"), 28 | ) 29 | .into_response() 30 | } 31 | 32 | pub async fn handle_404() -> AxumResponse { 33 | ( 34 | StatusCode::NOT_FOUND, 35 | "The requested resource could not be found.", 36 | ) 37 | .into_response() 38 | } 39 | 40 | pub async fn health_check( 41 | State(_data): State>, 42 | ) -> Result, AppError> { 43 | Ok(Json(HealthResp {})) 44 | } 45 | -------------------------------------------------------------------------------- /frontend/src/static/iconfont/iconfont.json: -------------------------------------------------------------------------------- 1 | { 2 | "id": "4785399", 3 | "name": "parallel", 4 | "font_family": "iconfont", 5 | "css_prefix_text": "icon-", 6 | "description": "", 7 | "glyphs": [ 8 | { 9 | "icon_id": "9358715", 10 | "name": "pause", 11 | "font_class": "pause", 12 | "unicode": "e601", 13 | "unicode_decimal": 58881 14 | }, 15 | { 16 | "icon_id": "212328", 17 | "name": "play_fill", 18 | "font_class": "playfill", 19 | "unicode": "e74f", 20 | "unicode_decimal": 59215 21 | }, 22 | { 23 | "icon_id": "577318", 24 | "name": "问号-fill", 25 | "font_class": "wenhaofill", 26 | "unicode": "e72c", 27 | "unicode_decimal": 59180 28 | }, 29 | { 30 | "icon_id": "577319", 31 | "name": "问号", 32 | "font_class": "wenhao", 33 | "unicode": "e72d", 34 | "unicode_decimal": 59181 35 | }, 36 | { 37 | "icon_id": "42559534", 38 | "name": "左", 39 | "font_class": "zuo", 40 | "unicode": "e6ce", 41 | "unicode_decimal": 59086 42 | }, 43 | { 44 | "icon_id": "42559536", 45 | "name": "右", 46 | "font_class": "you", 47 | "unicode": "e6cf", 48 | "unicode_decimal": 59087 49 | } 50 | ] 51 | } 52 | -------------------------------------------------------------------------------- /frontend/public/next.svg: -------------------------------------------------------------------------------- 1 | -------------------------------------------------------------------------------- /Cargo.toml: -------------------------------------------------------------------------------- 1 | [package] 2 | name = "parallel-evm-explorer" 3 | version = "0.1.0" 4 | edition = "2024" 5 | 6 | [dependencies] 7 | alloy = { version = "0.12.6", features = [ 8 | "providers", 9 | "transports", 10 | "transport-http", 11 | "rpc", 12 | "rpc-types", 13 | "provider-debug-api", 14 | ] } 15 | axum = "0.8.1" 16 | clap = { version = "4.5.32", features = ["derive"] } 17 | config = "0.15.11" 18 | eyre = "0.6.12" 19 | reqwest = { version = "0.12.15", features = ["json"] } 20 | serde = { version = "1.0.219", features = ["derive"] } 21 | serde_derive = "1.0.219" 22 | shadow-rs = "1.1.1" 23 | sqlx = { version = "0.8.3", features = [ 24 | "runtime-tokio", 25 | "tls-native-tls", 26 | "macros", 27 | "migrate", 28 | "derive", 29 | "postgres", 30 | "rust_decimal", 31 | "time", 32 | "json", 33 | ] } 34 | time = { version = "0.3.40", features = ["serde"] } 35 | tokio = { version = "1.44.1", features = ["full"] } 36 | tower-http = { version = "0.6.2", features = [ 37 | "cors", 38 | "trace", 39 | "catch-panic", 40 | "util", 41 | ] } 42 | tracing = "0.1.41" 43 | tracing-subscriber = { version = "0.3.19", features = ["env-filter", "json"] } 44 | url = { version = "2.5.4", features = ["serde"] } 45 | 46 | [package.metadata.cargo-machete] 47 | ignored = ["url", "time"] 48 | 49 | [build-dependencies] 50 | shadow-rs = "1.1.1" 51 | -------------------------------------------------------------------------------- /frontend/src/utils/api.js: -------------------------------------------------------------------------------- 1 | const fetchRequest = async (url, options = {}) => { 2 | const { method = "GET", params = {}, headers = {}, ...restOptions } = options; 3 | const config = { 4 | method, 5 | headers: { 6 | "Content-Type": "application/json", 7 | ...(options.token ? { Authorization: `Bearer ${options.token}` } : {}), 8 | ...headers, 9 | }, 10 | ...restOptions, 11 | }; 12 | 13 | if (method === "GET" && Object.keys(params).length > 0) { 14 | const queryString = new URLSearchParams(params).toString(); 15 | url = `${url}?${queryString}`; 16 | } 17 | 18 | if (method === "POST" && Object.keys(params).length > 0) { 19 | config.body = JSON.stringify(params); 20 | } 21 | 22 | try { 23 | const response = await fetch( 24 | `${process.env.NEXT_PUBLIC_API_SERVER}${url}`, 25 | config, 26 | ); 27 | 28 | if (!response.ok) { 29 | const errorData = await response.json(); 30 | throw new Error( 31 | errorData.message || `HTTP error! Status: ${response.status}`, 32 | ); 33 | } 34 | 35 | return await response.json(); 36 | } catch (error) { 37 | console.error("API request error:", error); 38 | throw error; 39 | } 40 | }; 41 | 42 | export const get = (url, params = {}, options = {}) => 43 | fetchRequest(url, { method: "GET", params, ...options }); 44 | export const post = (url, params = {}, options = {}) => 45 | fetchRequest(url, { method: "POST", params, ...options }); 46 | -------------------------------------------------------------------------------- /.github/workflows/rust.yml: -------------------------------------------------------------------------------- 1 | name: Rust Lint 2 | 3 | on: 4 | push: 5 | tags: 6 | - v* 7 | branches: 8 | - master 9 | - main 10 | paths-ignore: 11 | - '**.md' 12 | pull_request: 13 | paths: 14 | - 'src/**' 15 | # Allows you to run this workflow manually from the Actions tab 16 | workflow_dispatch: 17 | 18 | env: 19 | # Not needed in CI, should make things a bit faster 20 | CARGO_INCREMENTAL: 0 21 | CARGO_TERM_COLOR: always 22 | # Build smaller artifacts to avoid running out of space in CI 23 | RUSTFLAGS: -C strip=debuginfo 24 | 25 | jobs: 26 | check_and_build: 27 | name: Check and Build 28 | runs-on: ubuntu-latest 29 | 30 | steps: 31 | - name: Cancel Previous Runs 32 | uses: styfle/cancel-workflow-action@main 33 | with: 34 | access_token: ${{ github.token }} 35 | - name: Checkout 36 | uses: actions/checkout@v4 37 | - name: Setup Rust toolchain 38 | uses: dtolnay/rust-toolchain@nightly 39 | with: 40 | components: clippy,rustfmt,miri 41 | - uses: taiki-e/install-action@v2 42 | with: 43 | tool: taplo-cli,cargo-machete,just 44 | - name: Setup Rust cache 45 | uses: Swatinem/rust-cache@v2 46 | with: 47 | cache-on-failure: true 48 | - name: Install Foundry 49 | uses: foundry-rs/foundry-toolchain@v1 50 | with: 51 | version: nightly 52 | - name: Install Protoc 53 | uses: arduino/setup-protoc@v3 54 | - name: Lint 55 | run: just lint -------------------------------------------------------------------------------- /migrations/01_create_tables.sql: -------------------------------------------------------------------------------- 1 | CREATE TABLE IF NOT EXISTS blocks ( 2 | parent_hash TEXT NOT NULL, 3 | block_hash TEXT NOT NULL PRIMARY KEY, 4 | block_number BIGINT NOT NULL, 5 | gas_used BIGINT NOT NULL, 6 | gas_limit BIGINT NOT NULL, 7 | block_timestamp BIGINT NOT NULL, 8 | base_fee_per_gas BIGINT NOT NULL, 9 | blob_gas_used BIGINT NOT NULL, 10 | excess_blob_gas BIGINT NOT NULL, 11 | created_at TIMESTAMPTZ DEFAULT CURRENT_TIMESTAMP, 12 | updated_at TIMESTAMPTZ DEFAULT CURRENT_TIMESTAMP 13 | ); 14 | 15 | CREATE UNIQUE INDEX blocks_block_number_idx ON blocks (block_number); 16 | 17 | CREATE TABLE IF NOT EXISTS transactions ( 18 | block_number BIGINT NOT NULL, 19 | tx_index BIGINT NOT NULL, 20 | tx_hash TEXT NOT NULL PRIMARY KEY, 21 | tx_from TEXT NOT NULL, 22 | tx_to TEXT NOT NULL, 23 | gas_price TEXT NOT NULL, 24 | max_fee_per_gas TEXT NOT NULL, 25 | max_priority_fee_per_gas TEXT NOT NULL, 26 | max_fee_per_blob_gas TEXT NOT NULL, 27 | gas BIGINT NOT NULL, 28 | tx_value TEXT NOT NULL, 29 | input TEXT NOT NULL, 30 | nonce BIGINT NOT NULL, 31 | tx_type SMALLINT NOT NULL, 32 | created_at TIMESTAMPTZ DEFAULT CURRENT_TIMESTAMP, 33 | updated_at TIMESTAMPTZ DEFAULT CURRENT_TIMESTAMP 34 | ); 35 | 36 | CREATE UNIQUE INDEX transactions_block_tx_idx ON transactions (block_number, tx_index); 37 | 38 | CREATE TABLE IF NOT EXISTS transaction_dags ( 39 | block_number BIGINT NOT NULL, 40 | source_tx BIGINT NOT NULL, 41 | target_tx BIGINT NOT NULL, 42 | dep_type SMALLINT NOT NULL, 43 | created_at TIMESTAMPTZ DEFAULT CURRENT_TIMESTAMP, 44 | updated_at TIMESTAMPTZ DEFAULT CURRENT_TIMESTAMP 45 | ); 46 | 47 | CREATE UNIQUE INDEX transaction_dags_block_source_target_idx ON transaction_dags (block_number, source_tx, target_tx); 48 | -------------------------------------------------------------------------------- /.taplo.toml: -------------------------------------------------------------------------------- 1 | ## https://taplo.tamasfe.dev/configuration/file.html 2 | 3 | include = ["**/Cargo.toml"] 4 | 5 | [formatting] 6 | # Align consecutive entries vertically. 7 | align_entries = false 8 | # Append trailing commas for multi-line arrays. 9 | array_trailing_comma = true 10 | # Expand arrays to multiple lines that exceed the maximum column width. 11 | array_auto_expand = true 12 | # Collapse arrays that don't exceed the maximum column width and don't contain comments. 13 | array_auto_collapse = false 14 | # Omit white space padding from single-line arrays 15 | compact_arrays = true 16 | # Omit white space padding from the start and end of inline tables. 17 | compact_inline_tables = false 18 | # Maximum column width in characters, affects array expansion and collapse, this doesn't take whitespace into account. 19 | # Note that this is not set in stone, and works on a best-effort basis. 20 | # column_width = 120 21 | # Indent based on tables and arrays of tables and their subtables, subtables out of order are not indented. 22 | indent_tables = false 23 | # The substring that is used for indentation, should be tabs or spaces (but technically can be anything). 24 | indent_string = ' ' 25 | # Add trailing newline at the end of the file if not present. 26 | trailing_newline = true 27 | # Alphabetically reorder keys that are not separated by empty lines. 28 | reorder_keys = false 29 | # Maximum amount of allowed consecutive blank lines. This does not affect the whitespace at the end of the document, as it is always stripped. 30 | allowed_blank_lines = 1 31 | # Use CRLF for line endings. 32 | crlf = false 33 | 34 | [[rule]] 35 | keys = [ 36 | "build-dependencies", 37 | "dependencies", 38 | "dev-dependencies", 39 | "workspace.dependencies", 40 | ] 41 | formatting = { reorder_keys = true } 42 | 43 | [[rule]] 44 | keys = ["package"] 45 | formatting = { reorder_keys = false } -------------------------------------------------------------------------------- /src/server.rs: -------------------------------------------------------------------------------- 1 | use std::sync::Arc; 2 | 3 | use alloy::{ 4 | network::Ethereum, 5 | providers::{Provider, RootProvider}, 6 | }; 7 | use axum::{Router, routing::get}; 8 | use eyre::Result; 9 | use tokio::net::TcpListener; 10 | use tower_http::{catch_panic::CatchPanicLayer, cors::CorsLayer}; 11 | 12 | use crate::{ 13 | config::Config, 14 | db::DB, 15 | handlers::{ 16 | common::{handle_404, handle_panic, health_check}, 17 | transaction_dag::{handle_parallel_analyzer_state, handle_transaction_dag}, 18 | }, 19 | }; 20 | 21 | #[derive(Clone)] 22 | pub struct ServerState { 23 | pub db: Arc, 24 | pub config: Arc, 25 | pub execution_api_client: Arc>, 26 | pub chain_id: i64, 27 | } 28 | 29 | impl ServerState { 30 | pub fn new(db: Arc, config: Config) -> Result { 31 | let provider = RootProvider::builder().on_http(config.execution_api.clone()); 32 | Ok(Self { 33 | db, 34 | config: Arc::new(config.clone()), 35 | execution_api_client: Arc::new(provider), 36 | chain_id: config.chain_id, 37 | }) 38 | } 39 | 40 | fn config_router(&self) -> Router { 41 | Router::new() 42 | .route("/health", get(health_check)) 43 | .route("/data/evm/transaction-dag", get(handle_transaction_dag)) 44 | .route( 45 | "/data/evm/parallel-analyzer-state", 46 | get(handle_parallel_analyzer_state), 47 | ) 48 | .fallback(get(handle_404)) 49 | .layer(CatchPanicLayer::custom(handle_panic)) 50 | .layer(CorsLayer::permissive()) 51 | .with_state(Arc::new(self.clone())) 52 | } 53 | 54 | pub async fn run(&self) -> Result<()> { 55 | let server = self.config_router(); 56 | 57 | let listener = TcpListener::bind(&self.config.server_addr).await?; 58 | axum::serve(listener, server).await?; 59 | Ok(()) 60 | } 61 | } 62 | -------------------------------------------------------------------------------- /src/main.rs: -------------------------------------------------------------------------------- 1 | use std::sync::Arc; 2 | 3 | use clap::Parser; 4 | use db::{DB, parallel_analyzer_state::ParallelAnalyzerState}; 5 | use eyre::{Context, Result}; 6 | use server::ServerState; 7 | use shadow_rs::shadow; 8 | use sqlx::postgres::PgPoolOptions; 9 | use tracing::info; 10 | 11 | use crate::{ 12 | config::{Cli, Config}, 13 | db::parallel_analyzer_state::ParallelAnalyzerStateDB, 14 | log::init_log, 15 | }; 16 | 17 | mod config; 18 | mod db; 19 | mod handlers; 20 | mod log; 21 | mod models; 22 | mod parallel_analyzer; 23 | mod server; 24 | 25 | shadow!(build); 26 | 27 | #[tokio::main] 28 | async fn main() -> Result<()> { 29 | let cli = Cli::parse(); 30 | if cli.version { 31 | println!("{}", build::VERSION); 32 | return Ok(()); 33 | } 34 | init_log("info")?; 35 | let config = Config::new(cli.config)?; 36 | info!("{:?}", config); 37 | 38 | let db = PgPoolOptions::new() 39 | .max_connections(50) 40 | .connect(&config.database_url) 41 | .await 42 | .context("could not connect to database_url")?; 43 | let db = Arc::new(DB::new(db)); 44 | let server_state = ServerState::new(db.clone(), config.clone())?; 45 | let parallel_analyzer_state = db 46 | .get_parallel_analyzer_state_by_chainid(config.chain_id) 47 | .await?; 48 | let start_block = if let Some(state) = parallel_analyzer_state { 49 | std::cmp::max(state.latest_analyzed_block + 1, config.start_block) 50 | } else { 51 | // init parallel_analyzer_state 52 | db.insert_parallel_analyzer_state(&ParallelAnalyzerState { 53 | latest_block: 0, 54 | chain_id: config.chain_id, 55 | start_block: config.start_block, 56 | latest_analyzed_block: config.start_block - 1, 57 | created_at: None, 58 | updated_at: None, 59 | }) 60 | .await?; 61 | config.start_block 62 | }; 63 | let parallel_analyzer = parallel_analyzer::ParallelAnalyzer::new( 64 | db, 65 | config.execution_api.clone(), 66 | start_block, 67 | config.chain_id, 68 | ); 69 | let _ = tokio::join!(server_state.run(), parallel_analyzer.run()); 70 | 71 | Ok(()) 72 | } 73 | -------------------------------------------------------------------------------- /frontend/src/components/Graph.js: -------------------------------------------------------------------------------- 1 | import dynamic from "next/dynamic"; 2 | import React, { useEffect, useRef } from "react"; 3 | 4 | // Dynamically import Sigma, ensuring it only loads on the client side 5 | const GraphComponent = dynamic( 6 | () => 7 | import("sigma").then((Sigma) => { 8 | return ({ graphData }) => { 9 | const containerRef = useRef(null); 10 | const sigmaInstanceRef = useRef(null); 11 | 12 | useEffect(() => { 13 | if (containerRef.current) { 14 | const { Graph } = require("graphology"); // Dynamically import graphology on the client side 15 | const graph = new Graph(); 16 | 17 | // Add nodes and edges to the graph 18 | for (const node of graphData.nodes) { 19 | graph.addNode(node.id, { ...node }); 20 | } 21 | for (const edge of graphData.edges) { 22 | graph.addEdge(edge.source, edge.target, { ...edge }); 23 | } 24 | 25 | // Initialize Sigma instance 26 | sigmaInstanceRef.current = new Sigma.default( 27 | graph, 28 | containerRef.current, 29 | ); 30 | } 31 | 32 | // Clean up the Sigma instance on component unmount 33 | return () => { 34 | sigmaInstanceRef.current?.kill(); 35 | }; 36 | }, [graphData]); 37 | 38 | useEffect(() => { 39 | const container = containerRef.current; 40 | 41 | if (container) { 42 | const resizeObserver = new ResizeObserver(() => { 43 | sigmaInstanceRef.current?.refresh(); 44 | }); 45 | 46 | // Observe container resizing to refresh the Sigma instance 47 | resizeObserver.observe(container); 48 | 49 | // Disconnect the ResizeObserver on cleanup 50 | return () => { 51 | resizeObserver.disconnect(); 52 | }; 53 | } 54 | }, []); 55 | 56 | return ( 57 |
64 | ); 65 | }; 66 | }), 67 | { ssr: false }, // Disable SSR 68 | ); 69 | 70 | export default GraphComponent; 71 | -------------------------------------------------------------------------------- /src/db/block.rs: -------------------------------------------------------------------------------- 1 | use serde::{Deserialize, Serialize}; 2 | use sqlx::{FromRow, types::time::OffsetDateTime}; 3 | 4 | use super::DB; 5 | 6 | #[derive(FromRow, Debug, Deserialize, Serialize)] 7 | pub struct Block { 8 | pub parent_hash: String, 9 | pub block_hash: String, 10 | pub block_number: i64, 11 | pub gas_used: i64, 12 | pub gas_limit: i64, 13 | pub block_timestamp: i64, 14 | pub base_fee_per_gas: i64, 15 | pub blob_gas_used: i64, 16 | pub excess_blob_gas: i64, 17 | pub created_at: Option, 18 | pub updated_at: Option, 19 | } 20 | 21 | #[allow(unused)] 22 | pub trait BlockDB { 23 | async fn insert_block(&self, block: &Block) -> Result<(), sqlx::Error>; 24 | async fn get_block_by_number(&self, block_number: i64) -> Result, sqlx::Error>; 25 | async fn get_block_by_hash(&self, block_hash: &str) -> Result, sqlx::Error>; 26 | } 27 | 28 | impl BlockDB for DB { 29 | async fn insert_block(&self, block: &Block) -> Result<(), sqlx::Error> { 30 | sqlx::query( 31 | r#" 32 | INSERT INTO blocks (parent_hash, block_hash, block_number, gas_used, gas_limit, block_timestamp, base_fee_per_gas, blob_gas_used, excess_blob_gas) 33 | VALUES ($1, $2, $3, $4, $5, $6, $7, $8, $9) 34 | ON CONFLICT (block_hash) DO NOTHING 35 | "#, 36 | ) 37 | .bind(block.parent_hash.clone()) 38 | .bind(block.block_hash.clone()) 39 | .bind(block.block_number) 40 | .bind(block.gas_used) 41 | .bind(block.gas_limit) 42 | .bind(block.block_timestamp) 43 | .bind(block.base_fee_per_gas) 44 | .bind(block.blob_gas_used) 45 | .bind(block.excess_blob_gas) 46 | .execute(&self.db) 47 | .await?; 48 | Ok(()) 49 | } 50 | async fn get_block_by_number(&self, block_number: i64) -> Result, sqlx::Error> { 51 | let block = sqlx::query_as::<_, Block>( 52 | r#" 53 | SELECT * FROM blocks WHERE block_number = $1 54 | "#, 55 | ) 56 | .bind(block_number) 57 | .fetch_optional(&self.db) 58 | .await?; 59 | Ok(block) 60 | } 61 | async fn get_block_by_hash(&self, block_hash: &str) -> Result, sqlx::Error> { 62 | let block = sqlx::query_as::<_, Block>( 63 | r#" 64 | SELECT * FROM blocks WHERE block_hash = $1 65 | "#, 66 | ) 67 | .bind(block_hash) 68 | .fetch_optional(&self.db) 69 | .await?; 70 | Ok(block) 71 | } 72 | } 73 | -------------------------------------------------------------------------------- /src/db/transaction_dag.rs: -------------------------------------------------------------------------------- 1 | use serde::{Deserialize, Serialize}; 2 | use sqlx::{FromRow, types::time::OffsetDateTime}; 3 | use tracing::debug; 4 | 5 | use super::DB; 6 | 7 | #[derive(Debug, FromRow, Deserialize, Serialize)] 8 | pub struct TransactionDag { 9 | pub block_number: i64, 10 | pub source_tx: i64, 11 | pub target_tx: i64, 12 | /// 0x1: balance, 0x10: code, 0x100: storage 13 | pub dep_type: i16, 14 | pub created_at: Option, 15 | pub updated_at: Option, 16 | } 17 | 18 | #[allow(unused)] 19 | pub trait TransactionDagDB { 20 | async fn insert_transaction_dag( 21 | &self, 22 | transaction_dag: &TransactionDag, 23 | ) -> Result<(), sqlx::Error>; 24 | async fn get_transaction_dags_by_block_number( 25 | &self, 26 | block_number: i64, 27 | ) -> Result, sqlx::Error>; 28 | async fn delete_transaction_dags_by_block_number( 29 | &self, 30 | block_number: i64, 31 | ) -> Result<(), sqlx::Error>; 32 | } 33 | 34 | impl TransactionDagDB for DB { 35 | async fn insert_transaction_dag( 36 | &self, 37 | transaction_dag: &TransactionDag, 38 | ) -> Result<(), sqlx::Error> { 39 | debug!("insert transaction_dag {:?}", transaction_dag); 40 | sqlx::query( 41 | r#" 42 | INSERT INTO transaction_dags (block_number, source_tx, target_tx, dep_type) 43 | VALUES ($1,$2,$3,$4) 44 | "#, 45 | ) 46 | .bind(transaction_dag.block_number) 47 | .bind(transaction_dag.source_tx) 48 | .bind(transaction_dag.target_tx) 49 | .bind(transaction_dag.dep_type) 50 | .execute(&self.db) 51 | .await?; 52 | Ok(()) 53 | } 54 | 55 | async fn get_transaction_dags_by_block_number( 56 | &self, 57 | block_number: i64, 58 | ) -> Result, sqlx::Error> { 59 | let transaction_dags = sqlx::query_as::<_, TransactionDag>( 60 | r#" 61 | SELECT * FROM transaction_dags WHERE block_number = $1 62 | "#, 63 | ) 64 | .bind(block_number) 65 | .fetch_all(&self.db) 66 | .await?; 67 | Ok(transaction_dags) 68 | } 69 | 70 | async fn delete_transaction_dags_by_block_number( 71 | &self, 72 | block_number: i64, 73 | ) -> Result<(), sqlx::Error> { 74 | sqlx::query( 75 | r#" 76 | DELETE FROM transaction_dags WHERE block_number = $1 77 | "#, 78 | ) 79 | .bind(block_number) 80 | .execute(&self.db) 81 | .await?; 82 | Ok(()) 83 | } 84 | } 85 | -------------------------------------------------------------------------------- /src/handlers/transaction_dag.rs: -------------------------------------------------------------------------------- 1 | use std::sync::Arc; 2 | 3 | use alloy::providers::Provider; 4 | use axum::{ 5 | Json, 6 | extract::{Query, State}, 7 | }; 8 | use eyre::eyre; 9 | 10 | use crate::{ 11 | db::{ 12 | parallel_analyzer_state::ParallelAnalyzerStateDB, transaction::TransactionDB, 13 | transaction_dag::TransactionDagDB, 14 | }, 15 | models::{ 16 | common::AppError, 17 | transaction_dag::{ 18 | ParallelAnalyzerStateResp, Transaction, TransactionDag, TransactionDagQuery, 19 | TransactionDagResponse, 20 | }, 21 | }, 22 | server::ServerState, 23 | }; 24 | 25 | pub async fn handle_transaction_dag( 26 | State(state): State>, 27 | Query(query): Query, 28 | ) -> Result, AppError> { 29 | let block_number = if let Some(block_number) = query.block_number { 30 | block_number 31 | } else { 32 | let block_number = state.execution_api_client.get_block_number().await?; 33 | block_number as i64 - 10_i64 34 | }; 35 | let transactions = state 36 | .db 37 | .get_transactions_by_block_number(block_number) 38 | .await?; 39 | let transactions: Vec = transactions 40 | .into_iter() 41 | .map(|t| Transaction { 42 | index: t.tx_index, 43 | tx_hash: t.tx_hash, 44 | tx_type: t.tx_type, 45 | gas_used: t.gas_price, 46 | from: t.tx_from, 47 | to: t.tx_to, 48 | }) 49 | .collect(); 50 | let transaction_dags = state 51 | .db 52 | .get_transaction_dags_by_block_number(block_number) 53 | .await?; 54 | let transaction_dags: Vec = transaction_dags 55 | .into_iter() 56 | .map(|t| TransactionDag { 57 | source: t.source_tx, 58 | target: t.target_tx, 59 | dep_type: t.dep_type, 60 | }) 61 | .collect(); 62 | Ok(Json(TransactionDagResponse { 63 | block_number, 64 | transactions, 65 | dags: transaction_dags, 66 | })) 67 | } 68 | 69 | pub async fn handle_parallel_analyzer_state( 70 | State(state): State>, 71 | ) -> Result, AppError> { 72 | let analyzer_state = state 73 | .db 74 | .get_parallel_analyzer_state_by_chainid(state.chain_id) 75 | .await?; 76 | let analyzer_state = 77 | analyzer_state.ok_or(AppError(eyre!("parallel analyzer state not found")))?; 78 | 79 | Ok(Json(ParallelAnalyzerStateResp { 80 | latest_block: analyzer_state.latest_block, 81 | chain_id: analyzer_state.chain_id, 82 | start_block: analyzer_state.start_block, 83 | latest_analyzed_block: analyzer_state.latest_analyzed_block, 84 | })) 85 | } 86 | -------------------------------------------------------------------------------- /src/db/parallel_analyzer_state.rs: -------------------------------------------------------------------------------- 1 | use serde::{Deserialize, Serialize}; 2 | use sqlx::{FromRow, types::time::OffsetDateTime}; 3 | 4 | use super::DB; 5 | 6 | #[derive(FromRow, Debug, Deserialize, Serialize)] 7 | pub struct ParallelAnalyzerState { 8 | pub latest_block: i64, 9 | pub chain_id: i64, 10 | pub start_block: i64, 11 | pub latest_analyzed_block: i64, 12 | pub created_at: Option, 13 | pub updated_at: Option, 14 | } 15 | 16 | #[allow(unused)] 17 | pub trait ParallelAnalyzerStateDB { 18 | async fn insert_parallel_analyzer_state( 19 | &self, 20 | parallel_analyzer_state: &ParallelAnalyzerState, 21 | ) -> Result<(), sqlx::Error>; 22 | async fn get_parallel_analyzer_state_by_chainid( 23 | &self, 24 | chain_id: i64, 25 | ) -> Result, sqlx::Error>; 26 | async fn update_parallel_analyzer_state_by_chainid( 27 | &self, 28 | parallel_analyzer_state: &ParallelAnalyzerState, 29 | ) -> Result<(), sqlx::Error>; 30 | } 31 | 32 | impl ParallelAnalyzerStateDB for DB { 33 | async fn insert_parallel_analyzer_state( 34 | &self, 35 | parallel_analyzer_state: &ParallelAnalyzerState, 36 | ) -> Result<(), sqlx::Error> { 37 | sqlx::query( 38 | r#" 39 | INSERT INTO parallel_analyzer_state (latest_block, chain_id, start_block, latest_analyzed_block) 40 | VALUES ($1, $2, $3, $4) 41 | ON CONFLICT (chain_id) DO NOTHING 42 | "#, 43 | ) 44 | .bind(parallel_analyzer_state.latest_block) 45 | .bind(parallel_analyzer_state.chain_id) 46 | .bind(parallel_analyzer_state.start_block) 47 | .bind(parallel_analyzer_state.latest_analyzed_block) 48 | .execute(&self.db) 49 | .await?; 50 | Ok(()) 51 | } 52 | 53 | async fn get_parallel_analyzer_state_by_chainid( 54 | &self, 55 | chain_id: i64, 56 | ) -> Result, sqlx::Error> { 57 | let parallel_analyzer_state = sqlx::query_as::<_, ParallelAnalyzerState>( 58 | r#" 59 | SELECT * FROM parallel_analyzer_state WHERE chain_id = $1 60 | "#, 61 | ) 62 | .bind(chain_id) 63 | .fetch_optional(&self.db) 64 | .await?; 65 | Ok(parallel_analyzer_state) 66 | } 67 | async fn update_parallel_analyzer_state_by_chainid( 68 | &self, 69 | parallel_analyzer_state: &ParallelAnalyzerState, 70 | ) -> Result<(), sqlx::Error> { 71 | sqlx::query( 72 | r#" 73 | UPDATE parallel_analyzer_state 74 | SET latest_block = $1, start_block = $2, latest_analyzed_block = $3 75 | WHERE chain_id = $4 76 | "#, 77 | ) 78 | .bind(parallel_analyzer_state.latest_block) 79 | .bind(parallel_analyzer_state.start_block) 80 | .bind(parallel_analyzer_state.latest_analyzed_block) 81 | .bind(parallel_analyzer_state.chain_id) 82 | .execute(&self.db) 83 | .await?; 84 | Ok(()) 85 | } 86 | } 87 | -------------------------------------------------------------------------------- /src/db/transaction.rs: -------------------------------------------------------------------------------- 1 | use serde::{Deserialize, Serialize}; 2 | use sqlx::{FromRow, types::time::OffsetDateTime}; 3 | 4 | use super::DB; 5 | 6 | #[derive(Debug, FromRow, Deserialize, Serialize)] 7 | pub struct Transaction { 8 | pub block_number: i64, 9 | pub tx_index: i64, 10 | pub tx_hash: String, 11 | pub tx_from: String, 12 | pub tx_to: String, 13 | pub gas_price: String, 14 | pub max_fee_per_gas: String, 15 | pub max_priority_fee_per_gas: String, 16 | pub max_fee_per_blob_gas: String, 17 | pub gas: i64, 18 | pub tx_value: String, 19 | pub input: String, 20 | pub nonce: i64, 21 | pub tx_type: i16, 22 | pub created_at: Option, 23 | pub updated_at: Option, 24 | } 25 | 26 | #[allow(unused)] 27 | pub trait TransactionDB { 28 | async fn insert_transaction(&self, transaction: &Transaction) -> Result<(), sqlx::Error>; 29 | async fn get_transaction_by_hash(&self, hash: &str) 30 | -> Result, sqlx::Error>; 31 | async fn get_transactions_by_block_number( 32 | &self, 33 | block_number: i64, 34 | ) -> Result, sqlx::Error>; 35 | } 36 | 37 | impl TransactionDB for DB { 38 | async fn insert_transaction(&self, transaction: &Transaction) -> Result<(), sqlx::Error> { 39 | sqlx::query( 40 | r#" 41 | INSERT INTO transactions (block_number, tx_index, tx_hash, tx_from, tx_to, gas_price, max_fee_per_gas, max_priority_fee_per_gas, max_fee_per_blob_gas, gas, tx_value, input, nonce, tx_type) 42 | VALUES ($1,$2,$3,$4,$5,$6,$7,$8,$9,$10,$11,$12,$13,$14) 43 | ON CONFLICT (tx_hash) DO NOTHING 44 | "#, 45 | ) 46 | .bind(transaction.block_number) 47 | .bind(transaction.tx_index) 48 | .bind(transaction.tx_hash.clone()) 49 | .bind(transaction.tx_from.clone()) 50 | .bind(transaction.tx_to.clone()) 51 | .bind(transaction.gas_price.clone()) 52 | .bind(transaction.max_fee_per_gas.clone()) 53 | .bind(transaction.max_priority_fee_per_gas.clone()) 54 | .bind(transaction.max_fee_per_blob_gas.clone()) 55 | .bind(transaction.gas) 56 | .bind(transaction.tx_value.clone()) 57 | .bind(transaction.input.clone()) 58 | .bind(transaction.nonce) 59 | .bind(transaction.tx_type) 60 | .execute(&self.db) 61 | .await?; 62 | Ok(()) 63 | } 64 | 65 | async fn get_transaction_by_hash( 66 | &self, 67 | hash: &str, 68 | ) -> Result, sqlx::Error> { 69 | let transaction = sqlx::query_as::<_, Transaction>( 70 | r#" 71 | SELECT * FROM transactions WHERE hash = $1 72 | "#, 73 | ) 74 | .bind(hash) 75 | .fetch_optional(&self.db) 76 | .await?; 77 | Ok(transaction) 78 | } 79 | async fn get_transactions_by_block_number( 80 | &self, 81 | block_number: i64, 82 | ) -> Result, sqlx::Error> { 83 | let transactions = sqlx::query_as::<_, Transaction>( 84 | r#" 85 | SELECT * FROM transactions WHERE block_number = $1 86 | "#, 87 | ) 88 | .bind(block_number) 89 | .fetch_all(&self.db) 90 | .await?; 91 | Ok(transactions) 92 | } 93 | } 94 | -------------------------------------------------------------------------------- /frontend/biome.json: -------------------------------------------------------------------------------- 1 | { 2 | "$schema": "https://biomejs.dev/schemas/1.9.4/schema.json", 3 | "vcs": { 4 | "enabled": false, 5 | "clientKind": "git", 6 | "useIgnoreFile": true 7 | }, 8 | "files": { 9 | "ignoreUnknown": false, 10 | "ignore": [".next", "node_modules", "src/static"] 11 | }, 12 | "formatter": { 13 | "enabled": true, 14 | "indentStyle": "space", 15 | "indentWidth": 2, 16 | "formatWithErrors": true 17 | }, 18 | "organizeImports": { 19 | "enabled": true 20 | }, 21 | "linter": { 22 | "enabled": true, 23 | "rules": { 24 | "recommended": true, 25 | "a11y": { 26 | "noAriaHiddenOnFocusable": "off", 27 | "noAutofocus": "off", 28 | "noBlankTarget": "error", 29 | "noNoninteractiveElementToInteractiveRole": "off", 30 | "noNoninteractiveTabindex": "off", 31 | "noPositiveTabindex": "off", 32 | "noSvgWithoutTitle": "off", 33 | "useAltText": "off", 34 | "useButtonType": "off", 35 | "useHtmlLang": "off", 36 | "useIframeTitle": "off", 37 | "useKeyWithClickEvents": "off", 38 | "useKeyWithMouseEvents": "off", 39 | "useValidAnchor": "off" 40 | }, 41 | "complexity": { 42 | "noBannedTypes": "off", 43 | "noExtraBooleanCast": "error", 44 | "noForEach": "off", 45 | "noStaticOnlyClass": "error", 46 | "noUselessCatch": "error", 47 | "noUselessConstructor": "error", 48 | "noUselessFragments": "off", 49 | "noUselessRename": "error", 50 | "noUselessSwitchCase": "error", 51 | "useArrowFunction": "error", 52 | "useLiteralKeys": "off", 53 | "useOptionalChain": "error" 54 | }, 55 | "correctness": { 56 | "noConstantCondition": "error", 57 | "noEmptyPattern": "error", 58 | "noSwitchDeclarations": "error", 59 | "noUnreachable": "error", 60 | "noUnsafeOptionalChaining": "error", 61 | "useExhaustiveDependencies": "off" 62 | }, 63 | "performance": { 64 | "noAccumulatingSpread": "off", 65 | "noDelete": "off" 66 | }, 67 | "security": { 68 | "noDangerouslySetInnerHtml": "error" 69 | }, 70 | "style": { 71 | "noCommaOperator": "error", 72 | "noNonNullAssertion": "off", 73 | "noParameterAssign": "off", 74 | "noUnusedTemplateLiteral": "error", 75 | "noUselessElse": "error", 76 | "useConst": "error", 77 | "useDefaultParameterLast": "off", 78 | "useSelfClosingElements": "error", 79 | "useSingleVarDeclarator": "error", 80 | "useTemplate": "error" 81 | }, 82 | "suspicious": { 83 | "noArrayIndexKey": "off", 84 | "noAssignInExpressions": "error", 85 | "noAsyncPromiseExecutor": "error", 86 | "noConfusingVoidType": "off", 87 | "noControlCharactersInRegex": "error", 88 | "noDoubleEquals": "error", 89 | "noDuplicateJsxProps": "error", 90 | "noDuplicateObjectKeys": "error", 91 | "noEmptyInterface": "error", 92 | "noExplicitAny": "off", 93 | "noFallthroughSwitchClause": "error", 94 | "noGlobalIsNan": "error", 95 | "noImplicitAnyLet": "off", 96 | "noPrototypeBuiltins": "error", 97 | "noRedeclare": "error", 98 | "noRedundantUseStrict": "error", 99 | "noSelfCompare": "error", 100 | "noShadowRestrictedNames": "off", 101 | "useDefaultSwitchClauseLast": "error", 102 | "useValidTypeof": "error" 103 | } 104 | } 105 | }, 106 | "javascript": { 107 | "formatter": { 108 | "quoteStyle": "double", 109 | "lineEnding": "lf" 110 | } 111 | } 112 | } 113 | -------------------------------------------------------------------------------- /frontend/src/app/page.js: -------------------------------------------------------------------------------- 1 | "use client"; 2 | import Graph from "@/components/Graph"; 3 | import { get } from "@/utils/api"; 4 | import React, { useEffect, useState, useRef } from "react"; 5 | 6 | export default function Home() { 7 | const [graphData, setGraphData] = useState({ 8 | // nodes: [ 9 | // { id: 'n1', label: 'Node 1', size: 10, color: '#f00' }, 10 | // ], 11 | // edges: [ 12 | // { id: 'e1', source: 'n1', target: 'n2', color: '#ccc', type: 'arrow' }, 13 | // ], 14 | nodes: [], 15 | edges: [], 16 | }); 17 | const [loading, setLoading] = useState(false); 18 | const [blockNumber, setBlockNumber] = useState(2952107); 19 | 20 | useEffect(() => { 21 | const url = { 22 | transactionDag: "/data/evm/transaction-dag", 23 | analyzerState: "/data/evm/parallel-analyzer-state", 24 | }; 25 | 26 | function loadTransactionDag(block_number) { 27 | setLoading(() => true); 28 | get(url.transactionDag, { block_number }) 29 | .then((res) => { 30 | if (!res.transactions) { 31 | throw new Error("Invalid response format"); 32 | } 33 | 34 | const nodes = processTransactionNodes(res.transactions); 35 | const edges = processTransactionEdges(res.dags); 36 | setGraphData({ nodes, edges }); 37 | }) 38 | .catch((error) => { 39 | console.error("Failed to load transaction DAG:", error); 40 | // Show error state to user 41 | setGraphData({ nodes: [], edges: [] }); 42 | }) 43 | .finally(() => { 44 | setLoading(() => false); 45 | }); 46 | } 47 | 48 | function processTransactionNodes(transactions) { 49 | const r = 5; 50 | let preX; 51 | return transactions.map((item, i) => { 52 | const x = 53 | i === 0 ? 0 : Math.ceil(i / 4) * ((i - 1) % 4 <= 1 ? 1 : -1) * r; 54 | const y = i === 0 ? 0 : -preX; 55 | preX = x; 56 | return { 57 | ...item, 58 | id: item.index, 59 | label: `${item.index}`, 60 | size: 10, 61 | x, 62 | y, 63 | }; 64 | }); 65 | } 66 | 67 | function processTransactionEdges(dags) { 68 | return (dags || []).map((item, i) => ({ 69 | ...item, 70 | id: `e${i}`, 71 | type: "arrow", 72 | })); 73 | } 74 | 75 | loadTransactionDag(blockNumber); 76 | }, [blockNumber]); // Re-run when blockNumber changes 77 | 78 | return ( 79 |
80 | {/* */} 94 |
95 |
96 | Block: {blockNumber} 97 |
98 |
99 | {loading && ( 100 |
101 | loading... 102 |
103 | )} 104 | 105 |
106 |
107 |
108 |
109 | ); 110 | } 111 | -------------------------------------------------------------------------------- /frontend/src/static/iconfont/iconfont.js: -------------------------------------------------------------------------------- 1 | (window._iconfont_svg_string_4785399 = 2 | ''), 3 | ((o) => { 4 | const t = (e = (e = document.getElementsByTagName("script"))[ 5 | e.length - 1 6 | ]).getAttribute("data-injectcss"); 7 | let e = e.getAttribute("data-disable-injectsvg"); 8 | if (!e) { 9 | let i; 10 | let n; 11 | let l; 12 | let c; 13 | let a; 14 | const s = (t, e) => { 15 | e.parentNode.insertBefore(t, e); 16 | }; 17 | if (t && !o.__iconfont__svg__cssinject__) { 18 | o.__iconfont__svg__cssinject__ = !0; 19 | try { 20 | document.write( 21 | "", 22 | ); 23 | } catch (t) { 24 | console?.log(t); 25 | } 26 | } 27 | (i = () => { 28 | let t; 29 | let e = document.createElement("div"); 30 | (e.innerHTML = o._iconfont_svg_string_4785399), 31 | (e = e.getElementsByTagName("svg")[0]) && 32 | (e.setAttribute("aria-hidden", "true"), 33 | (e.style.position = "absolute"), 34 | (e.style.width = 0), 35 | (e.style.height = 0), 36 | (e.style.overflow = "hidden"), 37 | (e = e), 38 | (t = document.body).firstChild 39 | ? s(e, t.firstChild) 40 | : t.appendChild(e)); 41 | }), 42 | document.addEventListener 43 | ? ~["complete", "loaded", "interactive"].indexOf(document.readyState) 44 | ? setTimeout(i, 0) 45 | : ((n = () => { 46 | document.removeEventListener("DOMContentLoaded", n, !1), i(); 47 | }), 48 | document.addEventListener("DOMContentLoaded", n, !1)) 49 | : document.attachEvent && 50 | ((l = i), 51 | (c = o.document), 52 | (a = !1), 53 | m(), 54 | (c.onreadystatechange = () => { 55 | "complete" === c.readyState && 56 | ((c.onreadystatechange = null), d()); 57 | })); 58 | } 59 | function d() { 60 | a || ((a = !0), l()); 61 | } 62 | function m() { 63 | try { 64 | c.documentElement.doScroll("left"); 65 | } catch (t) { 66 | return void setTimeout(m, 50); 67 | } 68 | d(); 69 | } 70 | })(window); 71 | -------------------------------------------------------------------------------- /src/parallel_analyzer.rs: -------------------------------------------------------------------------------- 1 | use std::{ 2 | collections::{BTreeMap, HashSet}, 3 | sync::Arc, 4 | }; 5 | 6 | use alloy::{ 7 | consensus::Transaction, 8 | eips::BlockNumberOrTag, 9 | network::Ethereum, 10 | primitives::{Address, B256, TxHash}, 11 | providers::{Provider, RootProvider, ext::DebugApi}, 12 | rpc::types::{ 13 | Transaction as AlloyTransaction, 14 | trace::geth::{AccountState, GethDebugTracingOptions, PreStateConfig}, 15 | }, 16 | }; 17 | use eyre::Result; 18 | use reqwest::Url; 19 | use tracing::{debug, error, info}; 20 | 21 | use crate::db::{ 22 | DB, 23 | block::{Block, BlockDB}, 24 | parallel_analyzer_state::ParallelAnalyzerStateDB, 25 | transaction::{Transaction as DbTransaction, TransactionDB}, 26 | transaction_dag::{TransactionDag, TransactionDagDB}, 27 | }; 28 | 29 | #[derive(Clone)] 30 | pub struct ParallelAnalyzer { 31 | pub db: Arc, 32 | pub execution_api_client: Arc>, 33 | pub start_block: i64, 34 | pub chain_id: i64, 35 | } 36 | 37 | #[derive(Debug, Clone)] 38 | pub struct StateSet { 39 | pub balance_set: HashSet
, 40 | pub code_set: HashSet
, 41 | pub storage_set: HashSet, 42 | } 43 | 44 | #[derive(Debug, Clone)] 45 | pub struct TransactionStateSet { 46 | pub read_set: StateSet, 47 | pub write_set: StateSet, 48 | } 49 | 50 | impl ParallelAnalyzer { 51 | pub fn new(db: Arc, execution_api: Url, start_block: i64, chain_id: i64) -> Self { 52 | let provider = RootProvider::builder().on_http(execution_api); 53 | Self { 54 | db, 55 | execution_api_client: Arc::new(provider), 56 | start_block, 57 | chain_id, 58 | } 59 | } 60 | 61 | pub async fn get_block_transactions(&self, block_number: u64) -> Result> { 62 | let full_block = self 63 | .execution_api_client 64 | .get_block_by_number(BlockNumberOrTag::Number(block_number)) 65 | .await? 66 | .expect("Block not found"); 67 | let data = Block { 68 | parent_hash: full_block.header.parent_hash.to_string(), 69 | block_hash: full_block.header.hash.to_string(), 70 | block_number: full_block.header.number as i64, 71 | gas_used: full_block.header.gas_used as i64, 72 | gas_limit: full_block.header.gas_limit as i64, 73 | block_timestamp: full_block.header.timestamp as i64, 74 | base_fee_per_gas: full_block.header.base_fee_per_gas.unwrap_or_default() as i64, 75 | blob_gas_used: full_block.header.blob_gas_used.unwrap_or_default() as i64, 76 | excess_blob_gas: full_block.header.excess_blob_gas.unwrap_or_default() as i64, 77 | created_at: None, 78 | updated_at: None, 79 | }; 80 | self.db.insert_block(&data).await?; 81 | let transactions = full_block 82 | .transactions 83 | .as_transactions() 84 | .expect("convert to inner transaction failed") 85 | .to_vec(); 86 | for tx in transactions.clone() { 87 | let tx_req = tx.clone().into_request(); 88 | let data = DbTransaction { 89 | block_number: tx.block_number.expect("block number not found") as i64, 90 | tx_index: tx.transaction_index.expect("transaction index not found") as i64, 91 | tx_hash: tx.inner.tx_hash().to_string(), 92 | tx_from: tx_req.from.unwrap_or_default().to_string(), 93 | tx_to: tx.to().unwrap_or_default().to_string(), 94 | gas_price: tx.gas_price().unwrap_or_default().to_string(), 95 | max_fee_per_gas: tx.max_fee_per_gas().to_string(), 96 | max_priority_fee_per_gas: tx 97 | .max_priority_fee_per_gas() 98 | .unwrap_or_default() 99 | .to_string(), 100 | max_fee_per_blob_gas: tx.max_fee_per_blob_gas().unwrap_or_default().to_string(), 101 | gas: tx.gas_limit() as i64, 102 | tx_value: tx.value().to_string(), 103 | input: tx.input().to_string(), 104 | nonce: tx.nonce() as i64, 105 | tx_type: tx.inner.tx_type() as i16, 106 | created_at: None, 107 | updated_at: None, 108 | }; 109 | self.db.insert_transaction(&data).await?; 110 | } 111 | Ok(transactions) 112 | } 113 | 114 | pub async fn trace_transaction_state(&self, tx_hash: &TxHash) -> Result { 115 | // fetch transaction read states 116 | let read_trace = self 117 | .execution_api_client 118 | .debug_trace_transaction( 119 | *tx_hash, 120 | GethDebugTracingOptions::prestate_tracer(PreStateConfig::default()), 121 | ) 122 | .await?; 123 | // balance read 124 | let frame = read_trace 125 | .try_into_pre_state_frame() 126 | .expect("pre state frame not found"); 127 | let read_state = frame.as_default().expect("frame parse failed").clone().0; 128 | // fetch transaction write states 129 | let write_trace = self 130 | .execution_api_client 131 | .debug_trace_transaction( 132 | *tx_hash, 133 | GethDebugTracingOptions::prestate_tracer(PreStateConfig { 134 | diff_mode: Some(true), 135 | ..Default::default() 136 | }), 137 | ) 138 | .await?; 139 | let frame = write_trace 140 | .try_into_pre_state_frame() 141 | .expect("frame not found"); 142 | let write_state = frame 143 | .as_diff() 144 | .expect("convert to diff mode failed") 145 | .post 146 | .clone(); 147 | let read_set = account_state_to_set(read_state); 148 | debug!( 149 | "tx_hash: {:?}, Read set: {:?}", 150 | tx_hash, read_set.storage_set 151 | ); 152 | let write_set = account_state_to_set(write_state); 153 | debug!( 154 | "tx_hash: {:?}, Write set: {:?}", 155 | tx_hash, write_set.storage_set 156 | ); 157 | 158 | Ok(TransactionStateSet { 159 | read_set, 160 | write_set, 161 | }) 162 | } 163 | 164 | pub async fn analyse_block(&self, block_number: i64, latest_block_number: i64) -> Result<()> { 165 | let transactions = self.get_block_transactions(block_number as u64).await?; 166 | let mut tx_states = BTreeMap::new(); 167 | for tx in transactions { 168 | let tx_hash = tx.inner.tx_hash(); 169 | let tx_index = tx.transaction_index.expect("transaction index not found") as i64; 170 | let state = self.trace_transaction_state(tx_hash).await?; 171 | tx_states.insert(tx_index, state); 172 | } 173 | self.db 174 | .delete_transaction_dags_by_block_number(block_number) 175 | .await?; 176 | for (tx_index, state) in tx_states.clone() { 177 | for index in 1..tx_index { 178 | let prev_state = tx_states.get(&index).expect("prev state not found"); 179 | let mask = check_tx_dependency(prev_state, &state); 180 | if mask != 0 { 181 | debug!( 182 | "Transaction {} depends on transaction {} with mask {:x}", 183 | tx_index, index, mask 184 | ); 185 | let data = TransactionDag { 186 | block_number, 187 | source_tx: tx_index, 188 | target_tx: index, 189 | dep_type: mask, 190 | created_at: None, 191 | updated_at: None, 192 | }; 193 | debug!("dag: {:?}", (tx_index, index)); 194 | self.db.insert_transaction_dag(&data).await?; 195 | } 196 | } 197 | } 198 | let mut parallel_analyzer_state = self 199 | .db 200 | .get_parallel_analyzer_state_by_chainid(self.chain_id) 201 | .await? 202 | .expect("parallel analyzer state not found"); 203 | parallel_analyzer_state.latest_analyzed_block = block_number; 204 | parallel_analyzer_state.latest_block = latest_block_number; 205 | self.db 206 | .update_parallel_analyzer_state_by_chainid(¶llel_analyzer_state) 207 | .await?; 208 | Ok(()) 209 | } 210 | 211 | pub async fn run(&self) -> Result<()> { 212 | let mut block_number = self.start_block; 213 | loop { 214 | let latest_block_number = self.execution_api_client.get_block_number().await? as i64; 215 | info!( 216 | "Analysing block {}, latest_block: {}", 217 | block_number, latest_block_number 218 | ); 219 | if block_number > latest_block_number { 220 | tokio::time::sleep(tokio::time::Duration::from_secs(12)).await; 221 | continue; 222 | } 223 | match self.analyse_block(block_number, latest_block_number).await { 224 | Ok(_) => { 225 | info!("Block {} analysed successfully", block_number); 226 | block_number += 1; 227 | } 228 | Err(e) => { 229 | error!("Error analysing block {}: {:?}", block_number, e); 230 | break; 231 | } 232 | } 233 | } 234 | Ok(()) 235 | } 236 | } 237 | 238 | pub fn account_state_to_set(account_state: BTreeMap) -> StateSet { 239 | let mut balance_set = HashSet::new(); 240 | let mut code_set = HashSet::new(); 241 | let mut storage_set = HashSet::new(); 242 | for (address, state) in account_state { 243 | if state.balance.is_some() { 244 | balance_set.insert(address); 245 | } 246 | if state.code.is_some() { 247 | code_set.insert(address); 248 | } 249 | for (key, _) in state.storage { 250 | storage_set.insert(key); 251 | } 252 | } 253 | StateSet { 254 | balance_set, 255 | code_set, 256 | storage_set, 257 | } 258 | } 259 | 260 | pub fn check_tx_dependency(prev_state: &TransactionStateSet, state: &TransactionStateSet) -> i16 { 261 | let mut mask = 0; 262 | // check balance dependency 263 | if prev_state 264 | .write_set 265 | .balance_set 266 | .intersection(&state.read_set.balance_set) 267 | .count() 268 | > 0 269 | { 270 | mask |= 0x1; 271 | } 272 | 273 | // check code dependency 274 | if prev_state 275 | .write_set 276 | .code_set 277 | .intersection(&state.read_set.code_set) 278 | .count() 279 | > 0 280 | { 281 | mask |= 0x10; 282 | } 283 | // check storage dependency 284 | if prev_state 285 | .write_set 286 | .storage_set 287 | .intersection(&state.read_set.storage_set) 288 | .count() 289 | > 0 290 | { 291 | mask |= 0x100; 292 | } 293 | mask 294 | } 295 | -------------------------------------------------------------------------------- /LICENSE: -------------------------------------------------------------------------------- 1 | Apache License 2 | Version 2.0, January 2004 3 | http://www.apache.org/licenses/ 4 | 5 | TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION 6 | 7 | 1. Definitions. 8 | 9 | "License" shall mean the terms and conditions for use, reproduction, 10 | and distribution as defined by Sections 1 through 9 of this document. 11 | 12 | "Licensor" shall mean the copyright owner or entity authorized by 13 | the copyright owner that is granting the License. 14 | 15 | "Legal Entity" shall mean the union of the acting entity and all 16 | other entities that control, are controlled by, or are under common 17 | control with that entity. For the purposes of this definition, 18 | "control" means (i) the power, direct or indirect, to cause the 19 | direction or management of such entity, whether by contract or 20 | otherwise, or (ii) ownership of fifty percent (50%) or more of the 21 | outstanding shares, or (iii) beneficial ownership of such entity. 22 | 23 | "You" (or "Your") shall mean an individual or Legal Entity 24 | exercising permissions granted by this License. 25 | 26 | "Source" form shall mean the preferred form for making modifications, 27 | including but not limited to software source code, documentation 28 | source, and configuration files. 29 | 30 | "Object" form shall mean any form resulting from mechanical 31 | transformation or translation of a Source form, including but 32 | not limited to compiled object code, generated documentation, 33 | and conversions to other media types. 34 | 35 | "Work" shall mean the work of authorship, whether in Source or 36 | Object form, made available under the License, as indicated by a 37 | copyright notice that is included in or attached to the work 38 | (an example is provided in the Appendix below). 39 | 40 | "Derivative Works" shall mean any work, whether in Source or Object 41 | form, that is based on (or derived from) the Work and for which the 42 | editorial revisions, annotations, elaborations, or other modifications 43 | represent, as a whole, an original work of authorship. For the purposes 44 | of this License, Derivative Works shall not include works that remain 45 | separable from, or merely link (or bind by name) to the interfaces of, 46 | the Work and Derivative Works thereof. 47 | 48 | "Contribution" shall mean any work of authorship, including 49 | the original version of the Work and any modifications or additions 50 | to that Work or Derivative Works thereof, that is intentionally 51 | submitted to Licensor for inclusion in the Work by the copyright owner 52 | or by an individual or Legal Entity authorized to submit on behalf of 53 | the copyright owner. For the purposes of this definition, "submitted" 54 | means any form of electronic, verbal, or written communication sent 55 | to the Licensor or its representatives, including but not limited to 56 | communication on electronic mailing lists, source code control systems, 57 | and issue tracking systems that are managed by, or on behalf of, the 58 | Licensor for the purpose of discussing and improving the Work, but 59 | excluding communication that is conspicuously marked or otherwise 60 | designated in writing by the copyright owner as "Not a Contribution." 61 | 62 | "Contributor" shall mean Licensor and any individual or Legal Entity 63 | on behalf of whom a Contribution has been received by Licensor and 64 | subsequently incorporated within the Work. 65 | 66 | 2. Grant of Copyright License. Subject to the terms and conditions of 67 | this License, each Contributor hereby grants to You a perpetual, 68 | worldwide, non-exclusive, no-charge, royalty-free, irrevocable 69 | copyright license to reproduce, prepare Derivative Works of, 70 | publicly display, publicly perform, sublicense, and distribute the 71 | Work and such Derivative Works in Source or Object form. 72 | 73 | 3. Grant of Patent License. Subject to the terms and conditions of 74 | this License, each Contributor hereby grants to You a perpetual, 75 | worldwide, non-exclusive, no-charge, royalty-free, irrevocable 76 | (except as stated in this section) patent license to make, have made, 77 | use, offer to sell, sell, import, and otherwise transfer the Work, 78 | where such license applies only to those patent claims licensable 79 | by such Contributor that are necessarily infringed by their 80 | Contribution(s) alone or by combination of their Contribution(s) 81 | with the Work to which such Contribution(s) was submitted. If You 82 | institute patent litigation against any entity (including a 83 | cross-claim or counterclaim in a lawsuit) alleging that the Work 84 | or a Contribution incorporated within the Work constitutes direct 85 | or contributory patent infringement, then any patent licenses 86 | granted to You under this License for that Work shall terminate 87 | as of the date such litigation is filed. 88 | 89 | 4. Redistribution. You may reproduce and distribute copies of the 90 | Work or Derivative Works thereof in any medium, with or without 91 | modifications, and in Source or Object form, provided that You 92 | meet the following conditions: 93 | 94 | (a) You must give any other recipients of the Work or 95 | Derivative Works a copy of this License; and 96 | 97 | (b) You must cause any modified files to carry prominent notices 98 | stating that You changed the files; and 99 | 100 | (c) You must retain, in the Source form of any Derivative Works 101 | that You distribute, all copyright, patent, trademark, and 102 | attribution notices from the Source form of the Work, 103 | excluding those notices that do not pertain to any part of 104 | the Derivative Works; and 105 | 106 | (d) If the Work includes a "NOTICE" text file as part of its 107 | distribution, then any Derivative Works that You distribute must 108 | include a readable copy of the attribution notices contained 109 | within such NOTICE file, excluding those notices that do not 110 | pertain to any part of the Derivative Works, in at least one 111 | of the following places: within a NOTICE text file distributed 112 | as part of the Derivative Works; within the Source form or 113 | documentation, if provided along with the Derivative Works; or, 114 | within a display generated by the Derivative Works, if and 115 | wherever such third-party notices normally appear. The contents 116 | of the NOTICE file are for informational purposes only and 117 | do not modify the License. You may add Your own attribution 118 | notices within Derivative Works that You distribute, alongside 119 | or as an addendum to the NOTICE text from the Work, provided 120 | that such additional attribution notices cannot be construed 121 | as modifying the License. 122 | 123 | You may add Your own copyright statement to Your modifications and 124 | may provide additional or different license terms and conditions 125 | for use, reproduction, or distribution of Your modifications, or 126 | for any such Derivative Works as a whole, provided Your use, 127 | reproduction, and distribution of the Work otherwise complies with 128 | the conditions stated in this License. 129 | 130 | 5. Submission of Contributions. Unless You explicitly state otherwise, 131 | any Contribution intentionally submitted for inclusion in the Work 132 | by You to the Licensor shall be under the terms and conditions of 133 | this License, without any additional terms or conditions. 134 | Notwithstanding the above, nothing herein shall supersede or modify 135 | the terms of any separate license agreement you may have executed 136 | with Licensor regarding such Contributions. 137 | 138 | 6. Trademarks. This License does not grant permission to use the trade 139 | names, trademarks, service marks, or product names of the Licensor, 140 | except as required for reasonable and customary use in describing the 141 | origin of the Work and reproducing the content of the NOTICE file. 142 | 143 | 7. Disclaimer of Warranty. Unless required by applicable law or 144 | agreed to in writing, Licensor provides the Work (and each 145 | Contributor provides its Contributions) on an "AS IS" BASIS, 146 | WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or 147 | implied, including, without limitation, any warranties or conditions 148 | of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A 149 | PARTICULAR PURPOSE. You are solely responsible for determining the 150 | appropriateness of using or redistributing the Work and assume any 151 | risks associated with Your exercise of permissions under this License. 152 | 153 | 8. Limitation of Liability. In no event and under no legal theory, 154 | whether in tort (including negligence), contract, or otherwise, 155 | unless required by applicable law (such as deliberate and grossly 156 | negligent acts) or agreed to in writing, shall any Contributor be 157 | liable to You for damages, including any direct, indirect, special, 158 | incidental, or consequential damages of any character arising as a 159 | result of this License or out of the use or inability to use the 160 | Work (including but not limited to damages for loss of goodwill, 161 | work stoppage, computer failure or malfunction, or any and all 162 | other commercial damages or losses), even if such Contributor 163 | has been advised of the possibility of such damages. 164 | 165 | 9. Accepting Warranty or Additional Liability. While redistributing 166 | the Work or Derivative Works thereof, You may choose to offer, 167 | and charge a fee for, acceptance of support, warranty, indemnity, 168 | or other liability obligations and/or rights consistent with this 169 | License. However, in accepting such obligations, You may act only 170 | on Your own behalf and on Your sole responsibility, not on behalf 171 | of any other Contributor, and only if You agree to indemnify, 172 | defend, and hold each Contributor harmless for any liability 173 | incurred by, or claims asserted against, such Contributor by reason 174 | of your accepting any such warranty or additional liability. 175 | 176 | END OF TERMS AND CONDITIONS 177 | 178 | APPENDIX: How to apply the Apache License to your work. 179 | 180 | To apply the Apache License to your work, attach the following 181 | boilerplate notice, with the fields enclosed by brackets "[]" 182 | replaced with your own identifying information. (Don't include 183 | the brackets!) The text should be enclosed in the appropriate 184 | comment syntax for the file format. We also recommend that a 185 | file or class name and description of purpose be included on the 186 | same "printed page" as the copyright notice for easier 187 | identification within third-party archives. 188 | 189 | Copyright [yyyy] [name of copyright owner] 190 | 191 | Licensed under the Apache License, Version 2.0 (the "License"); 192 | you may not use this file except in compliance with the License. 193 | You may obtain a copy of the License at 194 | 195 | http://www.apache.org/licenses/LICENSE-2.0 196 | 197 | Unless required by applicable law or agreed to in writing, software 198 | distributed under the License is distributed on an "AS IS" BASIS, 199 | WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. 200 | See the License for the specific language governing permissions and 201 | limitations under the License. 202 | -------------------------------------------------------------------------------- /frontend/package-lock.json: -------------------------------------------------------------------------------- 1 | { 2 | "name": "parallel-evm-explorer", 3 | "version": "0.1.0", 4 | "lockfileVersion": 3, 5 | "requires": true, 6 | "packages": { 7 | "": { 8 | "name": "parallel-evm-explorer", 9 | "version": "0.1.0", 10 | "dependencies": { 11 | "graphology": "^0.25.4", 12 | "next": "15.1.4", 13 | "react": "19.0.0", 14 | "react-dom": "19.0.0", 15 | "sigma": "^3.0.0" 16 | }, 17 | "devDependencies": { 18 | "@biomejs/biome": "1.9.4", 19 | "postcss": "8.4.49", 20 | "tailwindcss": "3.4.17" 21 | } 22 | }, 23 | "node_modules/@alloc/quick-lru": { 24 | "version": "5.2.0", 25 | "resolved": "https://registry.npmjs.org/@alloc/quick-lru/-/quick-lru-5.2.0.tgz", 26 | "integrity": "sha512-UrcABB+4bUrFABwbluTIBErXwvbsU/V7TZWfmbgJfbkwiBuziS9gxdODUyuiecfdGQ85jglMW6juS3+z5TsKLw==", 27 | "dev": true, 28 | "license": "MIT", 29 | "engines": { 30 | "node": ">=10" 31 | }, 32 | "funding": { 33 | "url": "https://github.com/sponsors/sindresorhus" 34 | } 35 | }, 36 | "node_modules/@biomejs/biome": { 37 | "version": "1.9.4", 38 | "resolved": "https://registry.npmjs.org/@biomejs/biome/-/biome-1.9.4.tgz", 39 | "integrity": "sha512-1rkd7G70+o9KkTn5KLmDYXihGoTaIGO9PIIN2ZB7UJxFrWw04CZHPYiMRjYsaDvVV7hP1dYNRLxSANLaBFGpog==", 40 | "dev": true, 41 | "hasInstallScript": true, 42 | "license": "MIT OR Apache-2.0", 43 | "bin": { 44 | "biome": "bin/biome" 45 | }, 46 | "engines": { 47 | "node": ">=14.21.3" 48 | }, 49 | "funding": { 50 | "type": "opencollective", 51 | "url": "https://opencollective.com/biome" 52 | }, 53 | "optionalDependencies": { 54 | "@biomejs/cli-darwin-arm64": "1.9.4", 55 | "@biomejs/cli-darwin-x64": "1.9.4", 56 | "@biomejs/cli-linux-arm64": "1.9.4", 57 | "@biomejs/cli-linux-arm64-musl": "1.9.4", 58 | "@biomejs/cli-linux-x64": "1.9.4", 59 | "@biomejs/cli-linux-x64-musl": "1.9.4", 60 | "@biomejs/cli-win32-arm64": "1.9.4", 61 | "@biomejs/cli-win32-x64": "1.9.4" 62 | } 63 | }, 64 | "node_modules/@biomejs/cli-darwin-arm64": { 65 | "version": "1.9.4", 66 | "resolved": "https://registry.npmjs.org/@biomejs/cli-darwin-arm64/-/cli-darwin-arm64-1.9.4.tgz", 67 | "integrity": "sha512-bFBsPWrNvkdKrNCYeAp+xo2HecOGPAy9WyNyB/jKnnedgzl4W4Hb9ZMzYNbf8dMCGmUdSavlYHiR01QaYR58cw==", 68 | "cpu": [ 69 | "arm64" 70 | ], 71 | "dev": true, 72 | "license": "MIT OR Apache-2.0", 73 | "optional": true, 74 | "os": [ 75 | "darwin" 76 | ], 77 | "engines": { 78 | "node": ">=14.21.3" 79 | } 80 | }, 81 | "node_modules/@biomejs/cli-darwin-x64": { 82 | "version": "1.9.4", 83 | "resolved": "https://registry.npmjs.org/@biomejs/cli-darwin-x64/-/cli-darwin-x64-1.9.4.tgz", 84 | "integrity": "sha512-ngYBh/+bEedqkSevPVhLP4QfVPCpb+4BBe2p7Xs32dBgs7rh9nY2AIYUL6BgLw1JVXV8GlpKmb/hNiuIxfPfZg==", 85 | "cpu": [ 86 | "x64" 87 | ], 88 | "dev": true, 89 | "license": "MIT OR Apache-2.0", 90 | "optional": true, 91 | "os": [ 92 | "darwin" 93 | ], 94 | "engines": { 95 | "node": ">=14.21.3" 96 | } 97 | }, 98 | "node_modules/@biomejs/cli-linux-arm64": { 99 | "version": "1.9.4", 100 | "resolved": "https://registry.npmjs.org/@biomejs/cli-linux-arm64/-/cli-linux-arm64-1.9.4.tgz", 101 | "integrity": "sha512-fJIW0+LYujdjUgJJuwesP4EjIBl/N/TcOX3IvIHJQNsAqvV2CHIogsmA94BPG6jZATS4Hi+xv4SkBBQSt1N4/g==", 102 | "cpu": [ 103 | "arm64" 104 | ], 105 | "dev": true, 106 | "license": "MIT OR Apache-2.0", 107 | "optional": true, 108 | "os": [ 109 | "linux" 110 | ], 111 | "engines": { 112 | "node": ">=14.21.3" 113 | } 114 | }, 115 | "node_modules/@biomejs/cli-linux-arm64-musl": { 116 | "version": "1.9.4", 117 | "resolved": "https://registry.npmjs.org/@biomejs/cli-linux-arm64-musl/-/cli-linux-arm64-musl-1.9.4.tgz", 118 | "integrity": "sha512-v665Ct9WCRjGa8+kTr0CzApU0+XXtRgwmzIf1SeKSGAv+2scAlW6JR5PMFo6FzqqZ64Po79cKODKf3/AAmECqA==", 119 | "cpu": [ 120 | "arm64" 121 | ], 122 | "dev": true, 123 | "license": "MIT OR Apache-2.0", 124 | "optional": true, 125 | "os": [ 126 | "linux" 127 | ], 128 | "engines": { 129 | "node": ">=14.21.3" 130 | } 131 | }, 132 | "node_modules/@biomejs/cli-linux-x64": { 133 | "version": "1.9.4", 134 | "resolved": "https://registry.npmjs.org/@biomejs/cli-linux-x64/-/cli-linux-x64-1.9.4.tgz", 135 | "integrity": "sha512-lRCJv/Vi3Vlwmbd6K+oQ0KhLHMAysN8lXoCI7XeHlxaajk06u7G+UsFSO01NAs5iYuWKmVZjmiOzJ0OJmGsMwg==", 136 | "cpu": [ 137 | "x64" 138 | ], 139 | "dev": true, 140 | "license": "MIT OR Apache-2.0", 141 | "optional": true, 142 | "os": [ 143 | "linux" 144 | ], 145 | "engines": { 146 | "node": ">=14.21.3" 147 | } 148 | }, 149 | "node_modules/@biomejs/cli-linux-x64-musl": { 150 | "version": "1.9.4", 151 | "resolved": "https://registry.npmjs.org/@biomejs/cli-linux-x64-musl/-/cli-linux-x64-musl-1.9.4.tgz", 152 | "integrity": "sha512-gEhi/jSBhZ2m6wjV530Yy8+fNqG8PAinM3oV7CyO+6c3CEh16Eizm21uHVsyVBEB6RIM8JHIl6AGYCv6Q6Q9Tg==", 153 | "cpu": [ 154 | "x64" 155 | ], 156 | "dev": true, 157 | "license": "MIT OR Apache-2.0", 158 | "optional": true, 159 | "os": [ 160 | "linux" 161 | ], 162 | "engines": { 163 | "node": ">=14.21.3" 164 | } 165 | }, 166 | "node_modules/@biomejs/cli-win32-arm64": { 167 | "version": "1.9.4", 168 | "resolved": "https://registry.npmjs.org/@biomejs/cli-win32-arm64/-/cli-win32-arm64-1.9.4.tgz", 169 | "integrity": "sha512-tlbhLk+WXZmgwoIKwHIHEBZUwxml7bRJgk0X2sPyNR3S93cdRq6XulAZRQJ17FYGGzWne0fgrXBKpl7l4M87Hg==", 170 | "cpu": [ 171 | "arm64" 172 | ], 173 | "dev": true, 174 | "license": "MIT OR Apache-2.0", 175 | "optional": true, 176 | "os": [ 177 | "win32" 178 | ], 179 | "engines": { 180 | "node": ">=14.21.3" 181 | } 182 | }, 183 | "node_modules/@biomejs/cli-win32-x64": { 184 | "version": "1.9.4", 185 | "resolved": "https://registry.npmjs.org/@biomejs/cli-win32-x64/-/cli-win32-x64-1.9.4.tgz", 186 | "integrity": "sha512-8Y5wMhVIPaWe6jw2H+KlEm4wP/f7EW3810ZLmDlrEEy5KvBsb9ECEfu/kMWD484ijfQ8+nIi0giMgu9g1UAuuA==", 187 | "cpu": [ 188 | "x64" 189 | ], 190 | "dev": true, 191 | "license": "MIT OR Apache-2.0", 192 | "optional": true, 193 | "os": [ 194 | "win32" 195 | ], 196 | "engines": { 197 | "node": ">=14.21.3" 198 | } 199 | }, 200 | "node_modules/@emnapi/runtime": { 201 | "version": "1.3.1", 202 | "resolved": "https://registry.npmjs.org/@emnapi/runtime/-/runtime-1.3.1.tgz", 203 | "integrity": "sha512-kEBmG8KyqtxJZv+ygbEim+KCGtIq1fC22Ms3S4ziXmYKm8uyoLX0MHONVKwp+9opg390VaKRNt4a7A9NwmpNhw==", 204 | "license": "MIT", 205 | "optional": true, 206 | "dependencies": { 207 | "tslib": "^2.4.0" 208 | } 209 | }, 210 | "node_modules/@img/sharp-darwin-arm64": { 211 | "version": "0.33.5", 212 | "resolved": "https://registry.npmjs.org/@img/sharp-darwin-arm64/-/sharp-darwin-arm64-0.33.5.tgz", 213 | "integrity": "sha512-UT4p+iz/2H4twwAoLCqfA9UH5pI6DggwKEGuaPy7nCVQ8ZsiY5PIcrRvD1DzuY3qYL07NtIQcWnBSY/heikIFQ==", 214 | "cpu": [ 215 | "arm64" 216 | ], 217 | "license": "Apache-2.0", 218 | "optional": true, 219 | "os": [ 220 | "darwin" 221 | ], 222 | "engines": { 223 | "node": "^18.17.0 || ^20.3.0 || >=21.0.0" 224 | }, 225 | "funding": { 226 | "url": "https://opencollective.com/libvips" 227 | }, 228 | "optionalDependencies": { 229 | "@img/sharp-libvips-darwin-arm64": "1.0.4" 230 | } 231 | }, 232 | "node_modules/@img/sharp-darwin-x64": { 233 | "version": "0.33.5", 234 | "resolved": "https://registry.npmjs.org/@img/sharp-darwin-x64/-/sharp-darwin-x64-0.33.5.tgz", 235 | "integrity": "sha512-fyHac4jIc1ANYGRDxtiqelIbdWkIuQaI84Mv45KvGRRxSAa7o7d1ZKAOBaYbnepLC1WqxfpimdeWfvqqSGwR2Q==", 236 | "cpu": [ 237 | "x64" 238 | ], 239 | "license": "Apache-2.0", 240 | "optional": true, 241 | "os": [ 242 | "darwin" 243 | ], 244 | "engines": { 245 | "node": "^18.17.0 || ^20.3.0 || >=21.0.0" 246 | }, 247 | "funding": { 248 | "url": "https://opencollective.com/libvips" 249 | }, 250 | "optionalDependencies": { 251 | "@img/sharp-libvips-darwin-x64": "1.0.4" 252 | } 253 | }, 254 | "node_modules/@img/sharp-libvips-darwin-arm64": { 255 | "version": "1.0.4", 256 | "resolved": "https://registry.npmjs.org/@img/sharp-libvips-darwin-arm64/-/sharp-libvips-darwin-arm64-1.0.4.tgz", 257 | "integrity": "sha512-XblONe153h0O2zuFfTAbQYAX2JhYmDHeWikp1LM9Hul9gVPjFY427k6dFEcOL72O01QxQsWi761svJ/ev9xEDg==", 258 | "cpu": [ 259 | "arm64" 260 | ], 261 | "license": "LGPL-3.0-or-later", 262 | "optional": true, 263 | "os": [ 264 | "darwin" 265 | ], 266 | "funding": { 267 | "url": "https://opencollective.com/libvips" 268 | } 269 | }, 270 | "node_modules/@img/sharp-libvips-darwin-x64": { 271 | "version": "1.0.4", 272 | "resolved": "https://registry.npmjs.org/@img/sharp-libvips-darwin-x64/-/sharp-libvips-darwin-x64-1.0.4.tgz", 273 | "integrity": "sha512-xnGR8YuZYfJGmWPvmlunFaWJsb9T/AO2ykoP3Fz/0X5XV2aoYBPkX6xqCQvUTKKiLddarLaxpzNe+b1hjeWHAQ==", 274 | "cpu": [ 275 | "x64" 276 | ], 277 | "license": "LGPL-3.0-or-later", 278 | "optional": true, 279 | "os": [ 280 | "darwin" 281 | ], 282 | "funding": { 283 | "url": "https://opencollective.com/libvips" 284 | } 285 | }, 286 | "node_modules/@img/sharp-libvips-linux-arm": { 287 | "version": "1.0.5", 288 | "resolved": "https://registry.npmjs.org/@img/sharp-libvips-linux-arm/-/sharp-libvips-linux-arm-1.0.5.tgz", 289 | "integrity": "sha512-gvcC4ACAOPRNATg/ov8/MnbxFDJqf/pDePbBnuBDcjsI8PssmjoKMAz4LtLaVi+OnSb5FK/yIOamqDwGmXW32g==", 290 | "cpu": [ 291 | "arm" 292 | ], 293 | "license": "LGPL-3.0-or-later", 294 | "optional": true, 295 | "os": [ 296 | "linux" 297 | ], 298 | "funding": { 299 | "url": "https://opencollective.com/libvips" 300 | } 301 | }, 302 | "node_modules/@img/sharp-libvips-linux-arm64": { 303 | "version": "1.0.4", 304 | "resolved": "https://registry.npmjs.org/@img/sharp-libvips-linux-arm64/-/sharp-libvips-linux-arm64-1.0.4.tgz", 305 | "integrity": "sha512-9B+taZ8DlyyqzZQnoeIvDVR/2F4EbMepXMc/NdVbkzsJbzkUjhXv/70GQJ7tdLA4YJgNP25zukcxpX2/SueNrA==", 306 | "cpu": [ 307 | "arm64" 308 | ], 309 | "license": "LGPL-3.0-or-later", 310 | "optional": true, 311 | "os": [ 312 | "linux" 313 | ], 314 | "funding": { 315 | "url": "https://opencollective.com/libvips" 316 | } 317 | }, 318 | "node_modules/@img/sharp-libvips-linux-s390x": { 319 | "version": "1.0.4", 320 | "resolved": "https://registry.npmjs.org/@img/sharp-libvips-linux-s390x/-/sharp-libvips-linux-s390x-1.0.4.tgz", 321 | "integrity": "sha512-u7Wz6ntiSSgGSGcjZ55im6uvTrOxSIS8/dgoVMoiGE9I6JAfU50yH5BoDlYA1tcuGS7g/QNtetJnxA6QEsCVTA==", 322 | "cpu": [ 323 | "s390x" 324 | ], 325 | "license": "LGPL-3.0-or-later", 326 | "optional": true, 327 | "os": [ 328 | "linux" 329 | ], 330 | "funding": { 331 | "url": "https://opencollective.com/libvips" 332 | } 333 | }, 334 | "node_modules/@img/sharp-libvips-linux-x64": { 335 | "version": "1.0.4", 336 | "resolved": "https://registry.npmjs.org/@img/sharp-libvips-linux-x64/-/sharp-libvips-linux-x64-1.0.4.tgz", 337 | "integrity": "sha512-MmWmQ3iPFZr0Iev+BAgVMb3ZyC4KeFc3jFxnNbEPas60e1cIfevbtuyf9nDGIzOaW9PdnDciJm+wFFaTlj5xYw==", 338 | "cpu": [ 339 | "x64" 340 | ], 341 | "license": "LGPL-3.0-or-later", 342 | "optional": true, 343 | "os": [ 344 | "linux" 345 | ], 346 | "funding": { 347 | "url": "https://opencollective.com/libvips" 348 | } 349 | }, 350 | "node_modules/@img/sharp-libvips-linuxmusl-arm64": { 351 | "version": "1.0.4", 352 | "resolved": "https://registry.npmjs.org/@img/sharp-libvips-linuxmusl-arm64/-/sharp-libvips-linuxmusl-arm64-1.0.4.tgz", 353 | "integrity": "sha512-9Ti+BbTYDcsbp4wfYib8Ctm1ilkugkA/uscUn6UXK1ldpC1JjiXbLfFZtRlBhjPZ5o1NCLiDbg8fhUPKStHoTA==", 354 | "cpu": [ 355 | "arm64" 356 | ], 357 | "license": "LGPL-3.0-or-later", 358 | "optional": true, 359 | "os": [ 360 | "linux" 361 | ], 362 | "funding": { 363 | "url": "https://opencollective.com/libvips" 364 | } 365 | }, 366 | "node_modules/@img/sharp-libvips-linuxmusl-x64": { 367 | "version": "1.0.4", 368 | "resolved": "https://registry.npmjs.org/@img/sharp-libvips-linuxmusl-x64/-/sharp-libvips-linuxmusl-x64-1.0.4.tgz", 369 | "integrity": "sha512-viYN1KX9m+/hGkJtvYYp+CCLgnJXwiQB39damAO7WMdKWlIhmYTfHjwSbQeUK/20vY154mwezd9HflVFM1wVSw==", 370 | "cpu": [ 371 | "x64" 372 | ], 373 | "license": "LGPL-3.0-or-later", 374 | "optional": true, 375 | "os": [ 376 | "linux" 377 | ], 378 | "funding": { 379 | "url": "https://opencollective.com/libvips" 380 | } 381 | }, 382 | "node_modules/@img/sharp-linux-arm": { 383 | "version": "0.33.5", 384 | "resolved": "https://registry.npmjs.org/@img/sharp-linux-arm/-/sharp-linux-arm-0.33.5.tgz", 385 | "integrity": "sha512-JTS1eldqZbJxjvKaAkxhZmBqPRGmxgu+qFKSInv8moZ2AmT5Yib3EQ1c6gp493HvrvV8QgdOXdyaIBrhvFhBMQ==", 386 | "cpu": [ 387 | "arm" 388 | ], 389 | "license": "Apache-2.0", 390 | "optional": true, 391 | "os": [ 392 | "linux" 393 | ], 394 | "engines": { 395 | "node": "^18.17.0 || ^20.3.0 || >=21.0.0" 396 | }, 397 | "funding": { 398 | "url": "https://opencollective.com/libvips" 399 | }, 400 | "optionalDependencies": { 401 | "@img/sharp-libvips-linux-arm": "1.0.5" 402 | } 403 | }, 404 | "node_modules/@img/sharp-linux-arm64": { 405 | "version": "0.33.5", 406 | "resolved": "https://registry.npmjs.org/@img/sharp-linux-arm64/-/sharp-linux-arm64-0.33.5.tgz", 407 | "integrity": "sha512-JMVv+AMRyGOHtO1RFBiJy/MBsgz0x4AWrT6QoEVVTyh1E39TrCUpTRI7mx9VksGX4awWASxqCYLCV4wBZHAYxA==", 408 | "cpu": [ 409 | "arm64" 410 | ], 411 | "license": "Apache-2.0", 412 | "optional": true, 413 | "os": [ 414 | "linux" 415 | ], 416 | "engines": { 417 | "node": "^18.17.0 || ^20.3.0 || >=21.0.0" 418 | }, 419 | "funding": { 420 | "url": "https://opencollective.com/libvips" 421 | }, 422 | "optionalDependencies": { 423 | "@img/sharp-libvips-linux-arm64": "1.0.4" 424 | } 425 | }, 426 | "node_modules/@img/sharp-linux-s390x": { 427 | "version": "0.33.5", 428 | "resolved": "https://registry.npmjs.org/@img/sharp-linux-s390x/-/sharp-linux-s390x-0.33.5.tgz", 429 | "integrity": "sha512-y/5PCd+mP4CA/sPDKl2961b+C9d+vPAveS33s6Z3zfASk2j5upL6fXVPZi7ztePZ5CuH+1kW8JtvxgbuXHRa4Q==", 430 | "cpu": [ 431 | "s390x" 432 | ], 433 | "license": "Apache-2.0", 434 | "optional": true, 435 | "os": [ 436 | "linux" 437 | ], 438 | "engines": { 439 | "node": "^18.17.0 || ^20.3.0 || >=21.0.0" 440 | }, 441 | "funding": { 442 | "url": "https://opencollective.com/libvips" 443 | }, 444 | "optionalDependencies": { 445 | "@img/sharp-libvips-linux-s390x": "1.0.4" 446 | } 447 | }, 448 | "node_modules/@img/sharp-linux-x64": { 449 | "version": "0.33.5", 450 | "resolved": "https://registry.npmjs.org/@img/sharp-linux-x64/-/sharp-linux-x64-0.33.5.tgz", 451 | "integrity": "sha512-opC+Ok5pRNAzuvq1AG0ar+1owsu842/Ab+4qvU879ippJBHvyY5n2mxF1izXqkPYlGuP/M556uh53jRLJmzTWA==", 452 | "cpu": [ 453 | "x64" 454 | ], 455 | "license": "Apache-2.0", 456 | "optional": true, 457 | "os": [ 458 | "linux" 459 | ], 460 | "engines": { 461 | "node": "^18.17.0 || ^20.3.0 || >=21.0.0" 462 | }, 463 | "funding": { 464 | "url": "https://opencollective.com/libvips" 465 | }, 466 | "optionalDependencies": { 467 | "@img/sharp-libvips-linux-x64": "1.0.4" 468 | } 469 | }, 470 | "node_modules/@img/sharp-linuxmusl-arm64": { 471 | "version": "0.33.5", 472 | "resolved": "https://registry.npmjs.org/@img/sharp-linuxmusl-arm64/-/sharp-linuxmusl-arm64-0.33.5.tgz", 473 | "integrity": "sha512-XrHMZwGQGvJg2V/oRSUfSAfjfPxO+4DkiRh6p2AFjLQztWUuY/o8Mq0eMQVIY7HJ1CDQUJlxGGZRw1a5bqmd1g==", 474 | "cpu": [ 475 | "arm64" 476 | ], 477 | "license": "Apache-2.0", 478 | "optional": true, 479 | "os": [ 480 | "linux" 481 | ], 482 | "engines": { 483 | "node": "^18.17.0 || ^20.3.0 || >=21.0.0" 484 | }, 485 | "funding": { 486 | "url": "https://opencollective.com/libvips" 487 | }, 488 | "optionalDependencies": { 489 | "@img/sharp-libvips-linuxmusl-arm64": "1.0.4" 490 | } 491 | }, 492 | "node_modules/@img/sharp-linuxmusl-x64": { 493 | "version": "0.33.5", 494 | "resolved": "https://registry.npmjs.org/@img/sharp-linuxmusl-x64/-/sharp-linuxmusl-x64-0.33.5.tgz", 495 | "integrity": "sha512-WT+d/cgqKkkKySYmqoZ8y3pxx7lx9vVejxW/W4DOFMYVSkErR+w7mf2u8m/y4+xHe7yY9DAXQMWQhpnMuFfScw==", 496 | "cpu": [ 497 | "x64" 498 | ], 499 | "license": "Apache-2.0", 500 | "optional": true, 501 | "os": [ 502 | "linux" 503 | ], 504 | "engines": { 505 | "node": "^18.17.0 || ^20.3.0 || >=21.0.0" 506 | }, 507 | "funding": { 508 | "url": "https://opencollective.com/libvips" 509 | }, 510 | "optionalDependencies": { 511 | "@img/sharp-libvips-linuxmusl-x64": "1.0.4" 512 | } 513 | }, 514 | "node_modules/@img/sharp-wasm32": { 515 | "version": "0.33.5", 516 | "resolved": "https://registry.npmjs.org/@img/sharp-wasm32/-/sharp-wasm32-0.33.5.tgz", 517 | "integrity": "sha512-ykUW4LVGaMcU9lu9thv85CbRMAwfeadCJHRsg2GmeRa/cJxsVY9Rbd57JcMxBkKHag5U/x7TSBpScF4U8ElVzg==", 518 | "cpu": [ 519 | "wasm32" 520 | ], 521 | "license": "Apache-2.0 AND LGPL-3.0-or-later AND MIT", 522 | "optional": true, 523 | "dependencies": { 524 | "@emnapi/runtime": "^1.2.0" 525 | }, 526 | "engines": { 527 | "node": "^18.17.0 || ^20.3.0 || >=21.0.0" 528 | }, 529 | "funding": { 530 | "url": "https://opencollective.com/libvips" 531 | } 532 | }, 533 | "node_modules/@img/sharp-win32-ia32": { 534 | "version": "0.33.5", 535 | "resolved": "https://registry.npmjs.org/@img/sharp-win32-ia32/-/sharp-win32-ia32-0.33.5.tgz", 536 | "integrity": "sha512-T36PblLaTwuVJ/zw/LaH0PdZkRz5rd3SmMHX8GSmR7vtNSP5Z6bQkExdSK7xGWyxLw4sUknBuugTelgw2faBbQ==", 537 | "cpu": [ 538 | "ia32" 539 | ], 540 | "license": "Apache-2.0 AND LGPL-3.0-or-later", 541 | "optional": true, 542 | "os": [ 543 | "win32" 544 | ], 545 | "engines": { 546 | "node": "^18.17.0 || ^20.3.0 || >=21.0.0" 547 | }, 548 | "funding": { 549 | "url": "https://opencollective.com/libvips" 550 | } 551 | }, 552 | "node_modules/@img/sharp-win32-x64": { 553 | "version": "0.33.5", 554 | "resolved": "https://registry.npmjs.org/@img/sharp-win32-x64/-/sharp-win32-x64-0.33.5.tgz", 555 | "integrity": "sha512-MpY/o8/8kj+EcnxwvrP4aTJSWw/aZ7JIGR4aBeZkZw5B7/Jn+tY9/VNwtcoGmdT7GfggGIU4kygOMSbYnOrAbg==", 556 | "cpu": [ 557 | "x64" 558 | ], 559 | "license": "Apache-2.0 AND LGPL-3.0-or-later", 560 | "optional": true, 561 | "os": [ 562 | "win32" 563 | ], 564 | "engines": { 565 | "node": "^18.17.0 || ^20.3.0 || >=21.0.0" 566 | }, 567 | "funding": { 568 | "url": "https://opencollective.com/libvips" 569 | } 570 | }, 571 | "node_modules/@isaacs/cliui": { 572 | "version": "8.0.2", 573 | "resolved": "https://registry.npmjs.org/@isaacs/cliui/-/cliui-8.0.2.tgz", 574 | "integrity": "sha512-O8jcjabXaleOG9DQ0+ARXWZBTfnP4WNAqzuiJK7ll44AmxGKv/J2M4TPjxjY3znBCfvBXFzucm1twdyFybFqEA==", 575 | "dev": true, 576 | "license": "ISC", 577 | "dependencies": { 578 | "string-width": "^5.1.2", 579 | "string-width-cjs": "npm:string-width@^4.2.0", 580 | "strip-ansi": "^7.0.1", 581 | "strip-ansi-cjs": "npm:strip-ansi@^6.0.1", 582 | "wrap-ansi": "^8.1.0", 583 | "wrap-ansi-cjs": "npm:wrap-ansi@^7.0.0" 584 | }, 585 | "engines": { 586 | "node": ">=12" 587 | } 588 | }, 589 | "node_modules/@jridgewell/gen-mapping": { 590 | "version": "0.3.8", 591 | "resolved": "https://registry.npmjs.org/@jridgewell/gen-mapping/-/gen-mapping-0.3.8.tgz", 592 | "integrity": "sha512-imAbBGkb+ebQyxKgzv5Hu2nmROxoDOXHh80evxdoXNOrvAnVx7zimzc1Oo5h9RlfV4vPXaE2iM5pOFbvOCClWA==", 593 | "dev": true, 594 | "license": "MIT", 595 | "dependencies": { 596 | "@jridgewell/set-array": "^1.2.1", 597 | "@jridgewell/sourcemap-codec": "^1.4.10", 598 | "@jridgewell/trace-mapping": "^0.3.24" 599 | }, 600 | "engines": { 601 | "node": ">=6.0.0" 602 | } 603 | }, 604 | "node_modules/@jridgewell/resolve-uri": { 605 | "version": "3.1.2", 606 | "resolved": "https://registry.npmjs.org/@jridgewell/resolve-uri/-/resolve-uri-3.1.2.tgz", 607 | "integrity": "sha512-bRISgCIjP20/tbWSPWMEi54QVPRZExkuD9lJL+UIxUKtwVJA8wW1Trb1jMs1RFXo1CBTNZ/5hpC9QvmKWdopKw==", 608 | "dev": true, 609 | "license": "MIT", 610 | "engines": { 611 | "node": ">=6.0.0" 612 | } 613 | }, 614 | "node_modules/@jridgewell/set-array": { 615 | "version": "1.2.1", 616 | "resolved": "https://registry.npmjs.org/@jridgewell/set-array/-/set-array-1.2.1.tgz", 617 | "integrity": "sha512-R8gLRTZeyp03ymzP/6Lil/28tGeGEzhx1q2k703KGWRAI1VdvPIXdG70VJc2pAMw3NA6JKL5hhFu1sJX0Mnn/A==", 618 | "dev": true, 619 | "license": "MIT", 620 | "engines": { 621 | "node": ">=6.0.0" 622 | } 623 | }, 624 | "node_modules/@jridgewell/sourcemap-codec": { 625 | "version": "1.5.0", 626 | "resolved": "https://registry.npmjs.org/@jridgewell/sourcemap-codec/-/sourcemap-codec-1.5.0.tgz", 627 | "integrity": "sha512-gv3ZRaISU3fjPAgNsriBRqGWQL6quFx04YMPW/zD8XMLsU32mhCCbfbO6KZFLjvYpCZ8zyDEgqsgf+PwPaM7GQ==", 628 | "dev": true, 629 | "license": "MIT" 630 | }, 631 | "node_modules/@jridgewell/trace-mapping": { 632 | "version": "0.3.25", 633 | "resolved": "https://registry.npmjs.org/@jridgewell/trace-mapping/-/trace-mapping-0.3.25.tgz", 634 | "integrity": "sha512-vNk6aEwybGtawWmy/PzwnGDOjCkLWSD2wqvjGGAgOAwCGWySYXfYoxt00IJkTF+8Lb57DwOb3Aa0o9CApepiYQ==", 635 | "dev": true, 636 | "license": "MIT", 637 | "dependencies": { 638 | "@jridgewell/resolve-uri": "^3.1.0", 639 | "@jridgewell/sourcemap-codec": "^1.4.14" 640 | } 641 | }, 642 | "node_modules/@next/env": { 643 | "version": "15.1.4", 644 | "resolved": "https://registry.npmjs.org/@next/env/-/env-15.1.4.tgz", 645 | "integrity": "sha512-2fZ5YZjedi5AGaeoaC0B20zGntEHRhi2SdWcu61i48BllODcAmmtj8n7YarSPt4DaTsJaBFdxQAVEVzgmx2Zpw==", 646 | "license": "MIT" 647 | }, 648 | "node_modules/@next/swc-darwin-arm64": { 649 | "version": "15.1.4", 650 | "resolved": "https://registry.npmjs.org/@next/swc-darwin-arm64/-/swc-darwin-arm64-15.1.4.tgz", 651 | "integrity": "sha512-wBEMBs+np+R5ozN1F8Y8d/Dycns2COhRnkxRc+rvnbXke5uZBHkUGFgWxfTXn5rx7OLijuUhyfB+gC/ap58dDw==", 652 | "cpu": [ 653 | "arm64" 654 | ], 655 | "license": "MIT", 656 | "optional": true, 657 | "os": [ 658 | "darwin" 659 | ], 660 | "engines": { 661 | "node": ">= 10" 662 | } 663 | }, 664 | "node_modules/@next/swc-darwin-x64": { 665 | "version": "15.1.4", 666 | "resolved": "https://registry.npmjs.org/@next/swc-darwin-x64/-/swc-darwin-x64-15.1.4.tgz", 667 | "integrity": "sha512-7sgf5rM7Z81V9w48F02Zz6DgEJulavC0jadab4ZsJ+K2sxMNK0/BtF8J8J3CxnsJN3DGcIdC260wEKssKTukUw==", 668 | "cpu": [ 669 | "x64" 670 | ], 671 | "license": "MIT", 672 | "optional": true, 673 | "os": [ 674 | "darwin" 675 | ], 676 | "engines": { 677 | "node": ">= 10" 678 | } 679 | }, 680 | "node_modules/@next/swc-linux-arm64-gnu": { 681 | "version": "15.1.4", 682 | "resolved": "https://registry.npmjs.org/@next/swc-linux-arm64-gnu/-/swc-linux-arm64-gnu-15.1.4.tgz", 683 | "integrity": "sha512-JaZlIMNaJenfd55kjaLWMfok+vWBlcRxqnRoZrhFQrhM1uAehP3R0+Aoe+bZOogqlZvAz53nY/k3ZyuKDtT2zQ==", 684 | "cpu": [ 685 | "arm64" 686 | ], 687 | "license": "MIT", 688 | "optional": true, 689 | "os": [ 690 | "linux" 691 | ], 692 | "engines": { 693 | "node": ">= 10" 694 | } 695 | }, 696 | "node_modules/@next/swc-linux-arm64-musl": { 697 | "version": "15.1.4", 698 | "resolved": "https://registry.npmjs.org/@next/swc-linux-arm64-musl/-/swc-linux-arm64-musl-15.1.4.tgz", 699 | "integrity": "sha512-7EBBjNoyTO2ipMDgCiORpwwOf5tIueFntKjcN3NK+GAQD7OzFJe84p7a2eQUeWdpzZvhVXuAtIen8QcH71ZCOQ==", 700 | "cpu": [ 701 | "arm64" 702 | ], 703 | "license": "MIT", 704 | "optional": true, 705 | "os": [ 706 | "linux" 707 | ], 708 | "engines": { 709 | "node": ">= 10" 710 | } 711 | }, 712 | "node_modules/@next/swc-linux-x64-gnu": { 713 | "version": "15.1.4", 714 | "resolved": "https://registry.npmjs.org/@next/swc-linux-x64-gnu/-/swc-linux-x64-gnu-15.1.4.tgz", 715 | "integrity": "sha512-9TGEgOycqZFuADyFqwmK/9g6S0FYZ3tphR4ebcmCwhL8Y12FW8pIBKJvSwV+UBjMkokstGNH+9F8F031JZKpHw==", 716 | "cpu": [ 717 | "x64" 718 | ], 719 | "license": "MIT", 720 | "optional": true, 721 | "os": [ 722 | "linux" 723 | ], 724 | "engines": { 725 | "node": ">= 10" 726 | } 727 | }, 728 | "node_modules/@next/swc-linux-x64-musl": { 729 | "version": "15.1.4", 730 | "resolved": "https://registry.npmjs.org/@next/swc-linux-x64-musl/-/swc-linux-x64-musl-15.1.4.tgz", 731 | "integrity": "sha512-0578bLRVDJOh+LdIoKvgNDz77+Bd85c5JrFgnlbI1SM3WmEQvsjxTA8ATu9Z9FCiIS/AliVAW2DV/BDwpXbtiQ==", 732 | "cpu": [ 733 | "x64" 734 | ], 735 | "license": "MIT", 736 | "optional": true, 737 | "os": [ 738 | "linux" 739 | ], 740 | "engines": { 741 | "node": ">= 10" 742 | } 743 | }, 744 | "node_modules/@next/swc-win32-arm64-msvc": { 745 | "version": "15.1.4", 746 | "resolved": "https://registry.npmjs.org/@next/swc-win32-arm64-msvc/-/swc-win32-arm64-msvc-15.1.4.tgz", 747 | "integrity": "sha512-JgFCiV4libQavwII+kncMCl30st0JVxpPOtzWcAI2jtum4HjYaclobKhj+JsRu5tFqMtA5CJIa0MvYyuu9xjjQ==", 748 | "cpu": [ 749 | "arm64" 750 | ], 751 | "license": "MIT", 752 | "optional": true, 753 | "os": [ 754 | "win32" 755 | ], 756 | "engines": { 757 | "node": ">= 10" 758 | } 759 | }, 760 | "node_modules/@next/swc-win32-x64-msvc": { 761 | "version": "15.1.4", 762 | "resolved": "https://registry.npmjs.org/@next/swc-win32-x64-msvc/-/swc-win32-x64-msvc-15.1.4.tgz", 763 | "integrity": "sha512-xxsJy9wzq7FR5SqPCUqdgSXiNXrMuidgckBa8nH9HtjjxsilgcN6VgXF6tZ3uEWuVEadotQJI8/9EQ6guTC4Yw==", 764 | "cpu": [ 765 | "x64" 766 | ], 767 | "license": "MIT", 768 | "optional": true, 769 | "os": [ 770 | "win32" 771 | ], 772 | "engines": { 773 | "node": ">= 10" 774 | } 775 | }, 776 | "node_modules/@nodelib/fs.scandir": { 777 | "version": "2.1.5", 778 | "resolved": "https://registry.npmjs.org/@nodelib/fs.scandir/-/fs.scandir-2.1.5.tgz", 779 | "integrity": "sha512-vq24Bq3ym5HEQm2NKCr3yXDwjc7vTsEThRDnkp2DK9p1uqLR+DHurm/NOTo0KG7HYHU7eppKZj3MyqYuMBf62g==", 780 | "dev": true, 781 | "license": "MIT", 782 | "dependencies": { 783 | "@nodelib/fs.stat": "2.0.5", 784 | "run-parallel": "^1.1.9" 785 | }, 786 | "engines": { 787 | "node": ">= 8" 788 | } 789 | }, 790 | "node_modules/@nodelib/fs.stat": { 791 | "version": "2.0.5", 792 | "resolved": "https://registry.npmjs.org/@nodelib/fs.stat/-/fs.stat-2.0.5.tgz", 793 | "integrity": "sha512-RkhPPp2zrqDAQA/2jNhnztcPAlv64XdhIp7a7454A5ovI7Bukxgt7MX7udwAu3zg1DcpPU0rz3VV1SeaqvY4+A==", 794 | "dev": true, 795 | "license": "MIT", 796 | "engines": { 797 | "node": ">= 8" 798 | } 799 | }, 800 | "node_modules/@nodelib/fs.walk": { 801 | "version": "1.2.8", 802 | "resolved": "https://registry.npmjs.org/@nodelib/fs.walk/-/fs.walk-1.2.8.tgz", 803 | "integrity": "sha512-oGB+UxlgWcgQkgwo8GcEGwemoTFt3FIO9ababBmaGwXIoBKZ+GTy0pP185beGg7Llih/NSHSV2XAs1lnznocSg==", 804 | "dev": true, 805 | "license": "MIT", 806 | "dependencies": { 807 | "@nodelib/fs.scandir": "2.1.5", 808 | "fastq": "^1.6.0" 809 | }, 810 | "engines": { 811 | "node": ">= 8" 812 | } 813 | }, 814 | "node_modules/@pkgjs/parseargs": { 815 | "version": "0.11.0", 816 | "resolved": "https://registry.npmjs.org/@pkgjs/parseargs/-/parseargs-0.11.0.tgz", 817 | "integrity": "sha512-+1VkjdD0QBLPodGrJUeqarH8VAIvQODIbwh9XpP5Syisf7YoQgsJKPNFoqqLQlu+VQ/tVSshMR6loPMn8U+dPg==", 818 | "dev": true, 819 | "license": "MIT", 820 | "optional": true, 821 | "engines": { 822 | "node": ">=14" 823 | } 824 | }, 825 | "node_modules/@swc/counter": { 826 | "version": "0.1.3", 827 | "resolved": "https://registry.npmjs.org/@swc/counter/-/counter-0.1.3.tgz", 828 | "integrity": "sha512-e2BR4lsJkkRlKZ/qCHPw9ZaSxc0MVUd7gtbtaB7aMvHeJVYe8sOB8DBZkP2DtISHGSku9sCK6T6cnY0CtXrOCQ==", 829 | "license": "Apache-2.0" 830 | }, 831 | "node_modules/@swc/helpers": { 832 | "version": "0.5.15", 833 | "resolved": "https://registry.npmjs.org/@swc/helpers/-/helpers-0.5.15.tgz", 834 | "integrity": "sha512-JQ5TuMi45Owi4/BIMAJBoSQoOJu12oOk/gADqlcUL9JEdHB8vyjUSsxqeNXnmXHjYKMi2WcYtezGEEhqUI/E2g==", 835 | "license": "Apache-2.0", 836 | "dependencies": { 837 | "tslib": "^2.8.0" 838 | } 839 | }, 840 | "node_modules/ansi-regex": { 841 | "version": "6.1.0", 842 | "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-6.1.0.tgz", 843 | "integrity": "sha512-7HSX4QQb4CspciLpVFwyRe79O3xsIZDDLER21kERQ71oaPodF8jL725AgJMFAYbooIqolJoRLuM81SpeUkpkvA==", 844 | "dev": true, 845 | "license": "MIT", 846 | "engines": { 847 | "node": ">=12" 848 | }, 849 | "funding": { 850 | "url": "https://github.com/chalk/ansi-regex?sponsor=1" 851 | } 852 | }, 853 | "node_modules/ansi-styles": { 854 | "version": "6.2.1", 855 | "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-6.2.1.tgz", 856 | "integrity": "sha512-bN798gFfQX+viw3R7yrGWRqnrN2oRkEkUjjl4JNn4E8GxxbjtG3FbrEIIY3l8/hrwUwIeCZvi4QuOTP4MErVug==", 857 | "dev": true, 858 | "license": "MIT", 859 | "engines": { 860 | "node": ">=12" 861 | }, 862 | "funding": { 863 | "url": "https://github.com/chalk/ansi-styles?sponsor=1" 864 | } 865 | }, 866 | "node_modules/any-promise": { 867 | "version": "1.3.0", 868 | "resolved": "https://registry.npmjs.org/any-promise/-/any-promise-1.3.0.tgz", 869 | "integrity": "sha512-7UvmKalWRt1wgjL1RrGxoSJW/0QZFIegpeGvZG9kjp8vrRu55XTHbwnqq2GpXm9uLbcuhxm3IqX9OB4MZR1b2A==", 870 | "dev": true, 871 | "license": "MIT" 872 | }, 873 | "node_modules/anymatch": { 874 | "version": "3.1.3", 875 | "resolved": "https://registry.npmjs.org/anymatch/-/anymatch-3.1.3.tgz", 876 | "integrity": "sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==", 877 | "dev": true, 878 | "license": "ISC", 879 | "dependencies": { 880 | "normalize-path": "^3.0.0", 881 | "picomatch": "^2.0.4" 882 | }, 883 | "engines": { 884 | "node": ">= 8" 885 | } 886 | }, 887 | "node_modules/arg": { 888 | "version": "5.0.2", 889 | "resolved": "https://registry.npmjs.org/arg/-/arg-5.0.2.tgz", 890 | "integrity": "sha512-PYjyFOLKQ9y57JvQ6QLo8dAgNqswh8M1RMJYdQduT6xbWSgK36P/Z/v+p888pM69jMMfS8Xd8F6I1kQ/I9HUGg==", 891 | "dev": true, 892 | "license": "MIT" 893 | }, 894 | "node_modules/balanced-match": { 895 | "version": "1.0.2", 896 | "resolved": "https://registry.npmjs.org/balanced-match/-/balanced-match-1.0.2.tgz", 897 | "integrity": "sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==", 898 | "dev": true, 899 | "license": "MIT" 900 | }, 901 | "node_modules/binary-extensions": { 902 | "version": "2.3.0", 903 | "resolved": "https://registry.npmjs.org/binary-extensions/-/binary-extensions-2.3.0.tgz", 904 | "integrity": "sha512-Ceh+7ox5qe7LJuLHoY0feh3pHuUDHAcRUeyL2VYghZwfpkNIy/+8Ocg0a3UuSoYzavmylwuLWQOf3hl0jjMMIw==", 905 | "dev": true, 906 | "license": "MIT", 907 | "engines": { 908 | "node": ">=8" 909 | }, 910 | "funding": { 911 | "url": "https://github.com/sponsors/sindresorhus" 912 | } 913 | }, 914 | "node_modules/brace-expansion": { 915 | "version": "2.0.1", 916 | "resolved": "https://registry.npmjs.org/brace-expansion/-/brace-expansion-2.0.1.tgz", 917 | "integrity": "sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==", 918 | "dev": true, 919 | "license": "MIT", 920 | "dependencies": { 921 | "balanced-match": "^1.0.0" 922 | } 923 | }, 924 | "node_modules/braces": { 925 | "version": "3.0.3", 926 | "resolved": "https://registry.npmjs.org/braces/-/braces-3.0.3.tgz", 927 | "integrity": "sha512-yQbXgO/OSZVD2IsiLlro+7Hf6Q18EJrKSEsdoMzKePKXct3gvD8oLcOQdIzGupr5Fj+EDe8gO/lxc1BzfMpxvA==", 928 | "dev": true, 929 | "license": "MIT", 930 | "dependencies": { 931 | "fill-range": "^7.1.1" 932 | }, 933 | "engines": { 934 | "node": ">=8" 935 | } 936 | }, 937 | "node_modules/busboy": { 938 | "version": "1.6.0", 939 | "resolved": "https://registry.npmjs.org/busboy/-/busboy-1.6.0.tgz", 940 | "integrity": "sha512-8SFQbg/0hQ9xy3UNTB0YEnsNBbWfhf7RtnzpL7TkBiTBRfrQ9Fxcnz7VJsleJpyp6rVLvXiuORqjlHi5q+PYuA==", 941 | "dependencies": { 942 | "streamsearch": "^1.1.0" 943 | }, 944 | "engines": { 945 | "node": ">=10.16.0" 946 | } 947 | }, 948 | "node_modules/camelcase-css": { 949 | "version": "2.0.1", 950 | "resolved": "https://registry.npmjs.org/camelcase-css/-/camelcase-css-2.0.1.tgz", 951 | "integrity": "sha512-QOSvevhslijgYwRx6Rv7zKdMF8lbRmx+uQGx2+vDc+KI/eBnsy9kit5aj23AgGu3pa4t9AgwbnXWqS+iOY+2aA==", 952 | "dev": true, 953 | "license": "MIT", 954 | "engines": { 955 | "node": ">= 6" 956 | } 957 | }, 958 | "node_modules/caniuse-lite": { 959 | "version": "1.0.30001692", 960 | "resolved": "https://registry.npmjs.org/caniuse-lite/-/caniuse-lite-1.0.30001692.tgz", 961 | "integrity": "sha512-A95VKan0kdtrsnMubMKxEKUKImOPSuCpYgxSQBo036P5YYgVIcOYJEgt/txJWqObiRQeISNCfef9nvlQ0vbV7A==", 962 | "funding": [ 963 | { 964 | "type": "opencollective", 965 | "url": "https://opencollective.com/browserslist" 966 | }, 967 | { 968 | "type": "tidelift", 969 | "url": "https://tidelift.com/funding/github/npm/caniuse-lite" 970 | }, 971 | { 972 | "type": "github", 973 | "url": "https://github.com/sponsors/ai" 974 | } 975 | ], 976 | "license": "CC-BY-4.0" 977 | }, 978 | "node_modules/chokidar": { 979 | "version": "3.6.0", 980 | "resolved": "https://registry.npmjs.org/chokidar/-/chokidar-3.6.0.tgz", 981 | "integrity": "sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw==", 982 | "dev": true, 983 | "license": "MIT", 984 | "dependencies": { 985 | "anymatch": "~3.1.2", 986 | "braces": "~3.0.2", 987 | "glob-parent": "~5.1.2", 988 | "is-binary-path": "~2.1.0", 989 | "is-glob": "~4.0.1", 990 | "normalize-path": "~3.0.0", 991 | "readdirp": "~3.6.0" 992 | }, 993 | "engines": { 994 | "node": ">= 8.10.0" 995 | }, 996 | "funding": { 997 | "url": "https://paulmillr.com/funding/" 998 | }, 999 | "optionalDependencies": { 1000 | "fsevents": "~2.3.2" 1001 | } 1002 | }, 1003 | "node_modules/chokidar/node_modules/glob-parent": { 1004 | "version": "5.1.2", 1005 | "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz", 1006 | "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==", 1007 | "dev": true, 1008 | "license": "ISC", 1009 | "dependencies": { 1010 | "is-glob": "^4.0.1" 1011 | }, 1012 | "engines": { 1013 | "node": ">= 6" 1014 | } 1015 | }, 1016 | "node_modules/client-only": { 1017 | "version": "0.0.1", 1018 | "resolved": "https://registry.npmjs.org/client-only/-/client-only-0.0.1.tgz", 1019 | "integrity": "sha512-IV3Ou0jSMzZrd3pZ48nLkT9DA7Ag1pnPzaiQhpW7c3RbcqqzvzzVu+L8gfqMp/8IM2MQtSiqaCxrrcfu8I8rMA==", 1020 | "license": "MIT" 1021 | }, 1022 | "node_modules/color": { 1023 | "version": "4.2.3", 1024 | "resolved": "https://registry.npmjs.org/color/-/color-4.2.3.tgz", 1025 | "integrity": "sha512-1rXeuUUiGGrykh+CeBdu5Ie7OJwinCgQY0bc7GCRxy5xVHy+moaqkpL/jqQq0MtQOeYcrqEz4abc5f0KtU7W4A==", 1026 | "license": "MIT", 1027 | "optional": true, 1028 | "dependencies": { 1029 | "color-convert": "^2.0.1", 1030 | "color-string": "^1.9.0" 1031 | }, 1032 | "engines": { 1033 | "node": ">=12.5.0" 1034 | } 1035 | }, 1036 | "node_modules/color-convert": { 1037 | "version": "2.0.1", 1038 | "resolved": "https://registry.npmjs.org/color-convert/-/color-convert-2.0.1.tgz", 1039 | "integrity": "sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==", 1040 | "devOptional": true, 1041 | "license": "MIT", 1042 | "dependencies": { 1043 | "color-name": "~1.1.4" 1044 | }, 1045 | "engines": { 1046 | "node": ">=7.0.0" 1047 | } 1048 | }, 1049 | "node_modules/color-name": { 1050 | "version": "1.1.4", 1051 | "resolved": "https://registry.npmjs.org/color-name/-/color-name-1.1.4.tgz", 1052 | "integrity": "sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==", 1053 | "devOptional": true, 1054 | "license": "MIT" 1055 | }, 1056 | "node_modules/color-string": { 1057 | "version": "1.9.1", 1058 | "resolved": "https://registry.npmjs.org/color-string/-/color-string-1.9.1.tgz", 1059 | "integrity": "sha512-shrVawQFojnZv6xM40anx4CkoDP+fZsw/ZerEMsW/pyzsRbElpsL/DBVW7q3ExxwusdNXI3lXpuhEZkzs8p5Eg==", 1060 | "license": "MIT", 1061 | "optional": true, 1062 | "dependencies": { 1063 | "color-name": "^1.0.0", 1064 | "simple-swizzle": "^0.2.2" 1065 | } 1066 | }, 1067 | "node_modules/commander": { 1068 | "version": "4.1.1", 1069 | "resolved": "https://registry.npmjs.org/commander/-/commander-4.1.1.tgz", 1070 | "integrity": "sha512-NOKm8xhkzAjzFx8B2v5OAHT+u5pRQc2UCa2Vq9jYL/31o2wi9mxBA7LIFs3sV5VSC49z6pEhfbMULvShKj26WA==", 1071 | "dev": true, 1072 | "license": "MIT", 1073 | "engines": { 1074 | "node": ">= 6" 1075 | } 1076 | }, 1077 | "node_modules/cross-spawn": { 1078 | "version": "7.0.6", 1079 | "resolved": "https://registry.npmjs.org/cross-spawn/-/cross-spawn-7.0.6.tgz", 1080 | "integrity": "sha512-uV2QOWP2nWzsy2aMp8aRibhi9dlzF5Hgh5SHaB9OiTGEyDTiJJyx0uy51QXdyWbtAHNua4XJzUKca3OzKUd3vA==", 1081 | "dev": true, 1082 | "license": "MIT", 1083 | "dependencies": { 1084 | "path-key": "^3.1.0", 1085 | "shebang-command": "^2.0.0", 1086 | "which": "^2.0.1" 1087 | }, 1088 | "engines": { 1089 | "node": ">= 8" 1090 | } 1091 | }, 1092 | "node_modules/cssesc": { 1093 | "version": "3.0.0", 1094 | "resolved": "https://registry.npmjs.org/cssesc/-/cssesc-3.0.0.tgz", 1095 | "integrity": "sha512-/Tb/JcjK111nNScGob5MNtsntNM1aCNUDipB/TkwZFhyDrrE47SOx/18wF2bbjgc3ZzCSKW1T5nt5EbFoAz/Vg==", 1096 | "dev": true, 1097 | "license": "MIT", 1098 | "bin": { 1099 | "cssesc": "bin/cssesc" 1100 | }, 1101 | "engines": { 1102 | "node": ">=4" 1103 | } 1104 | }, 1105 | "node_modules/detect-libc": { 1106 | "version": "2.0.3", 1107 | "resolved": "https://registry.npmjs.org/detect-libc/-/detect-libc-2.0.3.tgz", 1108 | "integrity": "sha512-bwy0MGW55bG41VqxxypOsdSdGqLwXPI/focwgTYCFMbdUiBAxLg9CFzG08sz2aqzknwiX7Hkl0bQENjg8iLByw==", 1109 | "license": "Apache-2.0", 1110 | "optional": true, 1111 | "engines": { 1112 | "node": ">=8" 1113 | } 1114 | }, 1115 | "node_modules/didyoumean": { 1116 | "version": "1.2.2", 1117 | "resolved": "https://registry.npmjs.org/didyoumean/-/didyoumean-1.2.2.tgz", 1118 | "integrity": "sha512-gxtyfqMg7GKyhQmb056K7M3xszy/myH8w+B4RT+QXBQsvAOdc3XymqDDPHx1BgPgsdAA5SIifona89YtRATDzw==", 1119 | "dev": true, 1120 | "license": "Apache-2.0" 1121 | }, 1122 | "node_modules/dlv": { 1123 | "version": "1.1.3", 1124 | "resolved": "https://registry.npmjs.org/dlv/-/dlv-1.1.3.tgz", 1125 | "integrity": "sha512-+HlytyjlPKnIG8XuRG8WvmBP8xs8P71y+SKKS6ZXWoEgLuePxtDoUEiH7WkdePWrQ5JBpE6aoVqfZfJUQkjXwA==", 1126 | "dev": true, 1127 | "license": "MIT" 1128 | }, 1129 | "node_modules/eastasianwidth": { 1130 | "version": "0.2.0", 1131 | "resolved": "https://registry.npmjs.org/eastasianwidth/-/eastasianwidth-0.2.0.tgz", 1132 | "integrity": "sha512-I88TYZWc9XiYHRQ4/3c5rjjfgkjhLyW2luGIheGERbNQ6OY7yTybanSpDXZa8y7VUP9YmDcYa+eyq4ca7iLqWA==", 1133 | "dev": true, 1134 | "license": "MIT" 1135 | }, 1136 | "node_modules/emoji-regex": { 1137 | "version": "9.2.2", 1138 | "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-9.2.2.tgz", 1139 | "integrity": "sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==", 1140 | "dev": true, 1141 | "license": "MIT" 1142 | }, 1143 | "node_modules/events": { 1144 | "version": "3.3.0", 1145 | "resolved": "https://registry.npmjs.org/events/-/events-3.3.0.tgz", 1146 | "integrity": "sha512-mQw+2fkQbALzQ7V0MY0IqdnXNOeTtP4r0lN9z7AAawCXgqea7bDii20AYrIBrFd/Hx0M2Ocz6S111CaFkUcb0Q==", 1147 | "license": "MIT", 1148 | "engines": { 1149 | "node": ">=0.8.x" 1150 | } 1151 | }, 1152 | "node_modules/fast-glob": { 1153 | "version": "3.3.3", 1154 | "resolved": "https://registry.npmjs.org/fast-glob/-/fast-glob-3.3.3.tgz", 1155 | "integrity": "sha512-7MptL8U0cqcFdzIzwOTHoilX9x5BrNqye7Z/LuC7kCMRio1EMSyqRK3BEAUD7sXRq4iT4AzTVuZdhgQ2TCvYLg==", 1156 | "dev": true, 1157 | "license": "MIT", 1158 | "dependencies": { 1159 | "@nodelib/fs.stat": "^2.0.2", 1160 | "@nodelib/fs.walk": "^1.2.3", 1161 | "glob-parent": "^5.1.2", 1162 | "merge2": "^1.3.0", 1163 | "micromatch": "^4.0.8" 1164 | }, 1165 | "engines": { 1166 | "node": ">=8.6.0" 1167 | } 1168 | }, 1169 | "node_modules/fast-glob/node_modules/glob-parent": { 1170 | "version": "5.1.2", 1171 | "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-5.1.2.tgz", 1172 | "integrity": "sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==", 1173 | "dev": true, 1174 | "license": "ISC", 1175 | "dependencies": { 1176 | "is-glob": "^4.0.1" 1177 | }, 1178 | "engines": { 1179 | "node": ">= 6" 1180 | } 1181 | }, 1182 | "node_modules/fastq": { 1183 | "version": "1.18.0", 1184 | "resolved": "https://registry.npmjs.org/fastq/-/fastq-1.18.0.tgz", 1185 | "integrity": "sha512-QKHXPW0hD8g4UET03SdOdunzSouc9N4AuHdsX8XNcTsuz+yYFILVNIX4l9yHABMhiEI9Db0JTTIpu0wB+Y1QQw==", 1186 | "dev": true, 1187 | "license": "ISC", 1188 | "dependencies": { 1189 | "reusify": "^1.0.4" 1190 | } 1191 | }, 1192 | "node_modules/fill-range": { 1193 | "version": "7.1.1", 1194 | "resolved": "https://registry.npmjs.org/fill-range/-/fill-range-7.1.1.tgz", 1195 | "integrity": "sha512-YsGpe3WHLK8ZYi4tWDg2Jy3ebRz2rXowDxnld4bkQB00cc/1Zw9AWnC0i9ztDJitivtQvaI9KaLyKrc+hBW0yg==", 1196 | "dev": true, 1197 | "license": "MIT", 1198 | "dependencies": { 1199 | "to-regex-range": "^5.0.1" 1200 | }, 1201 | "engines": { 1202 | "node": ">=8" 1203 | } 1204 | }, 1205 | "node_modules/foreground-child": { 1206 | "version": "3.3.0", 1207 | "resolved": "https://registry.npmjs.org/foreground-child/-/foreground-child-3.3.0.tgz", 1208 | "integrity": "sha512-Ld2g8rrAyMYFXBhEqMz8ZAHBi4J4uS1i/CxGMDnjyFWddMXLVcDp051DZfu+t7+ab7Wv6SMqpWmyFIj5UbfFvg==", 1209 | "dev": true, 1210 | "license": "ISC", 1211 | "dependencies": { 1212 | "cross-spawn": "^7.0.0", 1213 | "signal-exit": "^4.0.1" 1214 | }, 1215 | "engines": { 1216 | "node": ">=14" 1217 | }, 1218 | "funding": { 1219 | "url": "https://github.com/sponsors/isaacs" 1220 | } 1221 | }, 1222 | "node_modules/fsevents": { 1223 | "version": "2.3.3", 1224 | "resolved": "https://registry.npmjs.org/fsevents/-/fsevents-2.3.3.tgz", 1225 | "integrity": "sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==", 1226 | "dev": true, 1227 | "hasInstallScript": true, 1228 | "license": "MIT", 1229 | "optional": true, 1230 | "os": [ 1231 | "darwin" 1232 | ], 1233 | "engines": { 1234 | "node": "^8.16.0 || ^10.6.0 || >=11.0.0" 1235 | } 1236 | }, 1237 | "node_modules/function-bind": { 1238 | "version": "1.1.2", 1239 | "resolved": "https://registry.npmjs.org/function-bind/-/function-bind-1.1.2.tgz", 1240 | "integrity": "sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==", 1241 | "dev": true, 1242 | "license": "MIT", 1243 | "funding": { 1244 | "url": "https://github.com/sponsors/ljharb" 1245 | } 1246 | }, 1247 | "node_modules/glob": { 1248 | "version": "10.4.5", 1249 | "resolved": "https://registry.npmjs.org/glob/-/glob-10.4.5.tgz", 1250 | "integrity": "sha512-7Bv8RF0k6xjo7d4A/PxYLbUCfb6c+Vpd2/mB2yRDlew7Jb5hEXiCD9ibfO7wpk8i4sevK6DFny9h7EYbM3/sHg==", 1251 | "dev": true, 1252 | "license": "ISC", 1253 | "dependencies": { 1254 | "foreground-child": "^3.1.0", 1255 | "jackspeak": "^3.1.2", 1256 | "minimatch": "^9.0.4", 1257 | "minipass": "^7.1.2", 1258 | "package-json-from-dist": "^1.0.0", 1259 | "path-scurry": "^1.11.1" 1260 | }, 1261 | "bin": { 1262 | "glob": "dist/esm/bin.mjs" 1263 | }, 1264 | "funding": { 1265 | "url": "https://github.com/sponsors/isaacs" 1266 | } 1267 | }, 1268 | "node_modules/glob-parent": { 1269 | "version": "6.0.2", 1270 | "resolved": "https://registry.npmjs.org/glob-parent/-/glob-parent-6.0.2.tgz", 1271 | "integrity": "sha512-XxwI8EOhVQgWp6iDL+3b0r86f4d6AX6zSU55HfB4ydCEuXLXc5FcYeOu+nnGftS4TEju/11rt4KJPTMgbfmv4A==", 1272 | "dev": true, 1273 | "license": "ISC", 1274 | "dependencies": { 1275 | "is-glob": "^4.0.3" 1276 | }, 1277 | "engines": { 1278 | "node": ">=10.13.0" 1279 | } 1280 | }, 1281 | "node_modules/graphology": { 1282 | "version": "0.25.4", 1283 | "resolved": "https://registry.npmjs.org/graphology/-/graphology-0.25.4.tgz", 1284 | "integrity": "sha512-33g0Ol9nkWdD6ulw687viS8YJQBxqG5LWII6FI6nul0pq6iM2t5EKquOTFDbyTblRB3O9I+7KX4xI8u5ffekAQ==", 1285 | "license": "MIT", 1286 | "dependencies": { 1287 | "events": "^3.3.0", 1288 | "obliterator": "^2.0.2" 1289 | }, 1290 | "peerDependencies": { 1291 | "graphology-types": ">=0.24.0" 1292 | } 1293 | }, 1294 | "node_modules/graphology-types": { 1295 | "version": "0.24.8", 1296 | "resolved": "https://registry.npmjs.org/graphology-types/-/graphology-types-0.24.8.tgz", 1297 | "integrity": "sha512-hDRKYXa8TsoZHjgEaysSRyPdT6uB78Ci8WnjgbStlQysz7xR52PInxNsmnB7IBOM1BhikxkNyCVEFgmPKnpx3Q==", 1298 | "license": "MIT", 1299 | "peer": true 1300 | }, 1301 | "node_modules/graphology-utils": { 1302 | "version": "2.5.2", 1303 | "resolved": "https://registry.npmjs.org/graphology-utils/-/graphology-utils-2.5.2.tgz", 1304 | "integrity": "sha512-ckHg8MXrXJkOARk56ZaSCM1g1Wihe2d6iTmz1enGOz4W/l831MBCKSayeFQfowgF8wd+PQ4rlch/56Vs/VZLDQ==", 1305 | "license": "MIT", 1306 | "peerDependencies": { 1307 | "graphology-types": ">=0.23.0" 1308 | } 1309 | }, 1310 | "node_modules/hasown": { 1311 | "version": "2.0.2", 1312 | "resolved": "https://registry.npmjs.org/hasown/-/hasown-2.0.2.tgz", 1313 | "integrity": "sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==", 1314 | "dev": true, 1315 | "license": "MIT", 1316 | "dependencies": { 1317 | "function-bind": "^1.1.2" 1318 | }, 1319 | "engines": { 1320 | "node": ">= 0.4" 1321 | } 1322 | }, 1323 | "node_modules/is-arrayish": { 1324 | "version": "0.3.2", 1325 | "resolved": "https://registry.npmjs.org/is-arrayish/-/is-arrayish-0.3.2.tgz", 1326 | "integrity": "sha512-eVRqCvVlZbuw3GrM63ovNSNAeA1K16kaR/LRY/92w0zxQ5/1YzwblUX652i4Xs9RwAGjW9d9y6X88t8OaAJfWQ==", 1327 | "license": "MIT", 1328 | "optional": true 1329 | }, 1330 | "node_modules/is-binary-path": { 1331 | "version": "2.1.0", 1332 | "resolved": "https://registry.npmjs.org/is-binary-path/-/is-binary-path-2.1.0.tgz", 1333 | "integrity": "sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==", 1334 | "dev": true, 1335 | "license": "MIT", 1336 | "dependencies": { 1337 | "binary-extensions": "^2.0.0" 1338 | }, 1339 | "engines": { 1340 | "node": ">=8" 1341 | } 1342 | }, 1343 | "node_modules/is-core-module": { 1344 | "version": "2.16.1", 1345 | "resolved": "https://registry.npmjs.org/is-core-module/-/is-core-module-2.16.1.tgz", 1346 | "integrity": "sha512-UfoeMA6fIJ8wTYFEUjelnaGI67v6+N7qXJEvQuIGa99l4xsCruSYOVSQ0uPANn4dAzm8lkYPaKLrrijLq7x23w==", 1347 | "dev": true, 1348 | "license": "MIT", 1349 | "dependencies": { 1350 | "hasown": "^2.0.2" 1351 | }, 1352 | "engines": { 1353 | "node": ">= 0.4" 1354 | }, 1355 | "funding": { 1356 | "url": "https://github.com/sponsors/ljharb" 1357 | } 1358 | }, 1359 | "node_modules/is-extglob": { 1360 | "version": "2.1.1", 1361 | "resolved": "https://registry.npmjs.org/is-extglob/-/is-extglob-2.1.1.tgz", 1362 | "integrity": "sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==", 1363 | "dev": true, 1364 | "license": "MIT", 1365 | "engines": { 1366 | "node": ">=0.10.0" 1367 | } 1368 | }, 1369 | "node_modules/is-fullwidth-code-point": { 1370 | "version": "3.0.0", 1371 | "resolved": "https://registry.npmjs.org/is-fullwidth-code-point/-/is-fullwidth-code-point-3.0.0.tgz", 1372 | "integrity": "sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==", 1373 | "dev": true, 1374 | "license": "MIT", 1375 | "engines": { 1376 | "node": ">=8" 1377 | } 1378 | }, 1379 | "node_modules/is-glob": { 1380 | "version": "4.0.3", 1381 | "resolved": "https://registry.npmjs.org/is-glob/-/is-glob-4.0.3.tgz", 1382 | "integrity": "sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==", 1383 | "dev": true, 1384 | "license": "MIT", 1385 | "dependencies": { 1386 | "is-extglob": "^2.1.1" 1387 | }, 1388 | "engines": { 1389 | "node": ">=0.10.0" 1390 | } 1391 | }, 1392 | "node_modules/is-number": { 1393 | "version": "7.0.0", 1394 | "resolved": "https://registry.npmjs.org/is-number/-/is-number-7.0.0.tgz", 1395 | "integrity": "sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==", 1396 | "dev": true, 1397 | "license": "MIT", 1398 | "engines": { 1399 | "node": ">=0.12.0" 1400 | } 1401 | }, 1402 | "node_modules/isexe": { 1403 | "version": "2.0.0", 1404 | "resolved": "https://registry.npmjs.org/isexe/-/isexe-2.0.0.tgz", 1405 | "integrity": "sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==", 1406 | "dev": true, 1407 | "license": "ISC" 1408 | }, 1409 | "node_modules/jackspeak": { 1410 | "version": "3.4.3", 1411 | "resolved": "https://registry.npmjs.org/jackspeak/-/jackspeak-3.4.3.tgz", 1412 | "integrity": "sha512-OGlZQpz2yfahA/Rd1Y8Cd9SIEsqvXkLVoSw/cgwhnhFMDbsQFeZYoJJ7bIZBS9BcamUW96asq/npPWugM+RQBw==", 1413 | "dev": true, 1414 | "license": "BlueOak-1.0.0", 1415 | "dependencies": { 1416 | "@isaacs/cliui": "^8.0.2" 1417 | }, 1418 | "funding": { 1419 | "url": "https://github.com/sponsors/isaacs" 1420 | }, 1421 | "optionalDependencies": { 1422 | "@pkgjs/parseargs": "^0.11.0" 1423 | } 1424 | }, 1425 | "node_modules/jiti": { 1426 | "version": "1.21.7", 1427 | "resolved": "https://registry.npmjs.org/jiti/-/jiti-1.21.7.tgz", 1428 | "integrity": "sha512-/imKNG4EbWNrVjoNC/1H5/9GFy+tqjGBHCaSsN+P2RnPqjsLmv6UD3Ej+Kj8nBWaRAwyk7kK5ZUc+OEatnTR3A==", 1429 | "dev": true, 1430 | "license": "MIT", 1431 | "bin": { 1432 | "jiti": "bin/jiti.js" 1433 | } 1434 | }, 1435 | "node_modules/lilconfig": { 1436 | "version": "3.1.3", 1437 | "resolved": "https://registry.npmjs.org/lilconfig/-/lilconfig-3.1.3.tgz", 1438 | "integrity": "sha512-/vlFKAoH5Cgt3Ie+JLhRbwOsCQePABiU3tJ1egGvyQ+33R/vcwM2Zl2QR/LzjsBeItPt3oSVXapn+m4nQDvpzw==", 1439 | "dev": true, 1440 | "license": "MIT", 1441 | "engines": { 1442 | "node": ">=14" 1443 | }, 1444 | "funding": { 1445 | "url": "https://github.com/sponsors/antonk52" 1446 | } 1447 | }, 1448 | "node_modules/lines-and-columns": { 1449 | "version": "1.2.4", 1450 | "resolved": "https://registry.npmjs.org/lines-and-columns/-/lines-and-columns-1.2.4.tgz", 1451 | "integrity": "sha512-7ylylesZQ/PV29jhEDl3Ufjo6ZX7gCqJr5F7PKrqc93v7fzSymt1BpwEU8nAUXs8qzzvqhbjhK5QZg6Mt/HkBg==", 1452 | "dev": true, 1453 | "license": "MIT" 1454 | }, 1455 | "node_modules/lru-cache": { 1456 | "version": "10.4.3", 1457 | "resolved": "https://registry.npmjs.org/lru-cache/-/lru-cache-10.4.3.tgz", 1458 | "integrity": "sha512-JNAzZcXrCt42VGLuYz0zfAzDfAvJWW6AfYlDBQyDV5DClI2m5sAmK+OIO7s59XfsRsWHp02jAJrRadPRGTt6SQ==", 1459 | "dev": true, 1460 | "license": "ISC" 1461 | }, 1462 | "node_modules/merge2": { 1463 | "version": "1.4.1", 1464 | "resolved": "https://registry.npmjs.org/merge2/-/merge2-1.4.1.tgz", 1465 | "integrity": "sha512-8q7VEgMJW4J8tcfVPy8g09NcQwZdbwFEqhe/WZkoIzjn/3TGDwtOCYtXGxA3O8tPzpczCCDgv+P2P5y00ZJOOg==", 1466 | "dev": true, 1467 | "license": "MIT", 1468 | "engines": { 1469 | "node": ">= 8" 1470 | } 1471 | }, 1472 | "node_modules/micromatch": { 1473 | "version": "4.0.8", 1474 | "resolved": "https://registry.npmjs.org/micromatch/-/micromatch-4.0.8.tgz", 1475 | "integrity": "sha512-PXwfBhYu0hBCPw8Dn0E+WDYb7af3dSLVWKi3HGv84IdF4TyFoC0ysxFd0Goxw7nSv4T/PzEJQxsYsEiFCKo2BA==", 1476 | "dev": true, 1477 | "license": "MIT", 1478 | "dependencies": { 1479 | "braces": "^3.0.3", 1480 | "picomatch": "^2.3.1" 1481 | }, 1482 | "engines": { 1483 | "node": ">=8.6" 1484 | } 1485 | }, 1486 | "node_modules/minimatch": { 1487 | "version": "9.0.5", 1488 | "resolved": "https://registry.npmjs.org/minimatch/-/minimatch-9.0.5.tgz", 1489 | "integrity": "sha512-G6T0ZX48xgozx7587koeX9Ys2NYy6Gmv//P89sEte9V9whIapMNF4idKxnW2QtCcLiTWlb/wfCabAtAFWhhBow==", 1490 | "dev": true, 1491 | "license": "ISC", 1492 | "dependencies": { 1493 | "brace-expansion": "^2.0.1" 1494 | }, 1495 | "engines": { 1496 | "node": ">=16 || 14 >=14.17" 1497 | }, 1498 | "funding": { 1499 | "url": "https://github.com/sponsors/isaacs" 1500 | } 1501 | }, 1502 | "node_modules/minipass": { 1503 | "version": "7.1.2", 1504 | "resolved": "https://registry.npmjs.org/minipass/-/minipass-7.1.2.tgz", 1505 | "integrity": "sha512-qOOzS1cBTWYF4BH8fVePDBOO9iptMnGUEZwNc/cMWnTV2nVLZ7VoNWEPHkYczZA0pdoA7dl6e7FL659nX9S2aw==", 1506 | "dev": true, 1507 | "license": "ISC", 1508 | "engines": { 1509 | "node": ">=16 || 14 >=14.17" 1510 | } 1511 | }, 1512 | "node_modules/mz": { 1513 | "version": "2.7.0", 1514 | "resolved": "https://registry.npmjs.org/mz/-/mz-2.7.0.tgz", 1515 | "integrity": "sha512-z81GNO7nnYMEhrGh9LeymoE4+Yr0Wn5McHIZMK5cfQCl+NDX08sCZgUc9/6MHni9IWuFLm1Z3HTCXu2z9fN62Q==", 1516 | "dev": true, 1517 | "license": "MIT", 1518 | "dependencies": { 1519 | "any-promise": "^1.0.0", 1520 | "object-assign": "^4.0.1", 1521 | "thenify-all": "^1.0.0" 1522 | } 1523 | }, 1524 | "node_modules/nanoid": { 1525 | "version": "3.3.8", 1526 | "resolved": "https://registry.npmjs.org/nanoid/-/nanoid-3.3.8.tgz", 1527 | "integrity": "sha512-WNLf5Sd8oZxOm+TzppcYk8gVOgP+l58xNy58D0nbUnOxOWRWvlcCV4kUF7ltmI6PsrLl/BgKEyS4mqsGChFN0w==", 1528 | "funding": [ 1529 | { 1530 | "type": "github", 1531 | "url": "https://github.com/sponsors/ai" 1532 | } 1533 | ], 1534 | "license": "MIT", 1535 | "bin": { 1536 | "nanoid": "bin/nanoid.cjs" 1537 | }, 1538 | "engines": { 1539 | "node": "^10 || ^12 || ^13.7 || ^14 || >=15.0.1" 1540 | } 1541 | }, 1542 | "node_modules/next": { 1543 | "version": "15.1.4", 1544 | "resolved": "https://registry.npmjs.org/next/-/next-15.1.4.tgz", 1545 | "integrity": "sha512-mTaq9dwaSuwwOrcu3ebjDYObekkxRnXpuVL21zotM8qE2W0HBOdVIdg2Li9QjMEZrj73LN96LcWcz62V19FjAg==", 1546 | "license": "MIT", 1547 | "dependencies": { 1548 | "@next/env": "15.1.4", 1549 | "@swc/counter": "0.1.3", 1550 | "@swc/helpers": "0.5.15", 1551 | "busboy": "1.6.0", 1552 | "caniuse-lite": "^1.0.30001579", 1553 | "postcss": "8.4.31", 1554 | "styled-jsx": "5.1.6" 1555 | }, 1556 | "bin": { 1557 | "next": "dist/bin/next" 1558 | }, 1559 | "engines": { 1560 | "node": "^18.18.0 || ^19.8.0 || >= 20.0.0" 1561 | }, 1562 | "optionalDependencies": { 1563 | "@next/swc-darwin-arm64": "15.1.4", 1564 | "@next/swc-darwin-x64": "15.1.4", 1565 | "@next/swc-linux-arm64-gnu": "15.1.4", 1566 | "@next/swc-linux-arm64-musl": "15.1.4", 1567 | "@next/swc-linux-x64-gnu": "15.1.4", 1568 | "@next/swc-linux-x64-musl": "15.1.4", 1569 | "@next/swc-win32-arm64-msvc": "15.1.4", 1570 | "@next/swc-win32-x64-msvc": "15.1.4", 1571 | "sharp": "^0.33.5" 1572 | }, 1573 | "peerDependencies": { 1574 | "@opentelemetry/api": "^1.1.0", 1575 | "@playwright/test": "^1.41.2", 1576 | "babel-plugin-react-compiler": "*", 1577 | "react": "^18.2.0 || 19.0.0-rc-de68d2f4-20241204 || ^19.0.0", 1578 | "react-dom": "^18.2.0 || 19.0.0-rc-de68d2f4-20241204 || ^19.0.0", 1579 | "sass": "^1.3.0" 1580 | }, 1581 | "peerDependenciesMeta": { 1582 | "@opentelemetry/api": { 1583 | "optional": true 1584 | }, 1585 | "@playwright/test": { 1586 | "optional": true 1587 | }, 1588 | "babel-plugin-react-compiler": { 1589 | "optional": true 1590 | }, 1591 | "sass": { 1592 | "optional": true 1593 | } 1594 | } 1595 | }, 1596 | "node_modules/next/node_modules/postcss": { 1597 | "version": "8.4.31", 1598 | "resolved": "https://registry.npmjs.org/postcss/-/postcss-8.4.31.tgz", 1599 | "integrity": "sha512-PS08Iboia9mts/2ygV3eLpY5ghnUcfLV/EXTOW1E2qYxJKGGBUtNjN76FYHnMs36RmARn41bC0AZmn+rR0OVpQ==", 1600 | "funding": [ 1601 | { 1602 | "type": "opencollective", 1603 | "url": "https://opencollective.com/postcss/" 1604 | }, 1605 | { 1606 | "type": "tidelift", 1607 | "url": "https://tidelift.com/funding/github/npm/postcss" 1608 | }, 1609 | { 1610 | "type": "github", 1611 | "url": "https://github.com/sponsors/ai" 1612 | } 1613 | ], 1614 | "license": "MIT", 1615 | "dependencies": { 1616 | "nanoid": "^3.3.6", 1617 | "picocolors": "^1.0.0", 1618 | "source-map-js": "^1.0.2" 1619 | }, 1620 | "engines": { 1621 | "node": "^10 || ^12 || >=14" 1622 | } 1623 | }, 1624 | "node_modules/normalize-path": { 1625 | "version": "3.0.0", 1626 | "resolved": "https://registry.npmjs.org/normalize-path/-/normalize-path-3.0.0.tgz", 1627 | "integrity": "sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==", 1628 | "dev": true, 1629 | "license": "MIT", 1630 | "engines": { 1631 | "node": ">=0.10.0" 1632 | } 1633 | }, 1634 | "node_modules/object-assign": { 1635 | "version": "4.1.1", 1636 | "resolved": "https://registry.npmjs.org/object-assign/-/object-assign-4.1.1.tgz", 1637 | "integrity": "sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==", 1638 | "dev": true, 1639 | "license": "MIT", 1640 | "engines": { 1641 | "node": ">=0.10.0" 1642 | } 1643 | }, 1644 | "node_modules/object-hash": { 1645 | "version": "3.0.0", 1646 | "resolved": "https://registry.npmjs.org/object-hash/-/object-hash-3.0.0.tgz", 1647 | "integrity": "sha512-RSn9F68PjH9HqtltsSnqYC1XXoWe9Bju5+213R98cNGttag9q9yAOTzdbsqvIa7aNm5WffBZFpWYr2aWrklWAw==", 1648 | "dev": true, 1649 | "license": "MIT", 1650 | "engines": { 1651 | "node": ">= 6" 1652 | } 1653 | }, 1654 | "node_modules/obliterator": { 1655 | "version": "2.0.5", 1656 | "resolved": "https://registry.npmjs.org/obliterator/-/obliterator-2.0.5.tgz", 1657 | "integrity": "sha512-42CPE9AhahZRsMNslczq0ctAEtqk8Eka26QofnqC346BZdHDySk3LWka23LI7ULIw11NmltpiLagIq8gBozxTw==", 1658 | "license": "MIT" 1659 | }, 1660 | "node_modules/package-json-from-dist": { 1661 | "version": "1.0.1", 1662 | "resolved": "https://registry.npmjs.org/package-json-from-dist/-/package-json-from-dist-1.0.1.tgz", 1663 | "integrity": "sha512-UEZIS3/by4OC8vL3P2dTXRETpebLI2NiI5vIrjaD/5UtrkFX/tNbwjTSRAGC/+7CAo2pIcBaRgWmcBBHcsaCIw==", 1664 | "dev": true, 1665 | "license": "BlueOak-1.0.0" 1666 | }, 1667 | "node_modules/path-key": { 1668 | "version": "3.1.1", 1669 | "resolved": "https://registry.npmjs.org/path-key/-/path-key-3.1.1.tgz", 1670 | "integrity": "sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==", 1671 | "dev": true, 1672 | "license": "MIT", 1673 | "engines": { 1674 | "node": ">=8" 1675 | } 1676 | }, 1677 | "node_modules/path-parse": { 1678 | "version": "1.0.7", 1679 | "resolved": "https://registry.npmjs.org/path-parse/-/path-parse-1.0.7.tgz", 1680 | "integrity": "sha512-LDJzPVEEEPR+y48z93A0Ed0yXb8pAByGWo/k5YYdYgpY2/2EsOsksJrq7lOHxryrVOn1ejG6oAp8ahvOIQD8sw==", 1681 | "dev": true, 1682 | "license": "MIT" 1683 | }, 1684 | "node_modules/path-scurry": { 1685 | "version": "1.11.1", 1686 | "resolved": "https://registry.npmjs.org/path-scurry/-/path-scurry-1.11.1.tgz", 1687 | "integrity": "sha512-Xa4Nw17FS9ApQFJ9umLiJS4orGjm7ZzwUrwamcGQuHSzDyth9boKDaycYdDcZDuqYATXw4HFXgaqWTctW/v1HA==", 1688 | "dev": true, 1689 | "license": "BlueOak-1.0.0", 1690 | "dependencies": { 1691 | "lru-cache": "^10.2.0", 1692 | "minipass": "^5.0.0 || ^6.0.2 || ^7.0.0" 1693 | }, 1694 | "engines": { 1695 | "node": ">=16 || 14 >=14.18" 1696 | }, 1697 | "funding": { 1698 | "url": "https://github.com/sponsors/isaacs" 1699 | } 1700 | }, 1701 | "node_modules/picocolors": { 1702 | "version": "1.1.1", 1703 | "resolved": "https://registry.npmjs.org/picocolors/-/picocolors-1.1.1.tgz", 1704 | "integrity": "sha512-xceH2snhtb5M9liqDsmEw56le376mTZkEX/jEb/RxNFyegNul7eNslCXP9FDj/Lcu0X8KEyMceP2ntpaHrDEVA==", 1705 | "license": "ISC" 1706 | }, 1707 | "node_modules/picomatch": { 1708 | "version": "2.3.1", 1709 | "resolved": "https://registry.npmjs.org/picomatch/-/picomatch-2.3.1.tgz", 1710 | "integrity": "sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==", 1711 | "dev": true, 1712 | "license": "MIT", 1713 | "engines": { 1714 | "node": ">=8.6" 1715 | }, 1716 | "funding": { 1717 | "url": "https://github.com/sponsors/jonschlinkert" 1718 | } 1719 | }, 1720 | "node_modules/pify": { 1721 | "version": "2.3.0", 1722 | "resolved": "https://registry.npmjs.org/pify/-/pify-2.3.0.tgz", 1723 | "integrity": "sha512-udgsAY+fTnvv7kI7aaxbqwWNb0AHiB0qBO89PZKPkoTmGOgdbrHDKD+0B2X4uTfJ/FT1R09r9gTsjUjNJotuog==", 1724 | "dev": true, 1725 | "license": "MIT", 1726 | "engines": { 1727 | "node": ">=0.10.0" 1728 | } 1729 | }, 1730 | "node_modules/pirates": { 1731 | "version": "4.0.6", 1732 | "resolved": "https://registry.npmjs.org/pirates/-/pirates-4.0.6.tgz", 1733 | "integrity": "sha512-saLsH7WeYYPiD25LDuLRRY/i+6HaPYr6G1OUlN39otzkSTxKnubR9RTxS3/Kk50s1g2JTgFwWQDQyplC5/SHZg==", 1734 | "dev": true, 1735 | "license": "MIT", 1736 | "engines": { 1737 | "node": ">= 6" 1738 | } 1739 | }, 1740 | "node_modules/postcss": { 1741 | "version": "8.4.49", 1742 | "resolved": "https://registry.npmjs.org/postcss/-/postcss-8.4.49.tgz", 1743 | "integrity": "sha512-OCVPnIObs4N29kxTjzLfUryOkvZEq+pf8jTF0lg8E7uETuWHA+v7j3c/xJmiqpX450191LlmZfUKkXxkTry7nA==", 1744 | "dev": true, 1745 | "funding": [ 1746 | { 1747 | "type": "opencollective", 1748 | "url": "https://opencollective.com/postcss/" 1749 | }, 1750 | { 1751 | "type": "tidelift", 1752 | "url": "https://tidelift.com/funding/github/npm/postcss" 1753 | }, 1754 | { 1755 | "type": "github", 1756 | "url": "https://github.com/sponsors/ai" 1757 | } 1758 | ], 1759 | "license": "MIT", 1760 | "dependencies": { 1761 | "nanoid": "^3.3.7", 1762 | "picocolors": "^1.1.1", 1763 | "source-map-js": "^1.2.1" 1764 | }, 1765 | "engines": { 1766 | "node": "^10 || ^12 || >=14" 1767 | } 1768 | }, 1769 | "node_modules/postcss-import": { 1770 | "version": "15.1.0", 1771 | "resolved": "https://registry.npmjs.org/postcss-import/-/postcss-import-15.1.0.tgz", 1772 | "integrity": "sha512-hpr+J05B2FVYUAXHeK1YyI267J/dDDhMU6B6civm8hSY1jYJnBXxzKDKDswzJmtLHryrjhnDjqqp/49t8FALew==", 1773 | "dev": true, 1774 | "license": "MIT", 1775 | "dependencies": { 1776 | "postcss-value-parser": "^4.0.0", 1777 | "read-cache": "^1.0.0", 1778 | "resolve": "^1.1.7" 1779 | }, 1780 | "engines": { 1781 | "node": ">=14.0.0" 1782 | }, 1783 | "peerDependencies": { 1784 | "postcss": "^8.0.0" 1785 | } 1786 | }, 1787 | "node_modules/postcss-js": { 1788 | "version": "4.0.1", 1789 | "resolved": "https://registry.npmjs.org/postcss-js/-/postcss-js-4.0.1.tgz", 1790 | "integrity": "sha512-dDLF8pEO191hJMtlHFPRa8xsizHaM82MLfNkUHdUtVEV3tgTp5oj+8qbEqYM57SLfc74KSbw//4SeJma2LRVIw==", 1791 | "dev": true, 1792 | "license": "MIT", 1793 | "dependencies": { 1794 | "camelcase-css": "^2.0.1" 1795 | }, 1796 | "engines": { 1797 | "node": "^12 || ^14 || >= 16" 1798 | }, 1799 | "funding": { 1800 | "type": "opencollective", 1801 | "url": "https://opencollective.com/postcss/" 1802 | }, 1803 | "peerDependencies": { 1804 | "postcss": "^8.4.21" 1805 | } 1806 | }, 1807 | "node_modules/postcss-load-config": { 1808 | "version": "4.0.2", 1809 | "resolved": "https://registry.npmjs.org/postcss-load-config/-/postcss-load-config-4.0.2.tgz", 1810 | "integrity": "sha512-bSVhyJGL00wMVoPUzAVAnbEoWyqRxkjv64tUl427SKnPrENtq6hJwUojroMz2VB+Q1edmi4IfrAPpami5VVgMQ==", 1811 | "dev": true, 1812 | "funding": [ 1813 | { 1814 | "type": "opencollective", 1815 | "url": "https://opencollective.com/postcss/" 1816 | }, 1817 | { 1818 | "type": "github", 1819 | "url": "https://github.com/sponsors/ai" 1820 | } 1821 | ], 1822 | "license": "MIT", 1823 | "dependencies": { 1824 | "lilconfig": "^3.0.0", 1825 | "yaml": "^2.3.4" 1826 | }, 1827 | "engines": { 1828 | "node": ">= 14" 1829 | }, 1830 | "peerDependencies": { 1831 | "postcss": ">=8.0.9", 1832 | "ts-node": ">=9.0.0" 1833 | }, 1834 | "peerDependenciesMeta": { 1835 | "postcss": { 1836 | "optional": true 1837 | }, 1838 | "ts-node": { 1839 | "optional": true 1840 | } 1841 | } 1842 | }, 1843 | "node_modules/postcss-nested": { 1844 | "version": "6.2.0", 1845 | "resolved": "https://registry.npmjs.org/postcss-nested/-/postcss-nested-6.2.0.tgz", 1846 | "integrity": "sha512-HQbt28KulC5AJzG+cZtj9kvKB93CFCdLvog1WFLf1D+xmMvPGlBstkpTEZfK5+AN9hfJocyBFCNiqyS48bpgzQ==", 1847 | "dev": true, 1848 | "funding": [ 1849 | { 1850 | "type": "opencollective", 1851 | "url": "https://opencollective.com/postcss/" 1852 | }, 1853 | { 1854 | "type": "github", 1855 | "url": "https://github.com/sponsors/ai" 1856 | } 1857 | ], 1858 | "license": "MIT", 1859 | "dependencies": { 1860 | "postcss-selector-parser": "^6.1.1" 1861 | }, 1862 | "engines": { 1863 | "node": ">=12.0" 1864 | }, 1865 | "peerDependencies": { 1866 | "postcss": "^8.2.14" 1867 | } 1868 | }, 1869 | "node_modules/postcss-selector-parser": { 1870 | "version": "6.1.2", 1871 | "resolved": "https://registry.npmjs.org/postcss-selector-parser/-/postcss-selector-parser-6.1.2.tgz", 1872 | "integrity": "sha512-Q8qQfPiZ+THO/3ZrOrO0cJJKfpYCagtMUkXbnEfmgUjwXg6z/WBeOyS9APBBPCTSiDV+s4SwQGu8yFsiMRIudg==", 1873 | "dev": true, 1874 | "license": "MIT", 1875 | "dependencies": { 1876 | "cssesc": "^3.0.0", 1877 | "util-deprecate": "^1.0.2" 1878 | }, 1879 | "engines": { 1880 | "node": ">=4" 1881 | } 1882 | }, 1883 | "node_modules/postcss-value-parser": { 1884 | "version": "4.2.0", 1885 | "resolved": "https://registry.npmjs.org/postcss-value-parser/-/postcss-value-parser-4.2.0.tgz", 1886 | "integrity": "sha512-1NNCs6uurfkVbeXG4S8JFT9t19m45ICnif8zWLd5oPSZ50QnwMfK+H3jv408d4jw/7Bttv5axS5IiHoLaVNHeQ==", 1887 | "dev": true, 1888 | "license": "MIT" 1889 | }, 1890 | "node_modules/queue-microtask": { 1891 | "version": "1.2.3", 1892 | "resolved": "https://registry.npmjs.org/queue-microtask/-/queue-microtask-1.2.3.tgz", 1893 | "integrity": "sha512-NuaNSa6flKT5JaSYQzJok04JzTL1CA6aGhv5rfLW3PgqA+M2ChpZQnAC8h8i4ZFkBS8X5RqkDBHA7r4hej3K9A==", 1894 | "dev": true, 1895 | "funding": [ 1896 | { 1897 | "type": "github", 1898 | "url": "https://github.com/sponsors/feross" 1899 | }, 1900 | { 1901 | "type": "patreon", 1902 | "url": "https://www.patreon.com/feross" 1903 | }, 1904 | { 1905 | "type": "consulting", 1906 | "url": "https://feross.org/support" 1907 | } 1908 | ], 1909 | "license": "MIT" 1910 | }, 1911 | "node_modules/react": { 1912 | "version": "19.0.0", 1913 | "resolved": "https://registry.npmjs.org/react/-/react-19.0.0.tgz", 1914 | "integrity": "sha512-V8AVnmPIICiWpGfm6GLzCR/W5FXLchHop40W4nXBmdlEceh16rCN8O8LNWm5bh5XUX91fh7KpA+W0TgMKmgTpQ==", 1915 | "license": "MIT", 1916 | "engines": { 1917 | "node": ">=0.10.0" 1918 | } 1919 | }, 1920 | "node_modules/react-dom": { 1921 | "version": "19.0.0", 1922 | "resolved": "https://registry.npmjs.org/react-dom/-/react-dom-19.0.0.tgz", 1923 | "integrity": "sha512-4GV5sHFG0e/0AD4X+ySy6UJd3jVl1iNsNHdpad0qhABJ11twS3TTBnseqsKurKcsNqCEFeGL3uLpVChpIO3QfQ==", 1924 | "license": "MIT", 1925 | "dependencies": { 1926 | "scheduler": "^0.25.0" 1927 | }, 1928 | "peerDependencies": { 1929 | "react": "^19.0.0" 1930 | } 1931 | }, 1932 | "node_modules/read-cache": { 1933 | "version": "1.0.0", 1934 | "resolved": "https://registry.npmjs.org/read-cache/-/read-cache-1.0.0.tgz", 1935 | "integrity": "sha512-Owdv/Ft7IjOgm/i0xvNDZ1LrRANRfew4b2prF3OWMQLxLfu3bS8FVhCsrSCMK4lR56Y9ya+AThoTpDCTxCmpRA==", 1936 | "dev": true, 1937 | "license": "MIT", 1938 | "dependencies": { 1939 | "pify": "^2.3.0" 1940 | } 1941 | }, 1942 | "node_modules/readdirp": { 1943 | "version": "3.6.0", 1944 | "resolved": "https://registry.npmjs.org/readdirp/-/readdirp-3.6.0.tgz", 1945 | "integrity": "sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==", 1946 | "dev": true, 1947 | "license": "MIT", 1948 | "dependencies": { 1949 | "picomatch": "^2.2.1" 1950 | }, 1951 | "engines": { 1952 | "node": ">=8.10.0" 1953 | } 1954 | }, 1955 | "node_modules/resolve": { 1956 | "version": "1.22.10", 1957 | "resolved": "https://registry.npmjs.org/resolve/-/resolve-1.22.10.tgz", 1958 | "integrity": "sha512-NPRy+/ncIMeDlTAsuqwKIiferiawhefFJtkNSW0qZJEqMEb+qBt/77B/jGeeek+F0uOeN05CDa6HXbbIgtVX4w==", 1959 | "dev": true, 1960 | "license": "MIT", 1961 | "dependencies": { 1962 | "is-core-module": "^2.16.0", 1963 | "path-parse": "^1.0.7", 1964 | "supports-preserve-symlinks-flag": "^1.0.0" 1965 | }, 1966 | "bin": { 1967 | "resolve": "bin/resolve" 1968 | }, 1969 | "engines": { 1970 | "node": ">= 0.4" 1971 | }, 1972 | "funding": { 1973 | "url": "https://github.com/sponsors/ljharb" 1974 | } 1975 | }, 1976 | "node_modules/reusify": { 1977 | "version": "1.0.4", 1978 | "resolved": "https://registry.npmjs.org/reusify/-/reusify-1.0.4.tgz", 1979 | "integrity": "sha512-U9nH88a3fc/ekCF1l0/UP1IosiuIjyTh7hBvXVMHYgVcfGvt897Xguj2UOLDeI5BG2m7/uwyaLVT6fbtCwTyzw==", 1980 | "dev": true, 1981 | "license": "MIT", 1982 | "engines": { 1983 | "iojs": ">=1.0.0", 1984 | "node": ">=0.10.0" 1985 | } 1986 | }, 1987 | "node_modules/run-parallel": { 1988 | "version": "1.2.0", 1989 | "resolved": "https://registry.npmjs.org/run-parallel/-/run-parallel-1.2.0.tgz", 1990 | "integrity": "sha512-5l4VyZR86LZ/lDxZTR6jqL8AFE2S0IFLMP26AbjsLVADxHdhB/c0GUsH+y39UfCi3dzz8OlQuPmnaJOMoDHQBA==", 1991 | "dev": true, 1992 | "funding": [ 1993 | { 1994 | "type": "github", 1995 | "url": "https://github.com/sponsors/feross" 1996 | }, 1997 | { 1998 | "type": "patreon", 1999 | "url": "https://www.patreon.com/feross" 2000 | }, 2001 | { 2002 | "type": "consulting", 2003 | "url": "https://feross.org/support" 2004 | } 2005 | ], 2006 | "license": "MIT", 2007 | "dependencies": { 2008 | "queue-microtask": "^1.2.2" 2009 | } 2010 | }, 2011 | "node_modules/scheduler": { 2012 | "version": "0.25.0", 2013 | "resolved": "https://registry.npmjs.org/scheduler/-/scheduler-0.25.0.tgz", 2014 | "integrity": "sha512-xFVuu11jh+xcO7JOAGJNOXld8/TcEHK/4CituBUeUb5hqxJLj9YuemAEuvm9gQ/+pgXYfbQuqAkiYu+u7YEsNA==", 2015 | "license": "MIT" 2016 | }, 2017 | "node_modules/semver": { 2018 | "version": "7.6.3", 2019 | "resolved": "https://registry.npmjs.org/semver/-/semver-7.6.3.tgz", 2020 | "integrity": "sha512-oVekP1cKtI+CTDvHWYFUcMtsK/00wmAEfyqKfNdARm8u1wNVhSgaX7A8d4UuIlUI5e84iEwOhs7ZPYRmzU9U6A==", 2021 | "license": "ISC", 2022 | "optional": true, 2023 | "bin": { 2024 | "semver": "bin/semver.js" 2025 | }, 2026 | "engines": { 2027 | "node": ">=10" 2028 | } 2029 | }, 2030 | "node_modules/sharp": { 2031 | "version": "0.33.5", 2032 | "resolved": "https://registry.npmjs.org/sharp/-/sharp-0.33.5.tgz", 2033 | "integrity": "sha512-haPVm1EkS9pgvHrQ/F3Xy+hgcuMV0Wm9vfIBSiwZ05k+xgb0PkBQpGsAA/oWdDobNaZTH5ppvHtzCFbnSEwHVw==", 2034 | "hasInstallScript": true, 2035 | "license": "Apache-2.0", 2036 | "optional": true, 2037 | "dependencies": { 2038 | "color": "^4.2.3", 2039 | "detect-libc": "^2.0.3", 2040 | "semver": "^7.6.3" 2041 | }, 2042 | "engines": { 2043 | "node": "^18.17.0 || ^20.3.0 || >=21.0.0" 2044 | }, 2045 | "funding": { 2046 | "url": "https://opencollective.com/libvips" 2047 | }, 2048 | "optionalDependencies": { 2049 | "@img/sharp-darwin-arm64": "0.33.5", 2050 | "@img/sharp-darwin-x64": "0.33.5", 2051 | "@img/sharp-libvips-darwin-arm64": "1.0.4", 2052 | "@img/sharp-libvips-darwin-x64": "1.0.4", 2053 | "@img/sharp-libvips-linux-arm": "1.0.5", 2054 | "@img/sharp-libvips-linux-arm64": "1.0.4", 2055 | "@img/sharp-libvips-linux-s390x": "1.0.4", 2056 | "@img/sharp-libvips-linux-x64": "1.0.4", 2057 | "@img/sharp-libvips-linuxmusl-arm64": "1.0.4", 2058 | "@img/sharp-libvips-linuxmusl-x64": "1.0.4", 2059 | "@img/sharp-linux-arm": "0.33.5", 2060 | "@img/sharp-linux-arm64": "0.33.5", 2061 | "@img/sharp-linux-s390x": "0.33.5", 2062 | "@img/sharp-linux-x64": "0.33.5", 2063 | "@img/sharp-linuxmusl-arm64": "0.33.5", 2064 | "@img/sharp-linuxmusl-x64": "0.33.5", 2065 | "@img/sharp-wasm32": "0.33.5", 2066 | "@img/sharp-win32-ia32": "0.33.5", 2067 | "@img/sharp-win32-x64": "0.33.5" 2068 | } 2069 | }, 2070 | "node_modules/shebang-command": { 2071 | "version": "2.0.0", 2072 | "resolved": "https://registry.npmjs.org/shebang-command/-/shebang-command-2.0.0.tgz", 2073 | "integrity": "sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==", 2074 | "dev": true, 2075 | "license": "MIT", 2076 | "dependencies": { 2077 | "shebang-regex": "^3.0.0" 2078 | }, 2079 | "engines": { 2080 | "node": ">=8" 2081 | } 2082 | }, 2083 | "node_modules/shebang-regex": { 2084 | "version": "3.0.0", 2085 | "resolved": "https://registry.npmjs.org/shebang-regex/-/shebang-regex-3.0.0.tgz", 2086 | "integrity": "sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==", 2087 | "dev": true, 2088 | "license": "MIT", 2089 | "engines": { 2090 | "node": ">=8" 2091 | } 2092 | }, 2093 | "node_modules/sigma": { 2094 | "version": "3.0.0", 2095 | "resolved": "https://registry.npmjs.org/sigma/-/sigma-3.0.0.tgz", 2096 | "integrity": "sha512-O3w+sfyarnurPuxcBtkQ6wp5E9d0OctwMiXhQ8YUCiUX5G8Yz5XM6Vo6lsAGtMm/XvQR77+0JOzAIEeo4LpdjA==", 2097 | "license": "MIT", 2098 | "dependencies": { 2099 | "events": "^3.3.0", 2100 | "graphology-utils": "^2.5.2" 2101 | } 2102 | }, 2103 | "node_modules/signal-exit": { 2104 | "version": "4.1.0", 2105 | "resolved": "https://registry.npmjs.org/signal-exit/-/signal-exit-4.1.0.tgz", 2106 | "integrity": "sha512-bzyZ1e88w9O1iNJbKnOlvYTrWPDl46O1bG0D3XInv+9tkPrxrN8jUUTiFlDkkmKWgn1M6CfIA13SuGqOa9Korw==", 2107 | "dev": true, 2108 | "license": "ISC", 2109 | "engines": { 2110 | "node": ">=14" 2111 | }, 2112 | "funding": { 2113 | "url": "https://github.com/sponsors/isaacs" 2114 | } 2115 | }, 2116 | "node_modules/simple-swizzle": { 2117 | "version": "0.2.2", 2118 | "resolved": "https://registry.npmjs.org/simple-swizzle/-/simple-swizzle-0.2.2.tgz", 2119 | "integrity": "sha512-JA//kQgZtbuY83m+xT+tXJkmJncGMTFT+C+g2h2R9uxkYIrE2yy9sgmcLhCnw57/WSD+Eh3J97FPEDFnbXnDUg==", 2120 | "license": "MIT", 2121 | "optional": true, 2122 | "dependencies": { 2123 | "is-arrayish": "^0.3.1" 2124 | } 2125 | }, 2126 | "node_modules/source-map-js": { 2127 | "version": "1.2.1", 2128 | "resolved": "https://registry.npmjs.org/source-map-js/-/source-map-js-1.2.1.tgz", 2129 | "integrity": "sha512-UXWMKhLOwVKb728IUtQPXxfYU+usdybtUrK/8uGE8CQMvrhOpwvzDBwj0QhSL7MQc7vIsISBG8VQ8+IDQxpfQA==", 2130 | "license": "BSD-3-Clause", 2131 | "engines": { 2132 | "node": ">=0.10.0" 2133 | } 2134 | }, 2135 | "node_modules/streamsearch": { 2136 | "version": "1.1.0", 2137 | "resolved": "https://registry.npmjs.org/streamsearch/-/streamsearch-1.1.0.tgz", 2138 | "integrity": "sha512-Mcc5wHehp9aXz1ax6bZUyY5afg9u2rv5cqQI3mRrYkGC8rW2hM02jWuwjtL++LS5qinSyhj2QfLyNsuc+VsExg==", 2139 | "engines": { 2140 | "node": ">=10.0.0" 2141 | } 2142 | }, 2143 | "node_modules/string-width": { 2144 | "version": "5.1.2", 2145 | "resolved": "https://registry.npmjs.org/string-width/-/string-width-5.1.2.tgz", 2146 | "integrity": "sha512-HnLOCR3vjcY8beoNLtcjZ5/nxn2afmME6lhrDrebokqMap+XbeW8n9TXpPDOqdGK5qcI3oT0GKTW6wC7EMiVqA==", 2147 | "dev": true, 2148 | "license": "MIT", 2149 | "dependencies": { 2150 | "eastasianwidth": "^0.2.0", 2151 | "emoji-regex": "^9.2.2", 2152 | "strip-ansi": "^7.0.1" 2153 | }, 2154 | "engines": { 2155 | "node": ">=12" 2156 | }, 2157 | "funding": { 2158 | "url": "https://github.com/sponsors/sindresorhus" 2159 | } 2160 | }, 2161 | "node_modules/string-width-cjs": { 2162 | "name": "string-width", 2163 | "version": "4.2.3", 2164 | "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz", 2165 | "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", 2166 | "dev": true, 2167 | "license": "MIT", 2168 | "dependencies": { 2169 | "emoji-regex": "^8.0.0", 2170 | "is-fullwidth-code-point": "^3.0.0", 2171 | "strip-ansi": "^6.0.1" 2172 | }, 2173 | "engines": { 2174 | "node": ">=8" 2175 | } 2176 | }, 2177 | "node_modules/string-width-cjs/node_modules/ansi-regex": { 2178 | "version": "5.0.1", 2179 | "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", 2180 | "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", 2181 | "dev": true, 2182 | "license": "MIT", 2183 | "engines": { 2184 | "node": ">=8" 2185 | } 2186 | }, 2187 | "node_modules/string-width-cjs/node_modules/emoji-regex": { 2188 | "version": "8.0.0", 2189 | "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", 2190 | "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", 2191 | "dev": true, 2192 | "license": "MIT" 2193 | }, 2194 | "node_modules/string-width-cjs/node_modules/strip-ansi": { 2195 | "version": "6.0.1", 2196 | "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", 2197 | "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", 2198 | "dev": true, 2199 | "license": "MIT", 2200 | "dependencies": { 2201 | "ansi-regex": "^5.0.1" 2202 | }, 2203 | "engines": { 2204 | "node": ">=8" 2205 | } 2206 | }, 2207 | "node_modules/strip-ansi": { 2208 | "version": "7.1.0", 2209 | "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-7.1.0.tgz", 2210 | "integrity": "sha512-iq6eVVI64nQQTRYq2KtEg2d2uU7LElhTJwsH4YzIHZshxlgZms/wIc4VoDQTlG/IvVIrBKG06CrZnp0qv7hkcQ==", 2211 | "dev": true, 2212 | "license": "MIT", 2213 | "dependencies": { 2214 | "ansi-regex": "^6.0.1" 2215 | }, 2216 | "engines": { 2217 | "node": ">=12" 2218 | }, 2219 | "funding": { 2220 | "url": "https://github.com/chalk/strip-ansi?sponsor=1" 2221 | } 2222 | }, 2223 | "node_modules/strip-ansi-cjs": { 2224 | "name": "strip-ansi", 2225 | "version": "6.0.1", 2226 | "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", 2227 | "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", 2228 | "dev": true, 2229 | "license": "MIT", 2230 | "dependencies": { 2231 | "ansi-regex": "^5.0.1" 2232 | }, 2233 | "engines": { 2234 | "node": ">=8" 2235 | } 2236 | }, 2237 | "node_modules/strip-ansi-cjs/node_modules/ansi-regex": { 2238 | "version": "5.0.1", 2239 | "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", 2240 | "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", 2241 | "dev": true, 2242 | "license": "MIT", 2243 | "engines": { 2244 | "node": ">=8" 2245 | } 2246 | }, 2247 | "node_modules/styled-jsx": { 2248 | "version": "5.1.6", 2249 | "resolved": "https://registry.npmjs.org/styled-jsx/-/styled-jsx-5.1.6.tgz", 2250 | "integrity": "sha512-qSVyDTeMotdvQYoHWLNGwRFJHC+i+ZvdBRYosOFgC+Wg1vx4frN2/RG/NA7SYqqvKNLf39P2LSRA2pu6n0XYZA==", 2251 | "license": "MIT", 2252 | "dependencies": { 2253 | "client-only": "0.0.1" 2254 | }, 2255 | "engines": { 2256 | "node": ">= 12.0.0" 2257 | }, 2258 | "peerDependencies": { 2259 | "react": ">= 16.8.0 || 17.x.x || ^18.0.0-0 || ^19.0.0-0" 2260 | }, 2261 | "peerDependenciesMeta": { 2262 | "@babel/core": { 2263 | "optional": true 2264 | }, 2265 | "babel-plugin-macros": { 2266 | "optional": true 2267 | } 2268 | } 2269 | }, 2270 | "node_modules/sucrase": { 2271 | "version": "3.35.0", 2272 | "resolved": "https://registry.npmjs.org/sucrase/-/sucrase-3.35.0.tgz", 2273 | "integrity": "sha512-8EbVDiu9iN/nESwxeSxDKe0dunta1GOlHufmSSXxMD2z2/tMZpDMpvXQGsc+ajGo8y2uYUmixaSRUc/QPoQ0GA==", 2274 | "dev": true, 2275 | "license": "MIT", 2276 | "dependencies": { 2277 | "@jridgewell/gen-mapping": "^0.3.2", 2278 | "commander": "^4.0.0", 2279 | "glob": "^10.3.10", 2280 | "lines-and-columns": "^1.1.6", 2281 | "mz": "^2.7.0", 2282 | "pirates": "^4.0.1", 2283 | "ts-interface-checker": "^0.1.9" 2284 | }, 2285 | "bin": { 2286 | "sucrase": "bin/sucrase", 2287 | "sucrase-node": "bin/sucrase-node" 2288 | }, 2289 | "engines": { 2290 | "node": ">=16 || 14 >=14.17" 2291 | } 2292 | }, 2293 | "node_modules/supports-preserve-symlinks-flag": { 2294 | "version": "1.0.0", 2295 | "resolved": "https://registry.npmjs.org/supports-preserve-symlinks-flag/-/supports-preserve-symlinks-flag-1.0.0.tgz", 2296 | "integrity": "sha512-ot0WnXS9fgdkgIcePe6RHNk1WA8+muPa6cSjeR3V8K27q9BB1rTE3R1p7Hv0z1ZyAc8s6Vvv8DIyWf681MAt0w==", 2297 | "dev": true, 2298 | "license": "MIT", 2299 | "engines": { 2300 | "node": ">= 0.4" 2301 | }, 2302 | "funding": { 2303 | "url": "https://github.com/sponsors/ljharb" 2304 | } 2305 | }, 2306 | "node_modules/tailwindcss": { 2307 | "version": "3.4.17", 2308 | "resolved": "https://registry.npmjs.org/tailwindcss/-/tailwindcss-3.4.17.tgz", 2309 | "integrity": "sha512-w33E2aCvSDP0tW9RZuNXadXlkHXqFzSkQew/aIa2i/Sj8fThxwovwlXHSPXTbAHwEIhBFXAedUhP2tueAKP8Og==", 2310 | "dev": true, 2311 | "license": "MIT", 2312 | "dependencies": { 2313 | "@alloc/quick-lru": "^5.2.0", 2314 | "arg": "^5.0.2", 2315 | "chokidar": "^3.6.0", 2316 | "didyoumean": "^1.2.2", 2317 | "dlv": "^1.1.3", 2318 | "fast-glob": "^3.3.2", 2319 | "glob-parent": "^6.0.2", 2320 | "is-glob": "^4.0.3", 2321 | "jiti": "^1.21.6", 2322 | "lilconfig": "^3.1.3", 2323 | "micromatch": "^4.0.8", 2324 | "normalize-path": "^3.0.0", 2325 | "object-hash": "^3.0.0", 2326 | "picocolors": "^1.1.1", 2327 | "postcss": "^8.4.47", 2328 | "postcss-import": "^15.1.0", 2329 | "postcss-js": "^4.0.1", 2330 | "postcss-load-config": "^4.0.2", 2331 | "postcss-nested": "^6.2.0", 2332 | "postcss-selector-parser": "^6.1.2", 2333 | "resolve": "^1.22.8", 2334 | "sucrase": "^3.35.0" 2335 | }, 2336 | "bin": { 2337 | "tailwind": "lib/cli.js", 2338 | "tailwindcss": "lib/cli.js" 2339 | }, 2340 | "engines": { 2341 | "node": ">=14.0.0" 2342 | } 2343 | }, 2344 | "node_modules/thenify": { 2345 | "version": "3.3.1", 2346 | "resolved": "https://registry.npmjs.org/thenify/-/thenify-3.3.1.tgz", 2347 | "integrity": "sha512-RVZSIV5IG10Hk3enotrhvz0T9em6cyHBLkH/YAZuKqd8hRkKhSfCGIcP2KUY0EPxndzANBmNllzWPwak+bheSw==", 2348 | "dev": true, 2349 | "license": "MIT", 2350 | "dependencies": { 2351 | "any-promise": "^1.0.0" 2352 | } 2353 | }, 2354 | "node_modules/thenify-all": { 2355 | "version": "1.6.0", 2356 | "resolved": "https://registry.npmjs.org/thenify-all/-/thenify-all-1.6.0.tgz", 2357 | "integrity": "sha512-RNxQH/qI8/t3thXJDwcstUO4zeqo64+Uy/+sNVRBx4Xn2OX+OZ9oP+iJnNFqplFra2ZUVeKCSa2oVWi3T4uVmA==", 2358 | "dev": true, 2359 | "license": "MIT", 2360 | "dependencies": { 2361 | "thenify": ">= 3.1.0 < 4" 2362 | }, 2363 | "engines": { 2364 | "node": ">=0.8" 2365 | } 2366 | }, 2367 | "node_modules/to-regex-range": { 2368 | "version": "5.0.1", 2369 | "resolved": "https://registry.npmjs.org/to-regex-range/-/to-regex-range-5.0.1.tgz", 2370 | "integrity": "sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==", 2371 | "dev": true, 2372 | "license": "MIT", 2373 | "dependencies": { 2374 | "is-number": "^7.0.0" 2375 | }, 2376 | "engines": { 2377 | "node": ">=8.0" 2378 | } 2379 | }, 2380 | "node_modules/ts-interface-checker": { 2381 | "version": "0.1.13", 2382 | "resolved": "https://registry.npmjs.org/ts-interface-checker/-/ts-interface-checker-0.1.13.tgz", 2383 | "integrity": "sha512-Y/arvbn+rrz3JCKl9C4kVNfTfSm2/mEp5FSz5EsZSANGPSlQrpRI5M4PKF+mJnE52jOO90PnPSc3Ur3bTQw0gA==", 2384 | "dev": true, 2385 | "license": "Apache-2.0" 2386 | }, 2387 | "node_modules/tslib": { 2388 | "version": "2.8.1", 2389 | "resolved": "https://registry.npmjs.org/tslib/-/tslib-2.8.1.tgz", 2390 | "integrity": "sha512-oJFu94HQb+KVduSUQL7wnpmqnfmLsOA/nAh6b6EH0wCEoK0/mPeXU6c3wKDV83MkOuHPRHtSXKKU99IBazS/2w==", 2391 | "license": "0BSD" 2392 | }, 2393 | "node_modules/util-deprecate": { 2394 | "version": "1.0.2", 2395 | "resolved": "https://registry.npmjs.org/util-deprecate/-/util-deprecate-1.0.2.tgz", 2396 | "integrity": "sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==", 2397 | "dev": true, 2398 | "license": "MIT" 2399 | }, 2400 | "node_modules/which": { 2401 | "version": "2.0.2", 2402 | "resolved": "https://registry.npmjs.org/which/-/which-2.0.2.tgz", 2403 | "integrity": "sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==", 2404 | "dev": true, 2405 | "license": "ISC", 2406 | "dependencies": { 2407 | "isexe": "^2.0.0" 2408 | }, 2409 | "bin": { 2410 | "node-which": "bin/node-which" 2411 | }, 2412 | "engines": { 2413 | "node": ">= 8" 2414 | } 2415 | }, 2416 | "node_modules/wrap-ansi": { 2417 | "version": "8.1.0", 2418 | "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-8.1.0.tgz", 2419 | "integrity": "sha512-si7QWI6zUMq56bESFvagtmzMdGOtoxfR+Sez11Mobfc7tm+VkUckk9bW2UeffTGVUbOksxmSw0AA2gs8g71NCQ==", 2420 | "dev": true, 2421 | "license": "MIT", 2422 | "dependencies": { 2423 | "ansi-styles": "^6.1.0", 2424 | "string-width": "^5.0.1", 2425 | "strip-ansi": "^7.0.1" 2426 | }, 2427 | "engines": { 2428 | "node": ">=12" 2429 | }, 2430 | "funding": { 2431 | "url": "https://github.com/chalk/wrap-ansi?sponsor=1" 2432 | } 2433 | }, 2434 | "node_modules/wrap-ansi-cjs": { 2435 | "name": "wrap-ansi", 2436 | "version": "7.0.0", 2437 | "resolved": "https://registry.npmjs.org/wrap-ansi/-/wrap-ansi-7.0.0.tgz", 2438 | "integrity": "sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==", 2439 | "dev": true, 2440 | "license": "MIT", 2441 | "dependencies": { 2442 | "ansi-styles": "^4.0.0", 2443 | "string-width": "^4.1.0", 2444 | "strip-ansi": "^6.0.0" 2445 | }, 2446 | "engines": { 2447 | "node": ">=10" 2448 | }, 2449 | "funding": { 2450 | "url": "https://github.com/chalk/wrap-ansi?sponsor=1" 2451 | } 2452 | }, 2453 | "node_modules/wrap-ansi-cjs/node_modules/ansi-regex": { 2454 | "version": "5.0.1", 2455 | "resolved": "https://registry.npmjs.org/ansi-regex/-/ansi-regex-5.0.1.tgz", 2456 | "integrity": "sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==", 2457 | "dev": true, 2458 | "license": "MIT", 2459 | "engines": { 2460 | "node": ">=8" 2461 | } 2462 | }, 2463 | "node_modules/wrap-ansi-cjs/node_modules/ansi-styles": { 2464 | "version": "4.3.0", 2465 | "resolved": "https://registry.npmjs.org/ansi-styles/-/ansi-styles-4.3.0.tgz", 2466 | "integrity": "sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==", 2467 | "dev": true, 2468 | "license": "MIT", 2469 | "dependencies": { 2470 | "color-convert": "^2.0.1" 2471 | }, 2472 | "engines": { 2473 | "node": ">=8" 2474 | }, 2475 | "funding": { 2476 | "url": "https://github.com/chalk/ansi-styles?sponsor=1" 2477 | } 2478 | }, 2479 | "node_modules/wrap-ansi-cjs/node_modules/emoji-regex": { 2480 | "version": "8.0.0", 2481 | "resolved": "https://registry.npmjs.org/emoji-regex/-/emoji-regex-8.0.0.tgz", 2482 | "integrity": "sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==", 2483 | "dev": true, 2484 | "license": "MIT" 2485 | }, 2486 | "node_modules/wrap-ansi-cjs/node_modules/string-width": { 2487 | "version": "4.2.3", 2488 | "resolved": "https://registry.npmjs.org/string-width/-/string-width-4.2.3.tgz", 2489 | "integrity": "sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==", 2490 | "dev": true, 2491 | "license": "MIT", 2492 | "dependencies": { 2493 | "emoji-regex": "^8.0.0", 2494 | "is-fullwidth-code-point": "^3.0.0", 2495 | "strip-ansi": "^6.0.1" 2496 | }, 2497 | "engines": { 2498 | "node": ">=8" 2499 | } 2500 | }, 2501 | "node_modules/wrap-ansi-cjs/node_modules/strip-ansi": { 2502 | "version": "6.0.1", 2503 | "resolved": "https://registry.npmjs.org/strip-ansi/-/strip-ansi-6.0.1.tgz", 2504 | "integrity": "sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==", 2505 | "dev": true, 2506 | "license": "MIT", 2507 | "dependencies": { 2508 | "ansi-regex": "^5.0.1" 2509 | }, 2510 | "engines": { 2511 | "node": ">=8" 2512 | } 2513 | }, 2514 | "node_modules/yaml": { 2515 | "version": "2.7.0", 2516 | "resolved": "https://registry.npmjs.org/yaml/-/yaml-2.7.0.tgz", 2517 | "integrity": "sha512-+hSoy/QHluxmC9kCIJyL/uyFmLmc+e5CFR5Wa+bpIhIj85LVb9ZH2nVnqrHoSvKogwODv0ClqZkmiSSaIH5LTA==", 2518 | "dev": true, 2519 | "license": "ISC", 2520 | "bin": { 2521 | "yaml": "bin.mjs" 2522 | }, 2523 | "engines": { 2524 | "node": ">= 14" 2525 | } 2526 | } 2527 | } 2528 | } 2529 | --------------------------------------------------------------------------------