From eecb1ccf7bd20b8455c6405914d9d643bb2691b9 Mon Sep 17 00:00:00 2001 From: AI Agent Date: Fri, 3 Apr 2026 14:05:30 -0400 Subject: [PATCH 1/3] refactor(skills): condense and unify related skills (#8) Consolidate related skills to reduce fragmentation and make the /skill:skill-name workflow more useful. Fewer overlapping skills means agents load the right guidance without guessing which sub-skill to invoke. - Merge shell-script guidance into general-programming and remove the standalone shell-script skill - Copy commit-message rules into pull-request so it is self-sufficient; keep commit-message separate for IDE integrations - Merge gradle-shadow into gradle and remove the standalone gradle-shadow skill --------- Co-authored-by: Kimi --- skills/general-programming/SKILL.md | 9 ++ skills/gradle-shadow/SKILL.md | 136 ---------------------------- skills/gradle/SKILL.md | 125 +++++++++++++++++++++++++ skills/pull-request/SKILL.md | 38 ++++++-- skills/session-init/SKILL.md | 42 ++++++--- skills/shell-script/SKILL.md | 10 -- 6 files changed, 195 insertions(+), 165 deletions(-) delete mode 100644 skills/gradle-shadow/SKILL.md delete mode 100644 skills/shell-script/SKILL.md diff --git a/skills/general-programming/SKILL.md b/skills/general-programming/SKILL.md index 324542a..d775924 100644 --- a/skills/general-programming/SKILL.md +++ b/skills/general-programming/SKILL.md @@ -321,6 +321,15 @@ Before considering code complete: 4. **Verify documentation** - is the why explained? Are complex parts clear? **Don't waste reviewer time on issues you could have caught yourself.** + +## Shell Scripts + +When writing shell scripts: + +- Always verify with `shellcheck` for best practices, and fix any issues +- Format shell scripts with `shfmt` for consistent style +- Only write a POSIX-compliant shell script unless otherwise specified or in a shell-specific file such as `.zshrc` or files with extensions like `.bash` or `.zsh` + --- SPDX-FileCopyrightText: Copyright © 2026 Caleb Cushing diff --git a/skills/gradle-shadow/SKILL.md b/skills/gradle-shadow/SKILL.md deleted file mode 100644 index b0024ba..0000000 --- a/skills/gradle-shadow/SKILL.md +++ /dev/null @@ -1,136 +0,0 @@ ---- -name: gradle-shadow -description: Working with Gradle Shadow plugin for creating fat JARs with dependency shading. Use when configuring ShadowJar tasks, relocate packages, include/exclude dependencies, minimize JARs, or troubleshooting shadow plugin issues. ---- - - - -# Gradle Shadow Plugin Skill - -Guidance for using the Gradle Shadow plugin to create fat JARs with relocated -dependencies. - -## Common Issues - -### minimize() NullPointerException - -**Error:** `Cannot read field "forJava" because "parsedFileName" is null` - -**Cause:** The shadow plugin's `minimize()` feature uses jdependency library to -analyze class usage. When certain JAR files have unusual filenames or metadata, -jdependency fails to parse them, resulting in a NPE. - -**When it happens:** - -- After dependency updates that bring in new JAR files -- With certain dependencies that have non-standard packaging -- When minimize-related configurations contain problematic artifacts - -**Fix:** Remove `minimize()` from your ShadowJar configuration: - -```kotlin -// BEFORE (may cause NPE) -tasks.withType().configureEach { - minimize() -} - -// AFTER (stable) -tasks.withType().configureEach { - // Use include/exclude filters instead - dependencies { - include { it.moduleGroup == "com.example" } - } -} -``` - -## Configuration Patterns - -### Basic Shadow with Relocation - -```kotlin -import com.github.jengelman.gradle.plugins.shadow.tasks.ShadowJar - -tasks.withType().configureEach { - archiveClassifier.set("") - relocate("org.eclipse.jgit", "com.mycompany.shaded.jgit") - relocate("com.google.common", "com.mycompany.shaded.guava") -} -``` - -### Selective Dependency Inclusion - -Only include specific dependencies in the shadow JAR: - -```kotlin -tasks.withType().configureEach { - dependencies { - include { it.moduleGroup == "com.example" && it.moduleName == "library" } - include { it.moduleGroup == "com.google.guava" } - } -} -``` - -### Selective Dependency Exclusion - -Exclude specific dependencies (include everything else): - -```kotlin -tasks.withType().configureEach { - dependencies { - exclude { it.moduleGroup == "io.vavr" } - exclude { it.moduleGroup == "org.slf4j" } - exclude { it.moduleName == "some-library" } - } -} -``` - -### Relocation Patterns by Module - -Common relocation patterns for popular libraries: - -| Original Package | Relocated Package | -| -------------------- | ------------------------------ | -| `org.eclipse.jgit` | `com.mycompany.shaded.jgit` | -| `com.google.common` | `com.mycompany.shaded.guava` | -| `org.apache.commons` | `com.mycompany.shaded.commons` | - -## Gradle Plugin Portal Publishing - -When publishing a Gradle plugin with shadow: - -1. Set `archiveClassifier.set("")` to make shadow JAR the main artifact -2. The plugin-publish plugin automatically detects and uses the fat JAR -3. Relocate all dependencies to avoid classpath conflicts - -```kotlin -gradlePlugin { - plugins { - register("my.plugin.id") { - implementationClass = "com.mycompany.MyPlugin" - } - } -} -``` - -## Dependency Locking with Shadow - -If using dependency locking with the shadow plugin, note that it may create -additional configurations (e.g., `shadow`, `shadowMinimizeApi`). After updating -dependencies, verify lockfiles include these configurations: - -```bash -./gradlew dependencies --write-locks -``` - -## Best Practices - -1. **Always relocate** - Prevent classpath conflicts by relocating shaded packages -2. **Use include over minimize** - If minimize() causes issues, use explicit - include filters -3. **Check lockfile diffs** - After dependency updates, review lockfile changes - for shadow-related configurations -4. **Test the shadow JAR** - Verify the fat JAR works in integration tests diff --git a/skills/gradle/SKILL.md b/skills/gradle/SKILL.md index cc70376..5ef4f83 100644 --- a/skills/gradle/SKILL.md +++ b/skills/gradle/SKILL.md @@ -62,3 +62,128 @@ When investigating dependency issues: ./gradlew test # Run unit tests ./gradlew clean # Clean build outputs ``` + +## Shadow Plugin + +Guidance for using the Gradle Shadow plugin to create fat JARs with relocated dependencies. + +### Common Issues + +#### minimize() NullPointerException + +**Error:** `Cannot read field "forJava" because "parsedFileName" is null` + +**Cause:** The shadow plugin's `minimize()` feature uses jdependency library to analyze class usage. When certain JAR files have unusual filenames or metadata, jdependency fails to parse them, resulting in a NPE. + +**When it happens:** + +- After dependency updates that bring in new JAR files +- With certain dependencies that have non-standard packaging +- When minimize-related configurations contain problematic artifacts + +**Fix:** Remove `minimize()` from your ShadowJar configuration: + +```kotlin +// BEFORE (may cause NPE) +tasks.withType().configureEach { + minimize() +} + +// AFTER (stable) +tasks.withType().configureEach { + // Use include/exclude filters instead + dependencies { + include { it.moduleGroup == "com.example" } + } +} +``` + +### Configuration Patterns + +#### Basic Shadow with Relocation + +```kotlin +import com.github.jengelman.gradle.plugins.shadow.tasks.ShadowJar + +tasks.withType().configureEach { + archiveClassifier.set("") + relocate("org.eclipse.jgit", "com.mycompany.shaded.jgit") + relocate("com.google.common", "com.mycompany.shaded.guava") +} +``` + +#### Selective Dependency Inclusion + +Only include specific dependencies in the shadow JAR: + +```kotlin +tasks.withType().configureEach { + dependencies { + include { it.moduleGroup == "com.example" && it.moduleName == "library" } + include { it.moduleGroup == "com.google.guava" } + } +} +``` + +#### Selective Dependency Exclusion + +Exclude specific dependencies (include everything else): + +```kotlin +tasks.withType().configureEach { + dependencies { + exclude { it.moduleGroup == "io.vavr" } + exclude { it.moduleGroup == "org.slf4j" } + exclude { it.moduleName == "some-library" } + } +} +``` + +### Relocation Patterns by Module + +Common relocation patterns for popular libraries: + +| Original Package | Relocated Package | +| -------------------- | ------------------------------ | +| `org.eclipse.jgit` | `com.mycompany.shaded.jgit` | +| `com.google.common` | `com.mycompany.shaded.guava` | +| `org.apache.commons` | `com.mycompany.shaded.commons` | + +### Gradle Plugin Portal Publishing + +When publishing a Gradle plugin with shadow: + +1. Set `archiveClassifier.set("")` to make shadow JAR the main artifact +2. The plugin-publish plugin automatically detects and uses the fat JAR +3. Relocate all dependencies to avoid classpath conflicts + +```kotlin +gradlePlugin { + plugins { + register("my.plugin.id") { + implementationClass = "com.mycompany.MyPlugin" + } + } +} +``` + +### Dependency Locking with Shadow + +If using dependency locking with the shadow plugin, note that it may create additional configurations (e.g., `shadow`, `shadowMinimizeApi`). After updating dependencies, verify lockfiles include these configurations: + +```bash +./gradlew dependencies --write-locks +``` + +### Best Practices + +1. **Always relocate** - Prevent classpath conflicts by relocating shaded packages +2. **Use include over minimize** - If minimize() causes issues, use explicit include filters +3. **Check lockfile diffs** - After dependency updates, review lockfile changes for shadow-related configurations +4. **Test the shadow JAR** - Verify the fat JAR works in integration tests + +--- + +SPDX-FileCopyrightText: Copyright © 2026 Caleb Cushing + +SPDX-License-Identifier: CC-BY-NC-SA-4.0 diff --git a/skills/pull-request/SKILL.md b/skills/pull-request/SKILL.md index 488fb4d..e96a367 100644 --- a/skills/pull-request/SKILL.md +++ b/skills/pull-request/SKILL.md @@ -65,30 +65,37 @@ When committing and creating/updating a PR, follow this workflow: - Or run `git status` and `gh pr view --json number,url,headRefName,state` - Determine: current branch, existing PR status (OPEN/CLOSED/MERGED) -2. **Handle closed/merged PRs:** +2. **Fetch and determine default branch:** + - Run `git fetch --all --prune` to update remotes and prune stale branches + - Get the default branch from `origin/HEAD`: + ```bash + DEFAULT_BRANCH=$(git rev-parse --abbrev-ref origin/HEAD | sed 's@^origin/@@') + ``` + +3. **Handle closed/merged PRs:** - If the current branch has a CLOSED or MERGED PR, delete the local branch: - - `git checkout develop` (the default HEAD branch) + - `git checkout "$DEFAULT_BRANCH"` - `git branch -D ` - Then create a new branch off the updated HEAD for new work -3. **Pull latest changes before starting work:** - - Run `git pull origin develop` to get the latest changes +4. **Pull latest changes before starting work:** + - Run `git pull origin "$DEFAULT_BRANCH"` to get the latest changes - This ensures you're working on the current state and not outdated code - This also ensures you don't address review comments that are already resolved -4. **If already on a feature branch with an existing OPEN PR:** +5. **If already on a feature branch with an existing OPEN PR:** - Do NOT create a new branch - Pull latest changes first - Commit changes to the current branch - Push to update the existing PR - Update PR description/title if needed using `gh pr edit` -5. **If on develop or no PR exists for current branch:** +6. **If on the default branch or no PR exists for current branch:** - Create a new feature branch (if not already on one) - Commit changes - Push and create a new PR -6. **Before finalizing:** +7. **Before finalizing:** - Review if documentation needs updates (README.md, AGENTS.md) - Ensure PR description accurately reflects all changes including doc updates @@ -147,6 +154,23 @@ Follow conventional commit format for PR titles (they become the squash merge co - Keep title <= 72 characters - Use specific scope when possible +### Commit Message Rules + +When writing commit messages or PR descriptions: + +- Output plain text only. No markdown fences. +- First line MUST be a valid Conventional Commit subject. +- Keep the FIRST line <= 72 characters. +- Use a specific scope when possible. +- Body (MANDATORY - must explain WHY): + - Start with a paragraph explaining WHY this change is being made + - The "why" provides context for future readers + - Explain the problem, motivation, or rationale + - Follow with bullet points explaining the main changes (WHAT) + - Each bullet must describe one complete logical change + - Do not split a single idea across multiple bullets + - Wrap lines to <= 72 chars + ### Creating a New PR Always provide explicit title and body. Do NOT use `--fill` as it may use the branch name instead of a proper conventional commit message: diff --git a/skills/session-init/SKILL.md b/skills/session-init/SKILL.md index 64067d5..ab0a7f8 100644 --- a/skills/session-init/SKILL.md +++ b/skills/session-init/SKILL.md @@ -11,6 +11,7 @@ description: ALWAYS use this skill at the start of EVERY new session before any **CRITICAL: Run these checks IMMEDIATELY at session start, BEFORE any other actions.** When starting a new session, always verify the current repository state to avoid: + - Working on a branch with a CLOSED or MERGED PR - Investigating code that doesn't include recent fixes - Addressing review comments on outdated code @@ -20,19 +21,24 @@ When starting a new session, always verify the current repository state to avoid Run these checks **first** before any investigation or code changes: **Preferred: Use MCP tools when available:** + - Use `list_pull_requests` or `pull_request_read` to check PR state for current branch - This gives structured data without parsing shell output **Alternative: Use git and GitHub CLI:** + ```bash -# 1. Check current branch and git status +# 1. Fetch latest remote state and prune stale branches +git fetch --all --prune + +# 2. Check current branch and git status git status -# 2. Check if current branch has a PR and its state +# 3. Check if current branch has a PR and its state gh pr view --json number,url,headRefName,state,baseRefName -# 3. Get the default branch name -git symbolic-ref refs/remotes/origin/HEAD | sed 's@^refs/remotes/origin/@@' +# 4. Get the default branch name from origin/HEAD +DEFAULT_BRANCH=$(git rev-parse --abbrev-ref origin/HEAD | sed 's@^origin/@@') ``` ## Decision Matrix @@ -40,29 +46,37 @@ git symbolic-ref refs/remotes/origin/HEAD | sed 's@^refs/remotes/origin/@@' Based on the PR state, take action BEFORE proceeding: ### Case 1: No PR exists (or command fails) + ```bash -# Switch to default branch and pull latest -DEFAULT_BRANCH=$(git symbolic-ref refs/remotes/origin/HEAD | sed 's@^refs/remotes/origin/@@') +# Fetch latest state and switch to default branch +git fetch --all --prune +DEFAULT_BRANCH=$(git rev-parse --abbrev-ref origin/HEAD | sed 's@^origin/@@') git checkout "$DEFAULT_BRANCH" git pull origin "$DEFAULT_BRANCH" ``` + Then proceed with new work. ### Case 2: PR is OPEN + ```bash # Pull latest from base branch to ensure you have current state git pull origin "$BASE_BRANCH" ``` + Then proceed with work on the existing branch. ### Case 3: PR is CLOSED or MERGED + ```bash # The branch is stale - switch to default and clean up -DEFAULT_BRANCH=$(git symbolic-ref refs/remotes/origin/HEAD | sed 's@^refs/remotes/origin/@@') +git fetch --all --prune +DEFAULT_BRANCH=$(git rev-parse --abbrev-ref origin/HEAD | sed 's@^origin/@@') git checkout "$DEFAULT_BRANCH" git branch -D # delete the stale branch git pull origin "$DEFAULT_BRANCH" ``` + Then create a fresh branch for new work. ## Complete Startup Script @@ -75,6 +89,9 @@ Use this as a reference for session initialization logic. Requires: `git`, `gh` echo "=== Session Initialization ===" +# Fetch latest remote state and prune stale branches +git fetch --all --prune + # Check git status first git status @@ -82,8 +99,8 @@ git status CURRENT_BRANCH=$(git branch --show-current) echo "Current branch: $CURRENT_BRANCH" -# Get default branch -DEFAULT_BRANCH=$(git symbolic-ref refs/remotes/origin/HEAD | sed 's@^refs/remotes/origin/@@') +# Get default branch from origin/HEAD +DEFAULT_BRANCH=$(git rev-parse --abbrev-ref origin/HEAD | sed 's@^origin/@@') echo "Default branch: $DEFAULT_BRANCH" # Check for PR state @@ -91,16 +108,16 @@ PR_INFO=$(gh pr view --json number,state,baseRefName 2>/dev/null || echo "null") if [ "$PR_INFO" = "null" ]; then echo "No PR found for current branch" - + # Ensure we're on default branch with latest git checkout "$DEFAULT_BRANCH" git pull origin "$DEFAULT_BRANCH" else PR_STATE=$(echo "$PR_INFO" | jq -r '.state') BASE_BRANCH=$(echo "$PR_INFO" | jq -r '.baseRefName') - + echo "PR state: $PR_STATE" - + if [ "$PR_STATE" = "OPEN" ]; then echo "PR is open - pulling latest from $BASE_BRANCH" git pull origin "$BASE_BRANCH" @@ -120,6 +137,7 @@ fi **Never investigate issues or start coding without first knowing your branch state.** The few seconds spent on these checks prevents: + - Wasted time investigating already-fixed bugs - Confusion from working on merged PRs - Merge conflicts from stale branches diff --git a/skills/shell-script/SKILL.md b/skills/shell-script/SKILL.md deleted file mode 100644 index 87d2503..0000000 --- a/skills/shell-script/SKILL.md +++ /dev/null @@ -1,10 +0,0 @@ ---- -name: shell-script -description: Write a shell script -# SPDX-FileCopyrightText: Copyright © 2026 Caleb Cushing -# -# SPDX-License-Identifier: CC-BY-NC-SA-4.0 ---- - -- always verify with `shellcheck` for best practices, and fix any issues -- only write a posix compliant shell script unless otherwise specified or in a shell-specific file such `.zshrc` or files with extensions like `.bash` or `.zsh` From dbe8e21df66b22495a0942283c8ab90255471912 Mon Sep 17 00:00:00 2001 From: Caleb Cushing Date: Fri, 3 Apr 2026 16:25:48 -0400 Subject: [PATCH 2/3] docs(skills): improve AI discoverability routing (#9) Skill discoverability is weakened by AGENTS.md drift, malformed skill frontmatter, redundant content across skills, and unclear skill boundaries. This makes it harder for AI agents to route to the correct skill. - Fix AGENTS.md inventory drift (remove stale skills, add missing ones) - Normalize frontmatter across 8 skill manifests (SPDX placement, multi-line descriptions, heading structure) - Consolidate redundant categorical tables into a single Discoverability Index with positive Scope/Activate When/Signals columns - Restore shell-script as a dedicated skill with POSIX, Bash, and Zsh coverage - Document optional allowed-tools support per agentskills spec, with guidance to prefer specific tools over bash - De-bloat pull-request skill by replacing duplicated content (commit format, PR body, self-review, branch fetch) with links to owning skills - Add platform boundary notes: pull-request is platform- agnostic, github is GitHub-specific - Simplify general-programming testing refs to point to testing skill without duplicating philosophy - Tighten verbose frontmatter descriptions (java, pull-request) - Trim AGENTS.md sections that duplicated language-skill content (code style, testing philosophy, skill creation workflow) --------- Co-authored-by: Copilot <223556219+Copilot@users.noreply.github.com> Co-authored-by: Copilot <175728472+Copilot@users.noreply.github.com> Co-authored-by: GitHub Copilot --- AGENTS.md | 139 +++++---- .../SKILL.md | 278 +++++++----------- skills/commit-message/SKILL.md | 16 +- skills/github/SKILL.md | 20 +- skills/gradle/SKILL.md | 5 +- skills/iterative-development/SKILL.md | 2 +- skills/java/SKILL.md | 8 +- skills/pull-request/SKILL.md | 123 ++------ skills/session-init/SKILL.md | 35 ++- skills/shell-script/SKILL.md | 145 +++++++++ skills/skill-creator/SKILL.md | 44 ++- skills/testing/SKILL.md | 14 +- skills/use-case-creator/SKILL.md | 14 +- 13 files changed, 469 insertions(+), 374 deletions(-) rename skills/{general-programming => coding-standards}/SKILL.md (63%) create mode 100644 skills/shell-script/SKILL.md diff --git a/AGENTS.md b/AGENTS.md index c7010ec..240b6dc 100644 --- a/AGENTS.md +++ b/AGENTS.md @@ -16,24 +16,24 @@ The project is hosted at: https://github.com/xenoterracide/subtree-ai ``` . -├── mcp/ # Model Context Protocol configuration -│ ├── mcp.json # MCP server configuration (currently empty {}) -│ └── mcp.json.license # CC0-1.0 license for config files -├── skills/ # AI skills organized by domain -│ ├── commit-message/ # Conventional commit format -│ ├── general-programming/ # Programming principles -│ ├── github/ # GitHub interaction patterns -│ ├── gradle/ # Gradle build system -│ ├── gradle-shadow/ # Shadow plugin for fat JARs -│ ├── java/ # Java coding style -│ ├── pull-request/ # PR workflow management -│ ├── session-init/ # Mandatory session startup -│ ├── shell-script/ # Shell scripting guidelines -│ ├── skill-creator/ # Creating new skills -│ ├── testing/ # Testing philosophy -│ └── use-case-creator/ # Use case documentation -└── .agents/ # Symlink to root (self-referential) - └── skills/ # Same as ./skills/ +├── mcp/ # Model Context Protocol configuration +│ ├── mcp.json # MCP server configuration (currently empty {}) +│ └── mcp.json.license # CC0-1.0 license for config files +├── skills/ # AI skills organized by concern +│ ├── commit-message/ # Conventional commit and PR description format +│ ├── coding-standards/ # Cross-cutting coding principles and quality +│ ├── github/ # GitHub and GraphQL interaction patterns +│ ├── gradle/ # Gradle build system and dependency management +│ ├── iterative-development/ # Planning and iterative design guidance +│ ├── java/ # Java coding style and null-safety guidance +│ ├── pull-request/ # Commit, push, and PR workflow management +│ ├── shell-script/ # Shell scripting and command automation guidance +│ ├── session-init/ # Mandatory session startup workflow +│ ├── skill-creator/ # Creating and maintaining skills +│ ├── testing/ # Testing philosophy and patterns +│ └── use-case-creator/ # Use case documentation guidance +└── .agents/ # Symlink to root (self-referential) + └── skills/ # Same as ./skills/ ``` ## Technology Stack @@ -81,40 +81,54 @@ Skills are recognized by Kimi when: 3. Frontmatter is valid (starts with `---`) 4. Has both `name` and `description` fields -The `description` field determines when the skill triggers - be specific about usage scenarios. - -## Skill Categories - -### Workflow Skills (Always Apply) - -| Skill | When to Use | -|-------|-------------| -| `session-init` | **ALWAYS** at the start of EVERY new session | -| `pull-request` | **ALWAYS** when any files are modified, created, or deleted | -| `commit-message` | When writing commit messages or PR descriptions | - -### Domain Skills (Apply by Context) - -| Skill | When to Use | -|-------|-------------| -| `github` | Interacting with GitHub repos, issues, PRs | -| `java` | Creating or modifying `.java` source files | -| `gradle` | Editing Gradle build files, managing dependencies | -| `gradle-shadow` | Configuring Shadow plugin for fat JARs | -| `shell-script` | Writing shell scripts | -| `testing` | Creating, modifying, or discussing tests | -| `use-case-creator` | Writing use case specifications | -| `skill-creator` | Creating or updating skills | -| `general-programming` | General programming principles | +The `description` field determines when the skill triggers, so it is the primary +machine-readable routing surface. Keep descriptions specific, concrete, and easy +to match against user intent. + +`allowed-tools` is an optional, experimental field you may use when a skill +needs to pre-approve a small, trusted tool set. Prefer omitting it by default, +and only add it when a runtime supports specific tool names such as `git` or +`gh` and the skill repeatedly needs them. Keep broader routing guidance such as +anti-triggers, related skills, and detailed examples in the body of the skill +file rather than overloading frontmatter. + +## Skill Routing + +Skills fall into four activation categories: + +- **Workflow** (`session-init`, `pull-request`, `commit-message`): Apply on every session or file change +- **Cross-cutting** (`coding-standards`): Apply to all coding tasks regardless of language +- **Domain** (`github`, `java`, `gradle`, `shell-script`, `testing`, `use-case-creator`): Apply by file type or tool context +- **Planning** (`iterative-development`, `skill-creator`): Apply when designing features or maintaining skills + +### Discoverability Index + +Use this table as the canonical routing guide when deciding which skill to load. + +| Skill | Scope | Activate When | Signals | +|-------|-------|---------------|---------| +| `session-init` | Git state verification at session start | Starting work in a repo session | "start work", "new session", "check branch" | +| `pull-request` | Commit, push, and PR lifecycle; addressing review feedback | Any repository file is created, modified, or deleted; PR review comments need addressing | "fix", "update", "add", "refactor", "address PR comments" | +| `commit-message` | Conventional commit and PR description formatting | Writing a commit message, PR title, or PR description | "write commit", "PR title", "PR description" | +| `coding-standards` | Cross-language coding principles and quality standards | Implementing or changing code in any language | "implement", "refactor", "bug", "error handling" | +| `github` | GitHub platform tools, APIs, and GraphQL queries | Querying or interacting with GitHub-hosted resources | "GitHub", "issue", "gh", "GraphQL" | +| `java` | Java language conventions and null-safety | Creating or modifying `.java` source files | `.java`, class, interface, record, enum | +| `gradle` | Gradle build system and dependency management | Editing Gradle build files or resolving dependency issues | `build.gradle.kts`, `settings.gradle.kts`, dependency | +| `shell-script` | Shell scripting for POSIX, Bash, and Zsh | Writing or editing shell scripts, functions, or shell config | `.sh`, `.zsh`, `.zshrc`, bash, zsh, pipeline | +| `testing` | Test philosophy, patterns, and anti-patterns | Adding, updating, debugging, or discussing tests | test, coverage, fixture, integration | +| `use-case-creator` | Use case specifications in Cockburn/AsciiDoc format | Writing or revising use cases and business behavior docs | use case, scenario, ubiquitous language | +| `iterative-development` | Iteration planning and domain model evolution | Scoping a feature, selecting an iteration, or refining design | iteration, vertical slice, domain model, risk | +| `skill-creator` | Creating and maintaining AI skill definitions | Working on `SKILL.md` files or skill trigger behavior | skill, frontmatter, trigger, discoverability | ## Development Workflow ### Making Changes 1. **Start with session-init skill** - Verify branch state before any work -2. **Apply domain-specific skills** as needed for the task +2. **Apply cross-cutting and domain-specific skills** as needed for the task 3. **Always use pull-request skill** when modifying files 4. **Follow commit-message skill** for commit/PR formatting +5. **Use the AI Discoverability Index above** when the correct skill is not obvious ### Formatting Skills @@ -126,43 +140,26 @@ yarn exec prettier --write skills//SKILL.md ### Creating New Skills -1. Create directory: `skills//` -2. Create `SKILL.md` with proper frontmatter (see `skill-creator` skill) -3. Add SPDX license comment after frontmatter -4. Run prettier to format -5. Follow pull-request workflow to submit +See the `skill-creator` skill for the full creation workflow and format contract. ## Code Style Guidelines -### For Java Projects (referenced skills) - -- Prefer `var` keyword over explicit types -- Prefer immutability (`final` fields, `record` classes, `List.of()`) -- Prefer package-private visibility over `private` (except fields) -- Use non-nullability by default with `@Nullable` for nullable types -- Avoid `internal` packages - use package-private instead -- Use builder pattern with `@Builder` from immutables library +See language-specific skills (`java`, `shell-script`) for detailed style guidance. ### For Skill Files -- Keep skills concise - they share context window -- Use clear, specific descriptions for triggers -- Put detailed info in references/, keep `SKILL.md` focused -- Fix broken commands immediately - skills are living documents +- Keep skills concise — they share context window with everything else +- Align description wording between `AGENTS.md` and each skill +- Add boundary notes when confusion with a related skill is likely +- Put detailed reference material in `references/`, keep `SKILL.md` focused ## Testing -Skills themselves don't have automated tests (they're documentation). However: - -- Skills should be validated for correct frontmatter format -- Prettier ensures consistent Markdown formatting -- Skills are tested by usage - if a skill's command doesn't work, update it immediately +Skills themselves don't have automated tests (they're documentation). They are +validated by correct frontmatter format and tested by usage — if a skill's +command doesn't work, update it immediately. -For testing strategies in code projects, see the `testing` skill which covers: -- Prefer sociable and integration tests over solitary unit tests -- Use real collaborators, not mocks -- Test observable behavior through public APIs -- Target 90%+ coverage +For testing strategies in code projects, see the `testing` skill. ## Pull Request Workflow diff --git a/skills/general-programming/SKILL.md b/skills/coding-standards/SKILL.md similarity index 63% rename from skills/general-programming/SKILL.md rename to skills/coding-standards/SKILL.md index d775924..7196ad3 100644 --- a/skills/general-programming/SKILL.md +++ b/skills/coding-standards/SKILL.md @@ -1,134 +1,22 @@ --- -name: general-programming -description: General programming principles and best practices that apply across all languages and tasks. Use for all coding tasks to ensure consistent quality and robustness. Consumed after session-init. -# SPDX-FileCopyrightText: Copyright © 2026 Caleb Cushing -# -# SPDX-License-Identifier: CC-BY-NC-SA-4.0 +name: coding-standards +description: | + ALWAYS apply when writing or modifying code in any language. Cross-cutting + principles for design, error handling, immutability, and quality that apply + alongside language-specific skills. --- -# General Programming Principles - -These principles apply to all programming tasks regardless of language or framework. - -## Rule 1: Never Ignore Errors - -**This is the most important rule.** Errors must never be silently ignored. Always handle errors explicitly by either: - -1. **Rethrowing** - Let the error propagate up the call stack if it cannot be handled at the current level -2. **Logging** - Log the error with sufficient context before continuing or aborting - -### Anti-patterns (Never Do This) - -**Empty catch blocks:** - -```java -// BAD - exception is silently lost -try { - riskyOperation(); -} catch (Exception e) { - // ignored -} -``` - -### Correct Approaches - -**Rethrow when you cannot handle it:** - -```java -// GOOD - rethrow to let caller handle -try { - riskyOperation(); -} catch (IOException e) { - throw new ApplicationException("Failed to process file", e); -} -``` - -**Log when you need to continue:** - -```java -// GOOD - log with context before continuing -try { - optionalCleanup(); -} catch (Exception e) { - log.warn("Cleanup failed for resource {}, continuing anyway", resourceId, e); -} -``` - -### Error Handling Decision Tree - -1. **Can you recover from this error?** - - Yes → Handle it and continue - - No → Go to step 2 - -2. **Should the caller know about this error?** - - Yes → Rethrow (possibly wrapped with more context) - - No → Go to step 3 - -3. **Is this an optional/non-critical operation?** - - Yes → Log at appropriate level and continue - - No → Log and terminate/rethrow - -## Rule 2: Always Run Tests - -Before considering any task complete, run the relevant tests. See the `testing` skill for detailed guidance on test philosophy and patterns. - -**Key principles:** - -- Prefer **sociable tests** (real collaborators) over **solitary tests** (mocks) -- Prefer **narrow integration tests** (test one integration point) over broad end-to-end tests -- Test observable behavior through public APIs, not implementation details -- Use stubs/fakes for external services; avoid mocks unless necessary - -**Coverage targets:** - -- Maintain high coverage (90%+) -- Trivial code (getters/setters) should be exercised by other tests, not explicitly tested -- If trivial code isn't covered, question whether it's needed (libraries may be an exception) - -## Rule 3: Prefer Immutability - -Prefer immutable objects and data structures where immutability doesn't reduce comprehension. - -**Benefits:** - -- Thread safety without synchronization -- Predictable behavior - no surprise state changes -- Easier to reason about code -- Fewer defensive copies needed - -**Examples:** - -```java -// GOOD - immutable record -public record Person(String name, int age) {} - -// GOOD - immutable collections -var items = List.of("a", "b", "c"); // Cannot be modified - -// GOOD - builder pattern for complex immutables -var config = Config.builder() - .timeout(Duration.ofSeconds(30)) - .retries(3) - .build(); -``` - -**Avoid setters** - Instead of anemic data objects with getters/setters, prefer domain-driven design with rich behavior: - -```java -// BAD - anemic object with setter -person.setStatus("APPROVED"); + -**When mutability is acceptable:** +# Coding Standards -- Performance-critical code where immutability causes measurable overhead -- Accumulators/builders during object construction -- Cases where it significantly reduces comprehension +These standards apply to all programming tasks regardless of language or framework. -## Rule 4: SOLID Design and Polymorphic Behavior +## Rule 1: SOLID Design and Polymorphic Behavior Design code that follows SOLID principles with a focus on polymorphic behavior: @@ -202,71 +90,117 @@ public void processPayment(PaymentMethod method, Amount amount) { If you follow these principles, your code will naturally be composable, clear, and aligned with the domain. -## Rule 5: Do Not Assume Synchronized State - -**Your local repository state may be stale.** The operator may merge PRs, change branches, or modify files outside your session. Never assume: +## Rule 2: Prefer Immutability -### Git/Repository Assumptions (Dangerous) +Prefer immutable objects and data structures where immutability doesn't reduce comprehension. -**Do not assume:** +**Benefits:** -- Your local `develop` (or default branch) is current with `origin` -- Files haven't changed since you last read them -- Branches you created are still valid (PRs may have been merged/closed) -- Your working directory is clean or as you left it +- Thread safety without synchronization +- Predictable behavior - no surprise state changes +- Easier to reason about code +- Fewer defensive copies needed -### Workspace Assumptions (Dangerous) +**Examples:** -**Do not assume exclusive access to:** +```java +// GOOD - immutable record +public record Person(String name, int age) {} -- The filesystem (other processes/agents may modify files) -- Environment variables (may change between invocations) -- Network ports (may be in use by other services) -- Running processes (state may not be what you expect) +// GOOD - immutable collections +var items = List.of("a", "b", "c"); // Cannot be modified -### Correct Approaches +// GOOD - builder pattern for complex immutables +var config = Config.builder() + .timeout(Duration.ofSeconds(30)) + .retries(3) + .build(); +``` -**Verify git state at session start:** +**Avoid setters** - Instead of anemic data objects with getters/setters, prefer domain-driven design with rich behavior: -```bash -# Always check if local HEAD is behind origin -git fetch origin -git status +```java +// BAD - anemic object with setter +person.setStatus("APPROVED"); -# Pull latest before starting work -git pull origin develop +// GOOD - tell, don't ask +person.approve(); ``` -**Don't assume file state persists:** +**When mutability is acceptable:** + +- Performance-critical code where immutability causes measurable overhead +- Accumulators/builders during object construction +- Cases where it significantly reduces comprehension + +## Rule 3: Never Ignore Errors + +Errors must never be silently ignored. Always handle errors explicitly by either: + +1. **Rethrowing** - Let the error propagate up the call stack if it cannot be handled at the current level +2. **Logging** - Log the error with sufficient context before continuing or aborting + +### Anti-patterns (Never Do This) + +**Empty catch blocks:** ```java -// BAD - assumes file hasn't changed since last read -private Config cachedConfig; // May be stale +// BAD - exception is silently lost +try { + riskyOperation(); +} catch (Exception e) { + // ignored +} +``` + +### Correct Approaches -// GOOD - read fresh when needed -public Config getConfig() { - return ConfigLoader.load("config.json"); // Always current +**Rethrow when you cannot handle it:** + +```java +// GOOD - rethrow to let caller handle +try { + riskyOperation(); +} catch (IOException e) { + throw new ApplicationException("Failed to process file", e); } ``` -**Explicitly verify external state:** +**Log when you need to continue:** -```bash -# Check if port is available before using -if ! lsof -i :8080 > /dev/null 2>&1; then - start_server_on_port 8080 -else - echo "Port 8080 is already in use" -fi +```java +// GOOD - log with context before continuing +try { + optionalCleanup(); +} catch (Exception e) { + log.warn("Cleanup failed for resource {}, continuing anyway", resourceId, e); +} ``` -**When uncertain, verify** rather than assuming state is as you left it. +### Error Handling Decision Tree + +1. **Can you recover from this error?** + - Yes → Handle it and continue + - No → Go to step 2 -## Rule 6: Use Libraries When Available +2. **Should the caller know about this error?** + - Yes → Rethrow (possibly wrapped with more context) + - No → Go to step 3 + +3. **Is this an optional/non-critical operation?** + - Yes → Log at appropriate level and continue + - No → Log and terminate/rethrow + +## Rule 4: Use Libraries When Available Before implementing new functionality, check if it's already provided by standard libraries or existing dependencies. **Prefer existing code over writing your own**, even for seemingly "trivial" functions. -## Rule 7: Code Quality Standards +## Rule 5: Code Quality Standards + +### Testing + +Before considering any task complete, run the relevant tests. See the `testing` +skill for test philosophy, patterns, and anti-patterns. ### Coverage Requirements @@ -313,23 +247,11 @@ public static User create(String email) { ### Self-Review Before Submitting -Before considering code complete: - -1. **Run all quality checks locally** - coverage, static analysis, formatting -2. **Review your own diff** - would you approve this if someone else wrote it? -3. **Check for obvious issues** - commented-out code, debug prints, TODOs without tickets -4. **Verify documentation** - is the why explained? Are complex parts clear? +See `pull-request` skill for the full self-review checklist before creating or +updating a PR. **Don't waste reviewer time on issues you could have caught yourself.** -## Shell Scripts - -When writing shell scripts: - -- Always verify with `shellcheck` for best practices, and fix any issues -- Format shell scripts with `shfmt` for consistent style -- Only write a POSIX-compliant shell script unless otherwise specified or in a shell-specific file such as `.zshrc` or files with extensions like `.bash` or `.zsh` - --- SPDX-FileCopyrightText: Copyright © 2026 Caleb Cushing diff --git a/skills/commit-message/SKILL.md b/skills/commit-message/SKILL.md index e3f4349..92931ba 100644 --- a/skills/commit-message/SKILL.md +++ b/skills/commit-message/SKILL.md @@ -1,11 +1,19 @@ --- name: commit-message -description: When you need to describe what code changes do - whether for a commit message or PR description. Reads the actual git diff to generate proper conventional commit format with type, scope, and summary. Use when writing commit messages, creating PR descriptions, or summarizing changes. -# SPDX-FileCopyrightText: Copyright © 2026 Caleb Cushing -# -# SPDX-License-Identifier: CC-BY-NC-SA-4.0 +description: | + Use when you need a commit message, PR title, or PR description that reflects + the actual changes. Reads the git diff to produce conventional commit output + with a clear subject, rationale, and summary of what changed. --- + + +# Commit Message + ## Instructions - Use for PR's or commit message's diff --git a/skills/github/SKILL.md b/skills/github/SKILL.md index 9652d9f..3c155b0 100644 --- a/skills/github/SKILL.md +++ b/skills/github/SKILL.md @@ -1,11 +1,23 @@ --- name: github -description: Interact with GitHub - repositories, issues, pull requests. Prefer MCP tools when available, fall back to GitHub CLI `gh` if not. -# SPDX-FileCopyrightText: Copyright © 2026 Caleb Cushing -# -# SPDX-License-Identifier: CC-BY-NC-SA-4.0 +description: | + Interact with GitHub repositories, issues, pull requests, review comments, and + GraphQL operations. Prefer MCP tools when available, then fall back to the + GitHub CLI `gh` for repository-hosted workflows. --- + + +# GitHub Skill + +This skill covers **GitHub platform tools and APIs** — MCP tools, the `gh` CLI, +and GraphQL queries. It is GitHub-specific; for commit/push/PR workflow +mechanics (which are platform-agnostic), use the `pull-request` skill instead. + ## Tool Priority 1. **Prefer MCP tools** - Use GitHub MCP tools when available (e.g., `pull_request_read`, `issue_write`) diff --git a/skills/gradle/SKILL.md b/skills/gradle/SKILL.md index 5ef4f83..dd6b25b 100644 --- a/skills/gradle/SKILL.md +++ b/skills/gradle/SKILL.md @@ -1,6 +1,9 @@ --- name: gradle -description: Working with Gradle build system and Kotlin DSL. Use when editing build.gradle.kts, settings.gradle.kts, gradle.properties, or any Gradle configuration files. Also use when analyzing dependencies, updating versions, or troubleshooting Gradle build issues. +description: | + Work with the Gradle build system and Kotlin DSL. Use when editing + `build.gradle.kts`, `settings.gradle.kts`, `gradle.properties`, lockfiles, + dependency versions, or troubleshooting Gradle build behavior. --- -**CRITICAL: This skill must ALWAYS be used whenever files are created, modified, or deleted, regardless of what other skills are also being applied.** +# Pull Request -**CRITICAL: Apply general-programming rules** - All code changes must follow the -rules in `general-programming` skill (error handling, tests, immutability, -libraries, code quality). Review your own code against these rules before -submitting. +**This skill applies whenever files are created, modified, or deleted.** -- use commit-message -- keep the pull request message up to date - - NOTE: The PR description becomes the commit message when the PR is squash-merged - - Follow the commit-message format for PR descriptions since they become permanent commit history - - DO NOT use checkboxes (`- [x]`) in PR descriptions - they render poorly in commit messages - - Use plain bullet lists (`- item`) instead of GitHub task lists +- Apply `coding-standards` rules — review your code against them before submitting +- Use `commit-message` skill for all commit messages and PR descriptions +- Keep the PR description up to date (it becomes the squash-merge commit message) + - Do NOT use checkboxes (`- [x]`) — use plain bullet lists (`- item`) - files should be committed and pushed - ensure code compiles and tests pass before committing - run relevant, specific tests first for quick feedback @@ -43,8 +36,8 @@ submitting. - verify GitHub PR checks pass after pushing - use available tools to check workflow status - fix any failures before requesting review - - if Github checks fail after pushing, fix before requesting review -- git push --force is not allowed + - if GitHub checks fail after pushing, fix before requesting review +- Do not rewrite remote history — `git push --force` and `git push --force-with-lease` are both banned - must be synchronized with HEAD branch using a merge strategy - it is easier to delete and regenerate lockfiles than merge them - respond to ALL pr comments. @@ -65,63 +58,36 @@ When committing and creating/updating a PR, follow this workflow: - Or run `git status` and `gh pr view --json number,url,headRefName,state` - Determine: current branch, existing PR status (OPEN/CLOSED/MERGED) -2. **Fetch and determine default branch:** - - Run `git fetch --all --prune` to update remotes and prune stale branches - - Get the default branch from `origin/HEAD`: - ```bash - DEFAULT_BRANCH=$(git rev-parse --abbrev-ref origin/HEAD | sed 's@^origin/@@') - ``` - -3. **Handle closed/merged PRs:** - - If the current branch has a CLOSED or MERGED PR, delete the local branch: - - `git checkout "$DEFAULT_BRANCH"` - - `git branch -D ` - - Then create a new branch off the updated HEAD for new work - -4. **Pull latest changes before starting work:** - - Run `git pull origin "$DEFAULT_BRANCH"` to get the latest changes - - This ensures you're working on the current state and not outdated code - - This also ensures you don't address review comments that are already resolved - -5. **If already on a feature branch with an existing OPEN PR:** +2. **Ensure branch is current** — see `session-init` for full startup checks: + - Fetch and prune: `git fetch --all --prune` + - If the current branch has a CLOSED or MERGED PR, switch to the default branch and create a new one + - Pull latest changes before starting work + +3. **If already on a feature branch with an existing OPEN PR:** - Do NOT create a new branch - Pull latest changes first - Commit changes to the current branch - Push to update the existing PR - Update PR description/title if needed using `gh pr edit` -6. **If on the default branch or no PR exists for current branch:** +4. **If on the default branch or no PR exists for current branch:** - Create a new feature branch (if not already on one) - Commit changes - Push and create a new PR -7. **Before finalizing:** +5. **Before finalizing:** - Review if documentation needs updates (README.md, AGENTS.md) - Ensure PR description accurately reflects all changes including doc updates ### Self-Review Before Submitting -Before creating or updating a PR, review your own code: - -1. **Run quality checks locally:** - - Tests pass with adequate coverage - - Static analysis passes (Checkstyle, SpotBugs, Error Prone, etc.) - - Code formatting is correct +Before creating or updating a PR: -2. **Review against general-programming rules:** - - Error handling is explicit (no silent catches) - - Immutability preferred where appropriate - - Existing libraries used instead of reinventing - - Code quality standards met (Rule 7) +1. Run quality checks locally (tests, static analysis, formatting) +2. Review your own diff — would you approve this if someone else wrote it? +3. Check for obvious issues (debug prints, TODOs without tickets, unjustified suppressions) -3. **Check for obvious issues:** - - No commented-out code or debug prints - - No TODOs without ticket references - - No suppressions without justification - -4. **Review the diff:** - - Would you approve this if someone else wrote it? - - Is the "why" clear from comments and documentation? +See `coding-standards` (Rule 5: Code Quality Standards) for the full checklist. **Fix issues yourself before requesting human review.** @@ -138,7 +104,7 @@ This repository uses **squash merge** for PRs. This means: - If develop has moved forward and you need those changes: `git merge origin/develop` - If review feedback requires changes: commit and push to same branch -- Avoid force push - repository rules may block it, and it's unnecessary with squash merge +- Never force push (including `--force-with-lease`) — it's unnecessary with squash merge and may be blocked by repository rules ## Creating/Updating PRs @@ -154,22 +120,11 @@ Follow conventional commit format for PR titles (they become the squash merge co - Keep title <= 72 characters - Use specific scope when possible -### Commit Message Rules - -When writing commit messages or PR descriptions: +### Commit Message and PR Body Format -- Output plain text only. No markdown fences. -- First line MUST be a valid Conventional Commit subject. -- Keep the FIRST line <= 72 characters. -- Use a specific scope when possible. -- Body (MANDATORY - must explain WHY): - - Start with a paragraph explaining WHY this change is being made - - The "why" provides context for future readers - - Explain the problem, motivation, or rationale - - Follow with bullet points explaining the main changes (WHAT) - - Each bullet must describe one complete logical change - - Do not split a single idea across multiple bullets - - Wrap lines to <= 72 chars +Follow the `commit-message` skill for commit message format, PR body structure, +and the mandatory "why" paragraph. PR descriptions become permanent commit +history via squash merge. ### Creating a New PR @@ -190,24 +145,6 @@ gh pr create --title "$TITLE" --body "- Bullet point describing change 1 gh pr edit --title "$TITLE" --body "- Updated bullet points" ``` -### PR Body Format (MANDATORY) - -PR description MUST include a body explaining the change: - -1. **Why paragraph (REQUIRED)** - Start with a paragraph explaining WHY this change exists: - - What problem does this solve? - - What motivated this change? - - Why is this the right approach? - - This context is crucial for code review and future maintainers - -2. **What bullets** - Follow with bullet points describing WHAT changed: - - Each bullet describes one complete logical change - - Be specific about what was modified - - Reference specific files or components if helpful - -- Wrap all lines to <= 72 characters -- Use plain bullet lists (`- item`) not checkboxes - ## Handling Review Comments When addressing review comments on a PR: diff --git a/skills/session-init/SKILL.md b/skills/session-init/SKILL.md index ab0a7f8..e193fb7 100644 --- a/skills/session-init/SKILL.md +++ b/skills/session-init/SKILL.md @@ -1,11 +1,17 @@ --- name: session-init -description: ALWAYS use this skill at the start of EVERY new session before any other work. This skill is always consumed first. Use when beginning work in a repository to verify the current branch state and ensure you're working from a clean, up-to-date foundation. -# SPDX-FileCopyrightText: Copyright © 2026 Caleb Cushing -# -# SPDX-License-Identifier: CC-BY-NC-SA-4.0 +description: | + ALWAYS use this skill at the start of EVERY new session before any other work. + Use when beginning work in a repository, verifying branch or PR state, + refreshing the default branch, or confirming you are on current code. --- + + # Session Initialization **CRITICAL: Run these checks IMMEDIATELY at session start, BEFORE any other actions.** @@ -143,6 +149,27 @@ The few seconds spent on these checks prevents: - Merge conflicts from stale branches - Duplicate work from outdated codebases +## Do Not Assume Synchronized State + +Your local state may be stale. The operator may merge PRs, change branches, or +modify files outside your session. + +### Do not assume: + +- Your local default branch is current with `origin` +- Files haven't changed since you last read them +- Branches you created are still valid (PRs may have been merged/closed) +- Your working directory is clean or as you left it + +### Do not assume exclusive access to: + +- The filesystem (other processes/agents may modify files) +- Environment variables (may change between invocations) +- Network ports (may be in use by other services) +- Running processes (state may not be what you expect) + +**When uncertain, verify** rather than assuming state is as you left it. + --- SPDX-FileCopyrightText: Copyright © 2026 Caleb Cushing diff --git a/skills/shell-script/SKILL.md b/skills/shell-script/SKILL.md new file mode 100644 index 0000000..233c68e --- /dev/null +++ b/skills/shell-script/SKILL.md @@ -0,0 +1,145 @@ +--- +name: shell-script +description: | + Write or modify shell scripts and command-line automation. Use when creating + or editing `.sh` files, shell functions, portable shell snippets, Zsh + configuration, or Bash pipelines, especially when quoting, error handling, + and safe command composition matter. +--- + + + +# Shell Script + +Guidance for writing safe, maintainable shell scripts and shell-based +automation. + +## When to Use This Skill + +Use this skill when: + +- Creating or editing `.sh` files +- Editing `.zsh`, `.zshrc`, or other Zsh-specific shell files +- Writing Bash functions, loops, or pipelines +- Writing Zsh functions, aliases, widgets, or completion helpers +- Automating CLI workflows with shell scripts +- Debugging quoting, expansion, or exit-status behavior + +## When NOT to Use This Skill + +Do **not** use this skill when: + +- Running a one-off command that does not require script design +- Editing application code in another language with only incidental shell usage +- Working only on GitHub workflows or build configuration where another skill is + the better primary match + +## Core Practices + +### 1. Match the Target Shell Explicitly + +Default to POSIX shell for `.sh` scripts unless Bash or Zsh is explicitly +specified or the file is clearly shell-specific. + +```sh +#!/bin/sh +set -eu +``` + +- Use POSIX-compatible syntax in `.sh` files by default +- Only switch to Bash-specific or Zsh-specific features when that shell is + explicitly requested or the file is clearly shell-specific +- Make the target shell obvious with the shebang and the constructs you choose + +When Bash is the right target, say so explicitly and then use Bash features +deliberately. + +```bash +#!/usr/bin/env bash +set -euo pipefail +``` + +When Zsh is the right target, say so explicitly and use Zsh features in +shell-specific files such as `.zshrc`, `.zsh`, or Zsh plugin/config files. + +```zsh +#!/usr/bin/env zsh +set -eu +``` + +### 2. Prefer Explicit Error Handling + +Fail early and make failure visible. + +- Use `set -eu` for POSIX shell unless you have a specific reason not to +- Use `set -euo pipefail` for Bash scripts unless you have a specific reason + not to +- Check command exit codes intentionally when partial failure is acceptable +- Print actionable error messages instead of silently ignoring failures + +### 3. Quote Expansions + +Quote variable expansions unless you intentionally need word splitting or glob +expansion. + +```bash +# GOOD +cp "$source_file" "$target_file" + +# BAD +cp $source_file $target_file +``` + +Prefer arrays over string-building for command arguments in Bash or Zsh. + +```bash +args=(--flag "$value" --output "$target") +command "${args[@]}" +``` + +For POSIX shell, prefer positional parameters or helper functions instead of +Bash/Zsh arrays. + +### 4. Keep Scripts Composable + +- Prefer small functions with a single responsibility +- Use descriptive function names +- Keep side effects close to the entrypoint +- Pass values explicitly instead of depending on ambient globals where possible + +### 5. Avoid Fragile Parsing + +- Prefer structured CLI output when available +- Avoid parsing human-oriented output with brittle `grep | awk | cut` chains if + a machine-readable flag exists +- Prefer `printf` over `echo` when formatting matters + +### 6. Clean Up Temporary State + +Use `mktemp` and `trap` for temporary files or directories. + +```bash +tmpdir="$(mktemp -d)" +trap 'rm -rf "$tmpdir"' EXIT +``` + +## Safety Notes + +- Do not use `eval` unless absolutely necessary and justified +- Avoid unbounded globs on user-controlled paths +- Prefer exact command invocation over dynamically constructed shell fragments +- Review commands for spaces, newlines, and special characters in input values +- Run `shellcheck` and `shfmt` when available +- Remember that Zsh startup files often optimize for interactive shell behavior, + so keep interactive customizations separate from portable script logic + +## Related Skills + +- `coding-standards` - broader design, testing, and quality guidance +- `github` - GitHub and GraphQL operations +- `pull-request` - committing, pushing, and PR updates for script changes +- `gradle` - Gradle build logic rather than shell automation diff --git a/skills/skill-creator/SKILL.md b/skills/skill-creator/SKILL.md index 43b1bf6..f0f3a39 100644 --- a/skills/skill-creator/SKILL.md +++ b/skills/skill-creator/SKILL.md @@ -1,6 +1,9 @@ --- name: skill-creator -description: Creating and maintaining AI skills for this project. Use when creating new skills, updating existing skills, or troubleshooting skill formatting issues. +description: | + Create and maintain AI skills for this project. Use when adding new skills, + updating existing `SKILL.md` files, fixing frontmatter, or improving skill + trigger wording and discoverability. --- + # Testing Guidelines for writing effective automated tests. diff --git a/skills/use-case-creator/SKILL.md b/skills/use-case-creator/SKILL.md index 3475575..7ca31c2 100644 --- a/skills/use-case-creator/SKILL.md +++ b/skills/use-case-creator/SKILL.md @@ -1,11 +1,17 @@ --- name: use-case-creator -description: Create and maintain use case specifications following Cockburn format with semantic anchors and ubiquitous language. Use when writing use cases, specifying requirements, or documenting system behavior. -# SPDX-FileCopyrightText: Copyright © 2026 Caleb Cushing -# -# SPDX-License-Identifier: CC-BY-NC-SA-4.0 +description: | + Create and maintain use case specifications following Cockburn format with + semantic anchors and ubiquitous language. Use when writing use cases, + specifying requirements, or documenting system behavior in AsciiDoc. --- + + # Use Case Creator Creates business-readable use cases that serve both human stakeholders and AI implementation. From c5d5611db9b15bb404ff11c0511d256722423d9e Mon Sep 17 00:00:00 2001 From: Caleb Cushing Date: Fri, 3 Apr 2026 17:05:38 -0400 Subject: [PATCH 3/3] chore: add project tooling and license compliance configuration (#11) Add comprehensive project configuration files including: - License files for CC-BY-NC-4.0, CC-BY-NC-SA-4.0, CC0-1.0, GPL-3.0-or-later, MIT - Git configuration (.gitattributes, .gitignore) - GitHub workflows for pre-commit checks and Renovate dependency management - Linting and formatting configuration (lint-staged, Prettier) - Package management setup (package.json, pyproject.toml, uv.lock, yarn.lock) - REUSE.toml for license compliance - git-conventional-commits.yaml for commit message conventions - Formatting improvements to AGENTS.md and skill documentation --- .gitattributes | 19 + .github/renovate.json5 | 63 +++ .github/workflows/pre-commit.yml | 14 + .gitignore | 168 ++++++++ .lintstagedrc.cjs | 52 +++ .prettierignore | 15 + .prettierrc.cjs | 17 + AGENTS.md | 30 +- LICENSES/CC-BY-NC-4.0.txt | 158 +++++++ LICENSES/CC-BY-NC-SA-4.0.txt | 170 ++++++++ LICENSES/CC0-1.0.txt | 121 ++++++ LICENSES/GPL-3.0-or-later.txt | 232 ++++++++++ LICENSES/MIT.txt | 18 + REUSE.toml | 41 ++ git-conventional-commits.yaml | 48 +++ package.json | 30 ++ package.json.license | 3 + pyproject.toml | 14 + skills/coding-standards/SKILL.md | 38 +- skills/java/SKILL.md | 9 +- skills/testing/SKILL.md | 80 ++-- uv.lock | 262 +++++++++++ yarn.lock | 717 +++++++++++++++++++++++++++++++ 23 files changed, 2245 insertions(+), 74 deletions(-) create mode 100644 .gitattributes create mode 100644 .github/renovate.json5 create mode 100644 .github/workflows/pre-commit.yml create mode 100644 .gitignore create mode 100644 .lintstagedrc.cjs create mode 100644 .prettierignore create mode 100644 .prettierrc.cjs create mode 100644 LICENSES/CC-BY-NC-4.0.txt create mode 100644 LICENSES/CC-BY-NC-SA-4.0.txt create mode 100644 LICENSES/CC0-1.0.txt create mode 100644 LICENSES/GPL-3.0-or-later.txt create mode 100644 LICENSES/MIT.txt create mode 100644 REUSE.toml create mode 100644 git-conventional-commits.yaml create mode 100644 package.json create mode 100644 package.json.license create mode 100644 pyproject.toml create mode 100644 uv.lock create mode 100644 yarn.lock diff --git a/.gitattributes b/.gitattributes new file mode 100644 index 0000000..7d926a9 --- /dev/null +++ b/.gitattributes @@ -0,0 +1,19 @@ +# SPDX-FileCopyrightText: Copyright © 2026 Caleb Cushing +# +# SPDX-License-Identifier: CC0-1.0 + +/.yarn/** linguist-vendored +/.yarn/releases/* binary +/.yarn/plugins/**/* binary +/.pnp.* binary linguist-generated +*.jar binary linguist-vendored +*.bat text eol=crlf linguist-vendored +*.cmd text eol=crlf linguist-vendored +/gradlew text eol=lf linguist-vendored +/mvnw text eol=lf linguist-vendored +**/*lockfile text linguist-generated +yarn.lock text linguist-generated + +# ours +*.sh text eol=lf +* text=auto eol=lf diff --git a/.github/renovate.json5 b/.github/renovate.json5 new file mode 100644 index 0000000..a4b4a04 --- /dev/null +++ b/.github/renovate.json5 @@ -0,0 +1,63 @@ +// SPDX-FileCopyrightText: Copyright © 2024-2026 Caleb Cushing +// +// SPDX-License-Identifier: CC0-1.0 + +{ + $schema: "https://docs.renovatebot.com/renovate-schema.json", + extends: ["config:recommended"], + dependencyDashboard: true, + timezone: "UTC", + platformAutomerge: true, + automergeStrategy: "squash", + // Rebase whenever PR falls behind base branch to keep them mergeable + rebaseWhen: "behind-base-branch", + // Subtrees are excluded - updates should be pulled via git subtree pull, not Renovate + // Squash merges break subtree history + ignorePaths: [".share/**", ".agents/**"], + // Remove the 'controls' section from PR body to avoid config noise in squash commits + prBodyTemplate: "{{{header}}}{{{table}}}{{{notes}}}{{{changelogs}}}{{{footer}}}", + hostRules: [ + { + hostType: "maven", + matchHost: "https://maven.pkg.github.com", + }, + ], + packageRules: [ + { + matchManagers: ["maven"], + matchUpdateTypes: ["major", "minor", "patch"], + automerge: true, + }, + { + // Python deps via uv: Run daily at 03:00 UTC (after update-java) + schedule: ["* 3 * * *"], + matchManagers: ["pep621"], + automerge: true, + }, + { + matchManagers: ["pyenv"], + automerge: true, + }, + { + matchManagers: ["github-actions"], + automerge: true, + }, + { + // Pin xenoterracide org actions to commit SHAs for build reproducibility + // Only these get digest pins; other actions get normal version tag updates + matchManagers: ["github-actions"], + matchDepNames: ["xenoterracide/**"], + automerge: true, + pinDigests: true, + }, + { + // Run every Wednesday + // Window: 04:00 UTC hour on Wednesday (Renovate cron uses '*' for minutes) + schedule: ["* 4 * * 3"], + matchManagers: ["npm", "asdf"], + groupName: "devDependencies", + matchUpdateTypes: ["minor", "patch", "pin"], + automerge: true, + }, + ], +} diff --git a/.github/workflows/pre-commit.yml b/.github/workflows/pre-commit.yml new file mode 100644 index 0000000..f86ba62 --- /dev/null +++ b/.github/workflows/pre-commit.yml @@ -0,0 +1,14 @@ +# SPDX-FileCopyrightText: Copyright © 2024-2026 Caleb Cushing +# +# SPDX-License-Identifier: CC0-1.0 +# SPDX-License-Identifier: MIT + +name: precommit +on: push +permissions: + contents: read +jobs: + license: + uses: xenoterracide/github/.github/workflows/license.yml@4b90dec8413886f0137c1cd21468a85fc993c7c4 # develop + prettier: + uses: xenoterracide/github/.github/workflows/prettier.yml@4b90dec8413886f0137c1cd21468a85fc993c7c4 # develop diff --git a/.gitignore b/.gitignore new file mode 100644 index 0000000..eeeeffe --- /dev/null +++ b/.gitignore @@ -0,0 +1,168 @@ +# SPDX-FileCopyrightText: Copyright © 2025, 2026 Caleb Cushing +# +# SPDX-License-Identifier: CC0-1.0 + +target/ +!.mvn/wrapper/maven-wrapper.jar +!**/src/main/**/target/ +!**/src/test/**/target/ + +### IntelliJ IDEA ### +.idea/modules.xml +.idea/jarRepositories.xml +.idea/compiler.xml +.idea/libraries/ +*.iws +*.iml +*.ipr + +### Eclipse ### +.apt_generated +.classpath +.factorypath +.project +.settings +.springBeans +.sts4-cache + +### NetBeans ### +/nbproject/private/ +/nbbuild/ +/dist/ +/nbdist/ +/.nb-gradle/ + +### VS Code ### +.vscode/ + +### Mac OS ### +.DS_Store + +### Node template +# Logs +logs +*.log +npm-debug.log* +yarn-debug.log* +yarn-error.log* +lerna-debug.log* +.pnpm-debug.log* + +# Diagnostic reports (https://nodejs.org/api/report.html) +report.[0-9]*.[0-9]*.[0-9]*.[0-9]*.json + +# Runtime data +pids +*.pid +*.seed +*.pid.lock + +# Directory for instrumented libs generated by jscoverage/JSCover +lib-cov + +# Coverage directory used by tools like istanbul +coverage +*.lcov + +# nyc test coverage +.nyc_output + +# Grunt intermediate storage (https://gruntjs.com/creating-plugins#storing-task-files) +.grunt + +# Bower dependency directory (https://bower.io/) +bower_components + +# node-waf configuration +.lock-wscript + +# Compiled binary addons (https://nodejs.org/api/addons.html) +build/Release + +# Dependency directories +node_modules/ +jspm_packages/ + +# Snowpack dependency directory (https://snowpack.dev/) +web_modules/ + +# TypeScript cache +*.tsbuildinfo + +# Optional npm cache directory +.npm + +# Optional eslint cache +.eslintcache + +# Optional stylelint cache +.stylelintcache + +# Microbundle cache +.rpt2_cache/ +.rts2_cache_cjs/ +.rts2_cache_es/ +.rts2_cache_umd/ + +# Optional REPL history +.node_repl_history + +# Output of 'npm pack' +*.tgz + +# Yarn Integrity file +.yarn-integrity + +# dotenv environment files +.env +.env.development.local +.env.test.local +.env.production.local +.env.local + +# parcel-bundler cache (https://parceljs.org/) +.cache +.parcel-cache + +# Next.js build output +.next +out + +# Nuxt.js build / generate output +.nuxt +dist + +# Gatsby files +.cache/ + +# vuepress build output +.vuepress/dist + +# vuepress v2.x temp and cache directory +.temp +.cache + +# Docusaurus cache and generated files +.docusaurus + +# Serverless directories +.serverless/ + +# FuseBox cache +.fusebox/ + +# DynamoDB Local files +.dynamodb/ + +# TernJS port file +.tern-port + +# Stores VSCode versions used for testing VSCode extensions +.vscode-test + +# yarn v2 +.yarn/cache +.yarn/unplugged +.yarn/build-state.yml +.yarn/install-state.gz +.pnp.* diff --git a/.lintstagedrc.cjs b/.lintstagedrc.cjs new file mode 100644 index 0000000..1ac2b6f --- /dev/null +++ b/.lintstagedrc.cjs @@ -0,0 +1,52 @@ +// SPDX-FileCopyrightText: Copyright © 2026 Caleb Cushing +// +// SPDX-License-Identifier: MIT + +const shfmt = "shfmt --write"; +const prettier = "prettier --cache --ignore-unknown --write"; +const reuse = "uv run --frozen --group dev reuse annotate"; +const copyright = "--copyright 'Caleb Cushing' --merge-copyrights"; +const symbol = "--copyright-prefix spdx-string-symbol"; + +const licenseCode = "--license 'GPL-3.0-or-later'"; +const licenseConfiguration = "--license 'CC0-1.0' --fallback-dot-license"; +const licenseDocumentation = "--license 'CC-BY-NC-SA-4.0"; +const licenseScripts = "--license 'MIT' --fallback-dot-license"; + +const withoutYarn = (files) => files.filter((file) => !file.includes("/.yarn/") && !file.startsWith(".yarn/")); + +const withFiles = (command, files) => `${command} ${files.map((file) => `"${file.replace(/"/g, '\\"')}"`).join(" ")}`; + +const run = (commands) => (files) => { + const filtered = withoutYarn(files); + + if (!filtered.length) { + return []; + } + + const cmds = Array.isArray(commands) ? commands : [commands]; + return cmds.map((command) => withFiles(command, filtered)); +}; + +module.exports = { + "!(package).json": run([`${reuse} ${copyright} ${symbol} ${licenseConfiguration}`, prettier]), + // package.json can contain logic via the scripts segment + "package.json": run([`${reuse} ${copyright} ${symbol} ${licenseScripts}`, prettier]), + "{.config/git/hooks/**,**/*.*sh}": run([`${reuse} ${copyright} ${symbol} ${licenseScripts} --style python`, shfmt]), + "*.adoc": run([`${reuse} ${copyright} ${symbol} ${licenseDocumentation}`, prettier]), + // don't run reuse for markdown in this repo because it doesn't deal with frontmatter properly + "*.md": run([prettier]), + "*.{xml,yaml,properties,toml,json5}": run([`${reuse} ${copyright} ${licenseConfiguration} ${symbol}`, prettier]), + // yml is different from yaml extension as the only known yaml required file is for git-conventional-commits, but yml + // contains files like GitHub workflows which can have significant logic + "*.{js,cjs,yml}": run([`${reuse} ${copyright} ${symbol} ${licenseScripts}`, prettier]), + ".{*ignore,editorconfig,gitattributes,mailmap}": run([ + `${reuse} ${copyright} ${symbol} ${licenseConfiguration}`, + prettier, + ]), + // JetBrains obnoxiously assume that properties files aren't utf8 by default, and so to avoid rendering issues we + // avoid adding the Unicode copyright symbol + "*.properties": run([`${reuse} ${copyright} ${licenseConfiguration}`, prettier]), + // code our real business logic lives in + "*.{ts,java}": run([`${reuse} ${copyright} ${symbol} ${licenseCode}`, prettier]), +}; diff --git a/.prettierignore b/.prettierignore new file mode 100644 index 0000000..5935adf --- /dev/null +++ b/.prettierignore @@ -0,0 +1,15 @@ +# SPDX-FileCopyrightText: Copyright © 2025, 2026 Caleb Cushing +# +# SPDX-License-Identifier: CC0-1.0 + +.agents/ +.share/ +.pnp.cjs +uv.lock +.venv/ +.yarn/ +node_modules/ +build/ +.idea/ +mvnw* +.mvn/wrapper/* diff --git a/.prettierrc.cjs b/.prettierrc.cjs new file mode 100644 index 0000000..0b36dd0 --- /dev/null +++ b/.prettierrc.cjs @@ -0,0 +1,17 @@ +// SPDX-FileCopyrightText: Copyright © 2025, 2026 Caleb Cushing +// +// SPDX-License-Identifier: CC0-1.0 +// SPDX-License-Identifier: MIT + +/** @type {import('prettier').Options} */ +module.exports = { + printWidth: 120, + xmlWhitespaceSensitivity: "ignore", + keySeparator: "=", + plugins: [ + require.resolve("@prettier/plugin-xml"), + require.resolve("prettier-plugin-properties"), + require.resolve("prettier-plugin-java"), + require.resolve("prettier-plugin-toml"), + ], +}; diff --git a/AGENTS.md b/AGENTS.md index 240b6dc..c4b541f 100644 --- a/AGENTS.md +++ b/AGENTS.md @@ -68,6 +68,7 @@ Content here... ``` **CRITICAL FORMATTING RULES:** + 1. `---` must be the VERY FIRST line in the file - no comments, no blank lines before 2. Frontmatter must include `name` and `description` fields 3. SPDX copyright comment goes AFTER frontmatter, in an HTML comment block @@ -76,6 +77,7 @@ Content here... ### How Skills Work Skills are recognized by Kimi when: + 1. File is named exactly `SKILL.md` 2. Located in `.agents/skills//` or `skills//` 3. Frontmatter is valid (starts with `---`) @@ -105,20 +107,20 @@ Skills fall into four activation categories: Use this table as the canonical routing guide when deciding which skill to load. -| Skill | Scope | Activate When | Signals | -|-------|-------|---------------|---------| -| `session-init` | Git state verification at session start | Starting work in a repo session | "start work", "new session", "check branch" | -| `pull-request` | Commit, push, and PR lifecycle; addressing review feedback | Any repository file is created, modified, or deleted; PR review comments need addressing | "fix", "update", "add", "refactor", "address PR comments" | -| `commit-message` | Conventional commit and PR description formatting | Writing a commit message, PR title, or PR description | "write commit", "PR title", "PR description" | -| `coding-standards` | Cross-language coding principles and quality standards | Implementing or changing code in any language | "implement", "refactor", "bug", "error handling" | -| `github` | GitHub platform tools, APIs, and GraphQL queries | Querying or interacting with GitHub-hosted resources | "GitHub", "issue", "gh", "GraphQL" | -| `java` | Java language conventions and null-safety | Creating or modifying `.java` source files | `.java`, class, interface, record, enum | -| `gradle` | Gradle build system and dependency management | Editing Gradle build files or resolving dependency issues | `build.gradle.kts`, `settings.gradle.kts`, dependency | -| `shell-script` | Shell scripting for POSIX, Bash, and Zsh | Writing or editing shell scripts, functions, or shell config | `.sh`, `.zsh`, `.zshrc`, bash, zsh, pipeline | -| `testing` | Test philosophy, patterns, and anti-patterns | Adding, updating, debugging, or discussing tests | test, coverage, fixture, integration | -| `use-case-creator` | Use case specifications in Cockburn/AsciiDoc format | Writing or revising use cases and business behavior docs | use case, scenario, ubiquitous language | -| `iterative-development` | Iteration planning and domain model evolution | Scoping a feature, selecting an iteration, or refining design | iteration, vertical slice, domain model, risk | -| `skill-creator` | Creating and maintaining AI skill definitions | Working on `SKILL.md` files or skill trigger behavior | skill, frontmatter, trigger, discoverability | +| Skill | Scope | Activate When | Signals | +| ----------------------- | ---------------------------------------------------------- | ---------------------------------------------------------------------------------------- | --------------------------------------------------------- | +| `session-init` | Git state verification at session start | Starting work in a repo session | "start work", "new session", "check branch" | +| `pull-request` | Commit, push, and PR lifecycle; addressing review feedback | Any repository file is created, modified, or deleted; PR review comments need addressing | "fix", "update", "add", "refactor", "address PR comments" | +| `commit-message` | Conventional commit and PR description formatting | Writing a commit message, PR title, or PR description | "write commit", "PR title", "PR description" | +| `coding-standards` | Cross-language coding principles and quality standards | Implementing or changing code in any language | "implement", "refactor", "bug", "error handling" | +| `github` | GitHub platform tools, APIs, and GraphQL queries | Querying or interacting with GitHub-hosted resources | "GitHub", "issue", "gh", "GraphQL" | +| `java` | Java language conventions and null-safety | Creating or modifying `.java` source files | `.java`, class, interface, record, enum | +| `gradle` | Gradle build system and dependency management | Editing Gradle build files or resolving dependency issues | `build.gradle.kts`, `settings.gradle.kts`, dependency | +| `shell-script` | Shell scripting for POSIX, Bash, and Zsh | Writing or editing shell scripts, functions, or shell config | `.sh`, `.zsh`, `.zshrc`, bash, zsh, pipeline | +| `testing` | Test philosophy, patterns, and anti-patterns | Adding, updating, debugging, or discussing tests | test, coverage, fixture, integration | +| `use-case-creator` | Use case specifications in Cockburn/AsciiDoc format | Writing or revising use cases and business behavior docs | use case, scenario, ubiquitous language | +| `iterative-development` | Iteration planning and domain model evolution | Scoping a feature, selecting an iteration, or refining design | iteration, vertical slice, domain model, risk | +| `skill-creator` | Creating and maintaining AI skill definitions | Working on `SKILL.md` files or skill trigger behavior | skill, frontmatter, trigger, discoverability | ## Development Workflow diff --git a/LICENSES/CC-BY-NC-4.0.txt b/LICENSES/CC-BY-NC-4.0.txt new file mode 100644 index 0000000..340cf0c --- /dev/null +++ b/LICENSES/CC-BY-NC-4.0.txt @@ -0,0 +1,158 @@ +Creative Commons Attribution-NonCommercial 4.0 International + + Creative Commons Corporation (“Creative Commons”) is not a law firm and does not provide legal services or legal advice. Distribution of Creative Commons public licenses does not create a lawyer-client or other relationship. Creative Commons makes its licenses and related information available on an “as-is” basis. Creative Commons gives no warranties regarding its licenses, any material licensed under their terms and conditions, or any related information. Creative Commons disclaims all liability for damages resulting from their use to the fullest extent possible. + +Using Creative Commons Public Licenses + +Creative Commons public licenses provide a standard set of terms and conditions that creators and other rights holders may use to share original works of authorship and other material subject to copyright and certain other rights specified in the public license below. The following considerations are for informational purposes only, are not exhaustive, and do not form part of our licenses. + +Considerations for licensors: Our public licenses are intended for use by those authorized to give the public permission to use material in ways otherwise restricted by copyright and certain other rights. Our licenses are irrevocable. Licensors should read and understand the terms and conditions of the license they choose before applying it. Licensors should also secure all rights necessary before applying our licenses so that the public can reuse the material as expected. Licensors should clearly mark any material not subject to the license. This includes other CC-licensed material, or material used under an exception or limitation to copyright. More considerations for licensors. + +Considerations for the public: By using one of our public licenses, a licensor grants the public permission to use the licensed material under specified terms and conditions. If the licensor’s permission is not necessary for any reason–for example, because of any applicable exception or limitation to copyright–then that use is not regulated by the license. Our licenses grant only permissions under copyright and certain other rights that a licensor has authority to grant. Use of the licensed material may still be restricted for other reasons, including because others have copyright or other rights in the material. A licensor may make special requests, such as asking that all changes be marked or described. Although not required by our licenses, you are encouraged to respect those requests where reasonable. More considerations for the public. + +Creative Commons Attribution-NonCommercial 4.0 International Public License + +By exercising the Licensed Rights (defined below), You accept and agree to be bound by the terms and conditions of this Creative Commons Attribution-NonCommercial 4.0 International Public License ("Public License"). To the extent this Public License may be interpreted as a contract, You are granted the Licensed Rights in consideration of Your acceptance of these terms and conditions, and the Licensor grants You such rights in consideration of benefits the Licensor receives from making the Licensed Material available under these terms and conditions. + +Section 1 – Definitions. + + a. Adapted Material means material subject to Copyright and Similar Rights that is derived from or based upon the Licensed Material and in which the Licensed Material is translated, altered, arranged, transformed, or otherwise modified in a manner requiring permission under the Copyright and Similar Rights held by the Licensor. For purposes of this Public License, where the Licensed Material is a musical work, performance, or sound recording, Adapted Material is always produced where the Licensed Material is synched in timed relation with a moving image. + + b. Adapter's License means the license You apply to Your Copyright and Similar Rights in Your contributions to Adapted Material in accordance with the terms and conditions of this Public License. + + c. Copyright and Similar Rights means copyright and/or similar rights closely related to copyright including, without limitation, performance, broadcast, sound recording, and Sui Generis Database Rights, without regard to how the rights are labeled or categorized. For purposes of this Public License, the rights specified in Section 2(b)(1)-(2) are not Copyright and Similar Rights. + + d. Effective Technological Measures means those measures that, in the absence of proper authority, may not be circumvented under laws fulfilling obligations under Article 11 of the WIPO Copyright Treaty adopted on December 20, 1996, and/or similar international agreements. + + e. Exceptions and Limitations means fair use, fair dealing, and/or any other exception or limitation to Copyright and Similar Rights that applies to Your use of the Licensed Material. + + f. Licensed Material means the artistic or literary work, database, or other material to which the Licensor applied this Public License. + + g. Licensed Rights means the rights granted to You subject to the terms and conditions of this Public License, which are limited to all Copyright and Similar Rights that apply to Your use of the Licensed Material and that the Licensor has authority to license. + + h. Licensor means the individual(s) or entity(ies) granting rights under this Public License. + + i. NonCommercial means not primarily intended for or directed towards commercial advantage or monetary compensation. For purposes of this Public License, the exchange of the Licensed Material for other material subject to Copyright and Similar Rights by digital file-sharing or similar means is NonCommercial provided there is no payment of monetary compensation in connection with the exchange. + + j. Share means to provide material to the public by any means or process that requires permission under the Licensed Rights, such as reproduction, public display, public performance, distribution, dissemination, communication, or importation, and to make material available to the public including in ways that members of the public may access the material from a place and at a time individually chosen by them. + + k. Sui Generis Database Rights means rights other than copyright resulting from Directive 96/9/EC of the European Parliament and of the Council of 11 March 1996 on the legal protection of databases, as amended and/or succeeded, as well as other essentially equivalent rights anywhere in the world. + + l. You means the individual or entity exercising the Licensed Rights under this Public License. Your has a corresponding meaning. + +Section 2 – Scope. + + a. License grant. + + 1. Subject to the terms and conditions of this Public License, the Licensor hereby grants You a worldwide, royalty-free, non-sublicensable, non-exclusive, irrevocable license to exercise the Licensed Rights in the Licensed Material to: + + A. reproduce and Share the Licensed Material, in whole or in part, for NonCommercial purposes only; and + + B. produce, reproduce, and Share Adapted Material for NonCommercial purposes only. + + 2. Exceptions and Limitations. For the avoidance of doubt, where Exceptions and Limitations apply to Your use, this Public License does not apply, and You do not need to comply with its terms and conditions. + + 3. Term. The term of this Public License is specified in Section 6(a). + + 4. Media and formats; technical modifications allowed. The Licensor authorizes You to exercise the Licensed Rights in all media and formats whether now known or hereafter created, and to make technical modifications necessary to do so. The Licensor waives and/or agrees not to assert any right or authority to forbid You from making technical modifications necessary to exercise the Licensed Rights, including technical modifications necessary to circumvent Effective Technological Measures. For purposes of this Public License, simply making modifications authorized by this Section 2(a)(4) never produces Adapted Material. + + 5. Downstream recipients. + + A. Offer from the Licensor – Licensed Material. Every recipient of the Licensed Material automatically receives an offer from the Licensor to exercise the Licensed Rights under the terms and conditions of this Public License. + + B. No downstream restrictions. You may not offer or impose any additional or different terms or conditions on, or apply any Effective Technological Measures to, the Licensed Material if doing so restricts exercise of the Licensed Rights by any recipient of the Licensed Material. + + 6. No endorsement. Nothing in this Public License constitutes or may be construed as permission to assert or imply that You are, or that Your use of the Licensed Material is, connected with, or sponsored, endorsed, or granted official status by, the Licensor or others designated to receive attribution as provided in Section 3(a)(1)(A)(i). + + b. Other rights. + + 1. Moral rights, such as the right of integrity, are not licensed under this Public License, nor are publicity, privacy, and/or other similar personality rights; however, to the extent possible, the Licensor waives and/or agrees not to assert any such rights held by the Licensor to the limited extent necessary to allow You to exercise the Licensed Rights, but not otherwise. + + 2. Patent and trademark rights are not licensed under this Public License. + + 3. To the extent possible, the Licensor waives any right to collect royalties from You for the exercise of the Licensed Rights, whether directly or through a collecting society under any voluntary or waivable statutory or compulsory licensing scheme. In all other cases the Licensor expressly reserves any right to collect such royalties, including when the Licensed Material is used other than for NonCommercial purposes. + +Section 3 – License Conditions. + +Your exercise of the Licensed Rights is expressly made subject to the following conditions. + + a. Attribution. + + 1. If You Share the Licensed Material (including in modified form), You must: + + A. retain the following if it is supplied by the Licensor with the Licensed Material: + + i. identification of the creator(s) of the Licensed Material and any others designated to receive attribution, in any reasonable manner requested by the Licensor (including by pseudonym if designated); + + ii. a copyright notice; + + iii. a notice that refers to this Public License; + + iv. a notice that refers to the disclaimer of warranties; + + v. a URI or hyperlink to the Licensed Material to the extent reasonably practicable; + + B. indicate if You modified the Licensed Material and retain an indication of any previous modifications; and + + C. indicate the Licensed Material is licensed under this Public License, and include the text of, or the URI or hyperlink to, this Public License. + + 2. You may satisfy the conditions in Section 3(a)(1) in any reasonable manner based on the medium, means, and context in which You Share the Licensed Material. For example, it may be reasonable to satisfy the conditions by providing a URI or hyperlink to a resource that includes the required information. + + 3. If requested by the Licensor, You must remove any of the information required by Section 3(a)(1)(A) to the extent reasonably practicable. + + 4. If You Share Adapted Material You produce, the Adapter's License You apply must not prevent recipients of the Adapted Material from complying with this Public License. + +Section 4 – Sui Generis Database Rights. + +Where the Licensed Rights include Sui Generis Database Rights that apply to Your use of the Licensed Material: + + a. for the avoidance of doubt, Section 2(a)(1) grants You the right to extract, reuse, reproduce, and Share all or a substantial portion of the contents of the database for NonCommercial purposes only; + + b. if You include all or a substantial portion of the database contents in a database in which You have Sui Generis Database Rights, then the database in which You have Sui Generis Database Rights (but not its individual contents) is Adapted Material; and + + c. You must comply with the conditions in Section 3(a) if You Share all or a substantial portion of the contents of the database. +For the avoidance of doubt, this Section 4 supplements and does not replace Your obligations under this Public License where the Licensed Rights include other Copyright and Similar Rights. + +Section 5 – Disclaimer of Warranties and Limitation of Liability. + + a. Unless otherwise separately undertaken by the Licensor, to the extent possible, the Licensor offers the Licensed Material as-is and as-available, and makes no representations or warranties of any kind concerning the Licensed Material, whether express, implied, statutory, or other. This includes, without limitation, warranties of title, merchantability, fitness for a particular purpose, non-infringement, absence of latent or other defects, accuracy, or the presence or absence of errors, whether or not known or discoverable. Where disclaimers of warranties are not allowed in full or in part, this disclaimer may not apply to You. + + b. To the extent possible, in no event will the Licensor be liable to You on any legal theory (including, without limitation, negligence) or otherwise for any direct, special, indirect, incidental, consequential, punitive, exemplary, or other losses, costs, expenses, or damages arising out of this Public License or use of the Licensed Material, even if the Licensor has been advised of the possibility of such losses, costs, expenses, or damages. Where a limitation of liability is not allowed in full or in part, this limitation may not apply to You. + + c. The disclaimer of warranties and limitation of liability provided above shall be interpreted in a manner that, to the extent possible, most closely approximates an absolute disclaimer and waiver of all liability. + +Section 6 – Term and Termination. + + a. This Public License applies for the term of the Copyright and Similar Rights licensed here. However, if You fail to comply with this Public License, then Your rights under this Public License terminate automatically. + + b. Where Your right to use the Licensed Material has terminated under Section 6(a), it reinstates: + + 1. automatically as of the date the violation is cured, provided it is cured within 30 days of Your discovery of the violation; or + + 2. upon express reinstatement by the Licensor. + + For the avoidance of doubt, this Section 6(b) does not affect any right the Licensor may have to seek remedies for Your violations of this Public License. + + c. For the avoidance of doubt, the Licensor may also offer the Licensed Material under separate terms or conditions or stop distributing the Licensed Material at any time; however, doing so will not terminate this Public License. + + d. Sections 1, 5, 6, 7, and 8 survive termination of this Public License. + +Section 7 – Other Terms and Conditions. + + a. The Licensor shall not be bound by any additional or different terms or conditions communicated by You unless expressly agreed. + + b. Any arrangements, understandings, or agreements regarding the Licensed Material not stated herein are separate from and independent of the terms and conditions of this Public License. + +Section 8 – Interpretation. + + a. For the avoidance of doubt, this Public License does not, and shall not be interpreted to, reduce, limit, restrict, or impose conditions on any use of the Licensed Material that could lawfully be made without permission under this Public License. + + b. To the extent possible, if any provision of this Public License is deemed unenforceable, it shall be automatically reformed to the minimum extent necessary to make it enforceable. If the provision cannot be reformed, it shall be severed from this Public License without affecting the enforceability of the remaining terms and conditions. + + c. No term or condition of this Public License will be waived and no failure to comply consented to unless expressly agreed to by the Licensor. + + d. Nothing in this Public License constitutes or may be interpreted as a limitation upon, or waiver of, any privileges and immunities that apply to the Licensor or You, including from the legal processes of any jurisdiction or authority. + +Creative Commons is not a party to its public licenses. Notwithstanding, Creative Commons may elect to apply one of its public licenses to material it publishes and in those instances will be considered the “Licensor.” Except for the limited purpose of indicating that material is shared under a Creative Commons public license or as otherwise permitted by the Creative Commons policies published at creativecommons.org/policies, Creative Commons does not authorize the use of the trademark “Creative Commons” or any other trademark or logo of Creative Commons without its prior written consent including, without limitation, in connection with any unauthorized modifications to any of its public licenses or any other arrangements, understandings, or agreements concerning use of licensed material. For the avoidance of doubt, this paragraph does not form part of the public licenses. + +Creative Commons may be contacted at creativecommons.org. diff --git a/LICENSES/CC-BY-NC-SA-4.0.txt b/LICENSES/CC-BY-NC-SA-4.0.txt new file mode 100644 index 0000000..baee873 --- /dev/null +++ b/LICENSES/CC-BY-NC-SA-4.0.txt @@ -0,0 +1,170 @@ +Creative Commons Attribution-NonCommercial-ShareAlike 4.0 International + + Creative Commons Corporation (“Creative Commons”) is not a law firm and does not provide legal services or legal advice. Distribution of Creative Commons public licenses does not create a lawyer-client or other relationship. Creative Commons makes its licenses and related information available on an “as-is” basis. Creative Commons gives no warranties regarding its licenses, any material licensed under their terms and conditions, or any related information. Creative Commons disclaims all liability for damages resulting from their use to the fullest extent possible. + +Using Creative Commons Public Licenses + +Creative Commons public licenses provide a standard set of terms and conditions that creators and other rights holders may use to share original works of authorship and other material subject to copyright and certain other rights specified in the public license below. The following considerations are for informational purposes only, are not exhaustive, and do not form part of our licenses. + +Considerations for licensors: Our public licenses are intended for use by those authorized to give the public permission to use material in ways otherwise restricted by copyright and certain other rights. Our licenses are irrevocable. Licensors should read and understand the terms and conditions of the license they choose before applying it. Licensors should also secure all rights necessary before applying our licenses so that the public can reuse the material as expected. Licensors should clearly mark any material not subject to the license. This includes other CC-licensed material, or material used under an exception or limitation to copyright. More considerations for licensors. + +Considerations for the public: By using one of our public licenses, a licensor grants the public permission to use the licensed material under specified terms and conditions. If the licensor’s permission is not necessary for any reason–for example, because of any applicable exception or limitation to copyright–then that use is not regulated by the license. Our licenses grant only permissions under copyright and certain other rights that a licensor has authority to grant. Use of the licensed material may still be restricted for other reasons, including because others have copyright or other rights in the material. A licensor may make special requests, such as asking that all changes be marked or described. Although not required by our licenses, you are encouraged to respect those requests where reasonable. More considerations for the public. + +Creative Commons Attribution-NonCommercial-ShareAlike 4.0 International Public License + +By exercising the Licensed Rights (defined below), You accept and agree to be bound by the terms and conditions of this Creative Commons Attribution-NonCommercial-ShareAlike 4.0 International Public License ("Public License"). To the extent this Public License may be interpreted as a contract, You are granted the Licensed Rights in consideration of Your acceptance of these terms and conditions, and the Licensor grants You such rights in consideration of benefits the Licensor receives from making the Licensed Material available under these terms and conditions. + +Section 1 – Definitions. + + a. Adapted Material means material subject to Copyright and Similar Rights that is derived from or based upon the Licensed Material and in which the Licensed Material is translated, altered, arranged, transformed, or otherwise modified in a manner requiring permission under the Copyright and Similar Rights held by the Licensor. For purposes of this Public License, where the Licensed Material is a musical work, performance, or sound recording, Adapted Material is always produced where the Licensed Material is synched in timed relation with a moving image. + + b. Adapter's License means the license You apply to Your Copyright and Similar Rights in Your contributions to Adapted Material in accordance with the terms and conditions of this Public License. + + c. BY-NC-SA Compatible License means a license listed at creativecommons.org/compatiblelicenses, approved by Creative Commons as essentially the equivalent of this Public License. + + d. Copyright and Similar Rights means copyright and/or similar rights closely related to copyright including, without limitation, performance, broadcast, sound recording, and Sui Generis Database Rights, without regard to how the rights are labeled or categorized. For purposes of this Public License, the rights specified in Section 2(b)(1)-(2) are not Copyright and Similar Rights. + + e. Effective Technological Measures means those measures that, in the absence of proper authority, may not be circumvented under laws fulfilling obligations under Article 11 of the WIPO Copyright Treaty adopted on December 20, 1996, and/or similar international agreements. + + f. Exceptions and Limitations means fair use, fair dealing, and/or any other exception or limitation to Copyright and Similar Rights that applies to Your use of the Licensed Material. + + g. License Elements means the license attributes listed in the name of a Creative Commons Public License. The License Elements of this Public License are Attribution, NonCommercial, and ShareAlike. + + h. Licensed Material means the artistic or literary work, database, or other material to which the Licensor applied this Public License. + + i. Licensed Rights means the rights granted to You subject to the terms and conditions of this Public License, which are limited to all Copyright and Similar Rights that apply to Your use of the Licensed Material and that the Licensor has authority to license. + + j. Licensor means the individual(s) or entity(ies) granting rights under this Public License. + + k. NonCommercial means not primarily intended for or directed towards commercial advantage or monetary compensation. For purposes of this Public License, the exchange of the Licensed Material for other material subject to Copyright and Similar Rights by digital file-sharing or similar means is NonCommercial provided there is no payment of monetary compensation in connection with the exchange. + + l. Share means to provide material to the public by any means or process that requires permission under the Licensed Rights, such as reproduction, public display, public performance, distribution, dissemination, communication, or importation, and to make material available to the public including in ways that members of the public may access the material from a place and at a time individually chosen by them. + + m. Sui Generis Database Rights means rights other than copyright resulting from Directive 96/9/EC of the European Parliament and of the Council of 11 March 1996 on the legal protection of databases, as amended and/or succeeded, as well as other essentially equivalent rights anywhere in the world. + + n. You means the individual or entity exercising the Licensed Rights under this Public License. Your has a corresponding meaning. + +Section 2 – Scope. + + a. License grant. + + 1. Subject to the terms and conditions of this Public License, the Licensor hereby grants You a worldwide, royalty-free, non-sublicensable, non-exclusive, irrevocable license to exercise the Licensed Rights in the Licensed Material to: + + A. reproduce and Share the Licensed Material, in whole or in part, for NonCommercial purposes only; and + + B. produce, reproduce, and Share Adapted Material for NonCommercial purposes only. + + 2. Exceptions and Limitations. For the avoidance of doubt, where Exceptions and Limitations apply to Your use, this Public License does not apply, and You do not need to comply with its terms and conditions. + + 3. Term. The term of this Public License is specified in Section 6(a). + + 4. Media and formats; technical modifications allowed. The Licensor authorizes You to exercise the Licensed Rights in all media and formats whether now known or hereafter created, and to make technical modifications necessary to do so. The Licensor waives and/or agrees not to assert any right or authority to forbid You from making technical modifications necessary to exercise the Licensed Rights, including technical modifications necessary to circumvent Effective Technological Measures. For purposes of this Public License, simply making modifications authorized by this Section 2(a)(4) never produces Adapted Material. + + 5. Downstream recipients. + + A. Offer from the Licensor – Licensed Material. Every recipient of the Licensed Material automatically receives an offer from the Licensor to exercise the Licensed Rights under the terms and conditions of this Public License. + + B. Additional offer from the Licensor – Adapted Material. Every recipient of Adapted Material from You automatically receives an offer from the Licensor to exercise the Licensed Rights in the Adapted Material under the conditions of the Adapter’s License You apply. + + C. No downstream restrictions. You may not offer or impose any additional or different terms or conditions on, or apply any Effective Technological Measures to, the Licensed Material if doing so restricts exercise of the Licensed Rights by any recipient of the Licensed Material. + + 6. No endorsement. Nothing in this Public License constitutes or may be construed as permission to assert or imply that You are, or that Your use of the Licensed Material is, connected with, or sponsored, endorsed, or granted official status by, the Licensor or others designated to receive attribution as provided in Section 3(a)(1)(A)(i). + + b. Other rights. + + 1. Moral rights, such as the right of integrity, are not licensed under this Public License, nor are publicity, privacy, and/or other similar personality rights; however, to the extent possible, the Licensor waives and/or agrees not to assert any such rights held by the Licensor to the limited extent necessary to allow You to exercise the Licensed Rights, but not otherwise. + + 2. Patent and trademark rights are not licensed under this Public License. + + 3. To the extent possible, the Licensor waives any right to collect royalties from You for the exercise of the Licensed Rights, whether directly or through a collecting society under any voluntary or waivable statutory or compulsory licensing scheme. In all other cases the Licensor expressly reserves any right to collect such royalties, including when the Licensed Material is used other than for NonCommercial purposes. + +Section 3 – License Conditions. + +Your exercise of the Licensed Rights is expressly made subject to the following conditions. + + a. Attribution. + + 1. If You Share the Licensed Material (including in modified form), You must: + + A. retain the following if it is supplied by the Licensor with the Licensed Material: + + i. identification of the creator(s) of the Licensed Material and any others designated to receive attribution, in any reasonable manner requested by the Licensor (including by pseudonym if designated); + + ii. a copyright notice; + + iii. a notice that refers to this Public License; + + iv. a notice that refers to the disclaimer of warranties; + + v. a URI or hyperlink to the Licensed Material to the extent reasonably practicable; + + B. indicate if You modified the Licensed Material and retain an indication of any previous modifications; and + + C. indicate the Licensed Material is licensed under this Public License, and include the text of, or the URI or hyperlink to, this Public License. + + 2. You may satisfy the conditions in Section 3(a)(1) in any reasonable manner based on the medium, means, and context in which You Share the Licensed Material. For example, it may be reasonable to satisfy the conditions by providing a URI or hyperlink to a resource that includes the required information. + + 3. If requested by the Licensor, You must remove any of the information required by Section 3(a)(1)(A) to the extent reasonably practicable. + + b. ShareAlike.In addition to the conditions in Section 3(a), if You Share Adapted Material You produce, the following conditions also apply. + + 1. The Adapter’s License You apply must be a Creative Commons license with the same License Elements, this version or later, or a BY-NC-SA Compatible License. + + 2. You must include the text of, or the URI or hyperlink to, the Adapter's License You apply. You may satisfy this condition in any reasonable manner based on the medium, means, and context in which You Share Adapted Material. + + 3. You may not offer or impose any additional or different terms or conditions on, or apply any Effective Technological Measures to, Adapted Material that restrict exercise of the rights granted under the Adapter's License You apply. + +Section 4 – Sui Generis Database Rights. + +Where the Licensed Rights include Sui Generis Database Rights that apply to Your use of the Licensed Material: + + a. for the avoidance of doubt, Section 2(a)(1) grants You the right to extract, reuse, reproduce, and Share all or a substantial portion of the contents of the database for NonCommercial purposes only; + + b. if You include all or a substantial portion of the database contents in a database in which You have Sui Generis Database Rights, then the database in which You have Sui Generis Database Rights (but not its individual contents) is Adapted Material, including for purposes of Section 3(b); and + + c. You must comply with the conditions in Section 3(a) if You Share all or a substantial portion of the contents of the database. +For the avoidance of doubt, this Section 4 supplements and does not replace Your obligations under this Public License where the Licensed Rights include other Copyright and Similar Rights. + +Section 5 – Disclaimer of Warranties and Limitation of Liability. + + a. Unless otherwise separately undertaken by the Licensor, to the extent possible, the Licensor offers the Licensed Material as-is and as-available, and makes no representations or warranties of any kind concerning the Licensed Material, whether express, implied, statutory, or other. This includes, without limitation, warranties of title, merchantability, fitness for a particular purpose, non-infringement, absence of latent or other defects, accuracy, or the presence or absence of errors, whether or not known or discoverable. Where disclaimers of warranties are not allowed in full or in part, this disclaimer may not apply to You. + + b. To the extent possible, in no event will the Licensor be liable to You on any legal theory (including, without limitation, negligence) or otherwise for any direct, special, indirect, incidental, consequential, punitive, exemplary, or other losses, costs, expenses, or damages arising out of this Public License or use of the Licensed Material, even if the Licensor has been advised of the possibility of such losses, costs, expenses, or damages. Where a limitation of liability is not allowed in full or in part, this limitation may not apply to You. + + c. The disclaimer of warranties and limitation of liability provided above shall be interpreted in a manner that, to the extent possible, most closely approximates an absolute disclaimer and waiver of all liability. + +Section 6 – Term and Termination. + + a. This Public License applies for the term of the Copyright and Similar Rights licensed here. However, if You fail to comply with this Public License, then Your rights under this Public License terminate automatically. + + b. Where Your right to use the Licensed Material has terminated under Section 6(a), it reinstates: + + 1. automatically as of the date the violation is cured, provided it is cured within 30 days of Your discovery of the violation; or + + 2. upon express reinstatement by the Licensor. + + For the avoidance of doubt, this Section 6(b) does not affect any right the Licensor may have to seek remedies for Your violations of this Public License. + + c. For the avoidance of doubt, the Licensor may also offer the Licensed Material under separate terms or conditions or stop distributing the Licensed Material at any time; however, doing so will not terminate this Public License. + + d. Sections 1, 5, 6, 7, and 8 survive termination of this Public License. + +Section 7 – Other Terms and Conditions. + + a. The Licensor shall not be bound by any additional or different terms or conditions communicated by You unless expressly agreed. + + b. Any arrangements, understandings, or agreements regarding the Licensed Material not stated herein are separate from and independent of the terms and conditions of this Public License. + +Section 8 – Interpretation. + + a. For the avoidance of doubt, this Public License does not, and shall not be interpreted to, reduce, limit, restrict, or impose conditions on any use of the Licensed Material that could lawfully be made without permission under this Public License. + + b. To the extent possible, if any provision of this Public License is deemed unenforceable, it shall be automatically reformed to the minimum extent necessary to make it enforceable. If the provision cannot be reformed, it shall be severed from this Public License without affecting the enforceability of the remaining terms and conditions. + + c. No term or condition of this Public License will be waived and no failure to comply consented to unless expressly agreed to by the Licensor. + + d. Nothing in this Public License constitutes or may be interpreted as a limitation upon, or waiver of, any privileges and immunities that apply to the Licensor or You, including from the legal processes of any jurisdiction or authority. + +Creative Commons is not a party to its public licenses. Notwithstanding, Creative Commons may elect to apply one of its public licenses to material it publishes and in those instances will be considered the “Licensor.” Except for the limited purpose of indicating that material is shared under a Creative Commons public license or as otherwise permitted by the Creative Commons policies published at creativecommons.org/policies, Creative Commons does not authorize the use of the trademark “Creative Commons” or any other trademark or logo of Creative Commons without its prior written consent including, without limitation, in connection with any unauthorized modifications to any of its public licenses or any other arrangements, understandings, or agreements concerning use of licensed material. For the avoidance of doubt, this paragraph does not form part of the public licenses. + +Creative Commons may be contacted at creativecommons.org. diff --git a/LICENSES/CC0-1.0.txt b/LICENSES/CC0-1.0.txt new file mode 100644 index 0000000..0e259d4 --- /dev/null +++ b/LICENSES/CC0-1.0.txt @@ -0,0 +1,121 @@ +Creative Commons Legal Code + +CC0 1.0 Universal + + CREATIVE COMMONS CORPORATION IS NOT A LAW FIRM AND DOES NOT PROVIDE + LEGAL SERVICES. DISTRIBUTION OF THIS DOCUMENT DOES NOT CREATE AN + ATTORNEY-CLIENT RELATIONSHIP. CREATIVE COMMONS PROVIDES THIS + INFORMATION ON AN "AS-IS" BASIS. CREATIVE COMMONS MAKES NO WARRANTIES + REGARDING THE USE OF THIS DOCUMENT OR THE INFORMATION OR WORKS + PROVIDED HEREUNDER, AND DISCLAIMS LIABILITY FOR DAMAGES RESULTING FROM + THE USE OF THIS DOCUMENT OR THE INFORMATION OR WORKS PROVIDED + HEREUNDER. + +Statement of Purpose + +The laws of most jurisdictions throughout the world automatically confer +exclusive Copyright and Related Rights (defined below) upon the creator +and subsequent owner(s) (each and all, an "owner") of an original work of +authorship and/or a database (each, a "Work"). + +Certain owners wish to permanently relinquish those rights to a Work for +the purpose of contributing to a commons of creative, cultural and +scientific works ("Commons") that the public can reliably and without fear +of later claims of infringement build upon, modify, incorporate in other +works, reuse and redistribute as freely as possible in any form whatsoever +and for any purposes, including without limitation commercial purposes. +These owners may contribute to the Commons to promote the ideal of a free +culture and the further production of creative, cultural and scientific +works, or to gain reputation or greater distribution for their Work in +part through the use and efforts of others. + +For these and/or other purposes and motivations, and without any +expectation of additional consideration or compensation, the person +associating CC0 with a Work (the "Affirmer"), to the extent that he or she +is an owner of Copyright and Related Rights in the Work, voluntarily +elects to apply CC0 to the Work and publicly distribute the Work under its +terms, with knowledge of his or her Copyright and Related Rights in the +Work and the meaning and intended legal effect of CC0 on those rights. + +1. Copyright and Related Rights. A Work made available under CC0 may be +protected by copyright and related or neighboring rights ("Copyright and +Related Rights"). Copyright and Related Rights include, but are not +limited to, the following: + + i. the right to reproduce, adapt, distribute, perform, display, + communicate, and translate a Work; + ii. moral rights retained by the original author(s) and/or performer(s); +iii. publicity and privacy rights pertaining to a person's image or + likeness depicted in a Work; + iv. rights protecting against unfair competition in regards to a Work, + subject to the limitations in paragraph 4(a), below; + v. rights protecting the extraction, dissemination, use and reuse of data + in a Work; + vi. database rights (such as those arising under Directive 96/9/EC of the + European Parliament and of the Council of 11 March 1996 on the legal + protection of databases, and under any national implementation + thereof, including any amended or successor version of such + directive); and +vii. other similar, equivalent or corresponding rights throughout the + world based on applicable law or treaty, and any national + implementations thereof. + +2. Waiver. To the greatest extent permitted by, but not in contravention +of, applicable law, Affirmer hereby overtly, fully, permanently, +irrevocably and unconditionally waives, abandons, and surrenders all of +Affirmer's Copyright and Related Rights and associated claims and causes +of action, whether now known or unknown (including existing as well as +future claims and causes of action), in the Work (i) in all territories +worldwide, (ii) for the maximum duration provided by applicable law or +treaty (including future time extensions), (iii) in any current or future +medium and for any number of copies, and (iv) for any purpose whatsoever, +including without limitation commercial, advertising or promotional +purposes (the "Waiver"). Affirmer makes the Waiver for the benefit of each +member of the public at large and to the detriment of Affirmer's heirs and +successors, fully intending that such Waiver shall not be subject to +revocation, rescission, cancellation, termination, or any other legal or +equitable action to disrupt the quiet enjoyment of the Work by the public +as contemplated by Affirmer's express Statement of Purpose. + +3. Public License Fallback. Should any part of the Waiver for any reason +be judged legally invalid or ineffective under applicable law, then the +Waiver shall be preserved to the maximum extent permitted taking into +account Affirmer's express Statement of Purpose. In addition, to the +extent the Waiver is so judged Affirmer hereby grants to each affected +person a royalty-free, non transferable, non sublicensable, non exclusive, +irrevocable and unconditional license to exercise Affirmer's Copyright and +Related Rights in the Work (i) in all territories worldwide, (ii) for the +maximum duration provided by applicable law or treaty (including future +time extensions), (iii) in any current or future medium and for any number +of copies, and (iv) for any purpose whatsoever, including without +limitation commercial, advertising or promotional purposes (the +"License"). The License shall be deemed effective as of the date CC0 was +applied by Affirmer to the Work. Should any part of the License for any +reason be judged legally invalid or ineffective under applicable law, such +partial invalidity or ineffectiveness shall not invalidate the remainder +of the License, and in such case Affirmer hereby affirms that he or she +will not (i) exercise any of his or her remaining Copyright and Related +Rights in the Work or (ii) assert any associated claims and causes of +action with respect to the Work, in either case contrary to Affirmer's +express Statement of Purpose. + +4. Limitations and Disclaimers. + + a. No trademark or patent rights held by Affirmer are waived, abandoned, + surrendered, licensed or otherwise affected by this document. + b. Affirmer offers the Work as-is and makes no representations or + warranties of any kind concerning the Work, express, implied, + statutory or otherwise, including without limitation warranties of + title, merchantability, fitness for a particular purpose, non + infringement, or the absence of latent or other defects, accuracy, or + the present or absence of errors, whether or not discoverable, all to + the greatest extent permissible under applicable law. + c. Affirmer disclaims responsibility for clearing rights of other persons + that may apply to the Work or any use thereof, including without + limitation any person's Copyright and Related Rights in the Work. + Further, Affirmer disclaims responsibility for obtaining any necessary + consents, permissions or other rights required for any use of the + Work. + d. Affirmer understands and acknowledges that Creative Commons is not a + party to this document and has no duty or obligation with respect to + this CC0 or use of the Work. diff --git a/LICENSES/GPL-3.0-or-later.txt b/LICENSES/GPL-3.0-or-later.txt new file mode 100644 index 0000000..f6cdd22 --- /dev/null +++ b/LICENSES/GPL-3.0-or-later.txt @@ -0,0 +1,232 @@ +GNU GENERAL PUBLIC LICENSE +Version 3, 29 June 2007 + +Copyright © 2007 Free Software Foundation, Inc. + +Everyone is permitted to copy and distribute verbatim copies of this license document, but changing it is not allowed. + +Preamble + +The GNU General Public License is a free, copyleft license for software and other kinds of works. + +The licenses for most software and other practical works are designed to take away your freedom to share and change the works. By contrast, the GNU General Public License is intended to guarantee your freedom to share and change all versions of a program--to make sure it remains free software for all its users. We, the Free Software Foundation, use the GNU General Public License for most of our software; it applies also to any other work released this way by its authors. You can apply it to your programs, too. + +When we speak of free software, we are referring to freedom, not price. Our General Public Licenses are designed to make sure that you have the freedom to distribute copies of free software (and charge for them if you wish), that you receive source code or can get it if you want it, that you can change the software or use pieces of it in new free programs, and that you know you can do these things. + +To protect your rights, we need to prevent others from denying you these rights or asking you to surrender the rights. Therefore, you have certain responsibilities if you distribute copies of the software, or if you modify it: responsibilities to respect the freedom of others. + +For example, if you distribute copies of such a program, whether gratis or for a fee, you must pass on to the recipients the same freedoms that you received. You must make sure that they, too, receive or can get the source code. And you must show them these terms so they know their rights. + +Developers that use the GNU GPL protect your rights with two steps: (1) assert copyright on the software, and (2) offer you this License giving you legal permission to copy, distribute and/or modify it. + +For the developers' and authors' protection, the GPL clearly explains that there is no warranty for this free software. For both users' and authors' sake, the GPL requires that modified versions be marked as changed, so that their problems will not be attributed erroneously to authors of previous versions. + +Some devices are designed to deny users access to install or run modified versions of the software inside them, although the manufacturer can do so. This is fundamentally incompatible with the aim of protecting users' freedom to change the software. The systematic pattern of such abuse occurs in the area of products for individuals to use, which is precisely where it is most unacceptable. Therefore, we have designed this version of the GPL to prohibit the practice for those products. If such problems arise substantially in other domains, we stand ready to extend this provision to those domains in future versions of the GPL, as needed to protect the freedom of users. + +Finally, every program is threatened constantly by software patents. States should not allow patents to restrict development and use of software on general-purpose computers, but in those that do, we wish to avoid the special danger that patents applied to a free program could make it effectively proprietary. To prevent this, the GPL assures that patents cannot be used to render the program non-free. + +The precise terms and conditions for copying, distribution and modification follow. + +TERMS AND CONDITIONS + +0. Definitions. + +“This License” refers to version 3 of the GNU General Public License. + +“Copyright” also means copyright-like laws that apply to other kinds of works, such as semiconductor masks. + +“The Program” refers to any copyrightable work licensed under this License. Each licensee is addressed as “you”. “Licensees” and “recipients” may be individuals or organizations. + +To “modify” a work means to copy from or adapt all or part of the work in a fashion requiring copyright permission, other than the making of an exact copy. The resulting work is called a “modified version” of the earlier work or a work “based on” the earlier work. + +A “covered work” means either the unmodified Program or a work based on the Program. + +To “propagate” a work means to do anything with it that, without permission, would make you directly or secondarily liable for infringement under applicable copyright law, except executing it on a computer or modifying a private copy. Propagation includes copying, distribution (with or without modification), making available to the public, and in some countries other activities as well. + +To “convey” a work means any kind of propagation that enables other parties to make or receive copies. Mere interaction with a user through a computer network, with no transfer of a copy, is not conveying. + +An interactive user interface displays “Appropriate Legal Notices” to the extent that it includes a convenient and prominently visible feature that (1) displays an appropriate copyright notice, and (2) tells the user that there is no warranty for the work (except to the extent that warranties are provided), that licensees may convey the work under this License, and how to view a copy of this License. If the interface presents a list of user commands or options, such as a menu, a prominent item in the list meets this criterion. + +1. Source Code. +The “source code” for a work means the preferred form of the work for making modifications to it. “Object code” means any non-source form of a work. + +A “Standard Interface” means an interface that either is an official standard defined by a recognized standards body, or, in the case of interfaces specified for a particular programming language, one that is widely used among developers working in that language. + +The “System Libraries” of an executable work include anything, other than the work as a whole, that (a) is included in the normal form of packaging a Major Component, but which is not part of that Major Component, and (b) serves only to enable use of the work with that Major Component, or to implement a Standard Interface for which an implementation is available to the public in source code form. A “Major Component”, in this context, means a major essential component (kernel, window system, and so on) of the specific operating system (if any) on which the executable work runs, or a compiler used to produce the work, or an object code interpreter used to run it. + +The “Corresponding Source” for a work in object code form means all the source code needed to generate, install, and (for an executable work) run the object code and to modify the work, including scripts to control those activities. However, it does not include the work's System Libraries, or general-purpose tools or generally available free programs which are used unmodified in performing those activities but which are not part of the work. For example, Corresponding Source includes interface definition files associated with source files for the work, and the source code for shared libraries and dynamically linked subprograms that the work is specifically designed to require, such as by intimate data communication or control flow between those subprograms and other parts of the work. + +The Corresponding Source need not include anything that users can regenerate automatically from other parts of the Corresponding Source. + +The Corresponding Source for a work in source code form is that same work. + +2. Basic Permissions. +All rights granted under this License are granted for the term of copyright on the Program, and are irrevocable provided the stated conditions are met. This License explicitly affirms your unlimited permission to run the unmodified Program. The output from running a covered work is covered by this License only if the output, given its content, constitutes a covered work. This License acknowledges your rights of fair use or other equivalent, as provided by copyright law. + +You may make, run and propagate covered works that you do not convey, without conditions so long as your license otherwise remains in force. You may convey covered works to others for the sole purpose of having them make modifications exclusively for you, or provide you with facilities for running those works, provided that you comply with the terms of this License in conveying all material for which you do not control copyright. Those thus making or running the covered works for you must do so exclusively on your behalf, under your direction and control, on terms that prohibit them from making any copies of your copyrighted material outside their relationship with you. + +Conveying under any other circumstances is permitted solely under the conditions stated below. Sublicensing is not allowed; section 10 makes it unnecessary. + +3. Protecting Users' Legal Rights From Anti-Circumvention Law. +No covered work shall be deemed part of an effective technological measure under any applicable law fulfilling obligations under article 11 of the WIPO copyright treaty adopted on 20 December 1996, or similar laws prohibiting or restricting circumvention of such measures. + +When you convey a covered work, you waive any legal power to forbid circumvention of technological measures to the extent such circumvention is effected by exercising rights under this License with respect to the covered work, and you disclaim any intention to limit operation or modification of the work as a means of enforcing, against the work's users, your or third parties' legal rights to forbid circumvention of technological measures. + +4. Conveying Verbatim Copies. +You may convey verbatim copies of the Program's source code as you receive it, in any medium, provided that you conspicuously and appropriately publish on each copy an appropriate copyright notice; keep intact all notices stating that this License and any non-permissive terms added in accord with section 7 apply to the code; keep intact all notices of the absence of any warranty; and give all recipients a copy of this License along with the Program. + +You may charge any price or no price for each copy that you convey, and you may offer support or warranty protection for a fee. + +5. Conveying Modified Source Versions. +You may convey a work based on the Program, or the modifications to produce it from the Program, in the form of source code under the terms of section 4, provided that you also meet all of these conditions: + + a) The work must carry prominent notices stating that you modified it, and giving a relevant date. + + b) The work must carry prominent notices stating that it is released under this License and any conditions added under section 7. This requirement modifies the requirement in section 4 to “keep intact all notices”. + + c) You must license the entire work, as a whole, under this License to anyone who comes into possession of a copy. This License will therefore apply, along with any applicable section 7 additional terms, to the whole of the work, and all its parts, regardless of how they are packaged. This License gives no permission to license the work in any other way, but it does not invalidate such permission if you have separately received it. + + d) If the work has interactive user interfaces, each must display Appropriate Legal Notices; however, if the Program has interactive interfaces that do not display Appropriate Legal Notices, your work need not make them do so. + +A compilation of a covered work with other separate and independent works, which are not by their nature extensions of the covered work, and which are not combined with it such as to form a larger program, in or on a volume of a storage or distribution medium, is called an “aggregate” if the compilation and its resulting copyright are not used to limit the access or legal rights of the compilation's users beyond what the individual works permit. Inclusion of a covered work in an aggregate does not cause this License to apply to the other parts of the aggregate. + +6. Conveying Non-Source Forms. +You may convey a covered work in object code form under the terms of sections 4 and 5, provided that you also convey the machine-readable Corresponding Source under the terms of this License, in one of these ways: + + a) Convey the object code in, or embodied in, a physical product (including a physical distribution medium), accompanied by the Corresponding Source fixed on a durable physical medium customarily used for software interchange. + + b) Convey the object code in, or embodied in, a physical product (including a physical distribution medium), accompanied by a written offer, valid for at least three years and valid for as long as you offer spare parts or customer support for that product model, to give anyone who possesses the object code either (1) a copy of the Corresponding Source for all the software in the product that is covered by this License, on a durable physical medium customarily used for software interchange, for a price no more than your reasonable cost of physically performing this conveying of source, or (2) access to copy the Corresponding Source from a network server at no charge. + + c) Convey individual copies of the object code with a copy of the written offer to provide the Corresponding Source. This alternative is allowed only occasionally and noncommercially, and only if you received the object code with such an offer, in accord with subsection 6b. + + d) Convey the object code by offering access from a designated place (gratis or for a charge), and offer equivalent access to the Corresponding Source in the same way through the same place at no further charge. You need not require recipients to copy the Corresponding Source along with the object code. If the place to copy the object code is a network server, the Corresponding Source may be on a different server (operated by you or a third party) that supports equivalent copying facilities, provided you maintain clear directions next to the object code saying where to find the Corresponding Source. Regardless of what server hosts the Corresponding Source, you remain obligated to ensure that it is available for as long as needed to satisfy these requirements. + + e) Convey the object code using peer-to-peer transmission, provided you inform other peers where the object code and Corresponding Source of the work are being offered to the general public at no charge under subsection 6d. + +A separable portion of the object code, whose source code is excluded from the Corresponding Source as a System Library, need not be included in conveying the object code work. + +A “User Product” is either (1) a “consumer product”, which means any tangible personal property which is normally used for personal, family, or household purposes, or (2) anything designed or sold for incorporation into a dwelling. In determining whether a product is a consumer product, doubtful cases shall be resolved in favor of coverage. For a particular product received by a particular user, “normally used” refers to a typical or common use of that class of product, regardless of the status of the particular user or of the way in which the particular user actually uses, or expects or is expected to use, the product. A product is a consumer product regardless of whether the product has substantial commercial, industrial or non-consumer uses, unless such uses represent the only significant mode of use of the product. + +“Installation Information” for a User Product means any methods, procedures, authorization keys, or other information required to install and execute modified versions of a covered work in that User Product from a modified version of its Corresponding Source. The information must suffice to ensure that the continued functioning of the modified object code is in no case prevented or interfered with solely because modification has been made. + +If you convey an object code work under this section in, or with, or specifically for use in, a User Product, and the conveying occurs as part of a transaction in which the right of possession and use of the User Product is transferred to the recipient in perpetuity or for a fixed term (regardless of how the transaction is characterized), the Corresponding Source conveyed under this section must be accompanied by the Installation Information. But this requirement does not apply if neither you nor any third party retains the ability to install modified object code on the User Product (for example, the work has been installed in ROM). + +The requirement to provide Installation Information does not include a requirement to continue to provide support service, warranty, or updates for a work that has been modified or installed by the recipient, or for the User Product in which it has been modified or installed. Access to a network may be denied when the modification itself materially and adversely affects the operation of the network or violates the rules and protocols for communication across the network. + +Corresponding Source conveyed, and Installation Information provided, in accord with this section must be in a format that is publicly documented (and with an implementation available to the public in source code form), and must require no special password or key for unpacking, reading or copying. + +7. Additional Terms. +“Additional permissions” are terms that supplement the terms of this License by making exceptions from one or more of its conditions. Additional permissions that are applicable to the entire Program shall be treated as though they were included in this License, to the extent that they are valid under applicable law. If additional permissions apply only to part of the Program, that part may be used separately under those permissions, but the entire Program remains governed by this License without regard to the additional permissions. + +When you convey a copy of a covered work, you may at your option remove any additional permissions from that copy, or from any part of it. (Additional permissions may be written to require their own removal in certain cases when you modify the work.) You may place additional permissions on material, added by you to a covered work, for which you have or can give appropriate copyright permission. + +Notwithstanding any other provision of this License, for material you add to a covered work, you may (if authorized by the copyright holders of that material) supplement the terms of this License with terms: + + a) Disclaiming warranty or limiting liability differently from the terms of sections 15 and 16 of this License; or + + b) Requiring preservation of specified reasonable legal notices or author attributions in that material or in the Appropriate Legal Notices displayed by works containing it; or + + c) Prohibiting misrepresentation of the origin of that material, or requiring that modified versions of such material be marked in reasonable ways as different from the original version; or + + d) Limiting the use for publicity purposes of names of licensors or authors of the material; or + + e) Declining to grant rights under trademark law for use of some trade names, trademarks, or service marks; or + + f) Requiring indemnification of licensors and authors of that material by anyone who conveys the material (or modified versions of it) with contractual assumptions of liability to the recipient, for any liability that these contractual assumptions directly impose on those licensors and authors. + +All other non-permissive additional terms are considered “further restrictions” within the meaning of section 10. If the Program as you received it, or any part of it, contains a notice stating that it is governed by this License along with a term that is a further restriction, you may remove that term. If a license document contains a further restriction but permits relicensing or conveying under this License, you may add to a covered work material governed by the terms of that license document, provided that the further restriction does not survive such relicensing or conveying. + +If you add terms to a covered work in accord with this section, you must place, in the relevant source files, a statement of the additional terms that apply to those files, or a notice indicating where to find the applicable terms. + +Additional terms, permissive or non-permissive, may be stated in the form of a separately written license, or stated as exceptions; the above requirements apply either way. + +8. Termination. +You may not propagate or modify a covered work except as expressly provided under this License. Any attempt otherwise to propagate or modify it is void, and will automatically terminate your rights under this License (including any patent licenses granted under the third paragraph of section 11). + +However, if you cease all violation of this License, then your license from a particular copyright holder is reinstated (a) provisionally, unless and until the copyright holder explicitly and finally terminates your license, and (b) permanently, if the copyright holder fails to notify you of the violation by some reasonable means prior to 60 days after the cessation. + +Moreover, your license from a particular copyright holder is reinstated permanently if the copyright holder notifies you of the violation by some reasonable means, this is the first time you have received notice of violation of this License (for any work) from that copyright holder, and you cure the violation prior to 30 days after your receipt of the notice. + +Termination of your rights under this section does not terminate the licenses of parties who have received copies or rights from you under this License. If your rights have been terminated and not permanently reinstated, you do not qualify to receive new licenses for the same material under section 10. + +9. Acceptance Not Required for Having Copies. +You are not required to accept this License in order to receive or run a copy of the Program. Ancillary propagation of a covered work occurring solely as a consequence of using peer-to-peer transmission to receive a copy likewise does not require acceptance. However, nothing other than this License grants you permission to propagate or modify any covered work. These actions infringe copyright if you do not accept this License. Therefore, by modifying or propagating a covered work, you indicate your acceptance of this License to do so. + +10. Automatic Licensing of Downstream Recipients. +Each time you convey a covered work, the recipient automatically receives a license from the original licensors, to run, modify and propagate that work, subject to this License. You are not responsible for enforcing compliance by third parties with this License. + +An “entity transaction” is a transaction transferring control of an organization, or substantially all assets of one, or subdividing an organization, or merging organizations. If propagation of a covered work results from an entity transaction, each party to that transaction who receives a copy of the work also receives whatever licenses to the work the party's predecessor in interest had or could give under the previous paragraph, plus a right to possession of the Corresponding Source of the work from the predecessor in interest, if the predecessor has it or can get it with reasonable efforts. + +You may not impose any further restrictions on the exercise of the rights granted or affirmed under this License. For example, you may not impose a license fee, royalty, or other charge for exercise of rights granted under this License, and you may not initiate litigation (including a cross-claim or counterclaim in a lawsuit) alleging that any patent claim is infringed by making, using, selling, offering for sale, or importing the Program or any portion of it. + +11. Patents. +A “contributor” is a copyright holder who authorizes use under this License of the Program or a work on which the Program is based. The work thus licensed is called the contributor's “contributor version”. + +A contributor's “essential patent claims” are all patent claims owned or controlled by the contributor, whether already acquired or hereafter acquired, that would be infringed by some manner, permitted by this License, of making, using, or selling its contributor version, but do not include claims that would be infringed only as a consequence of further modification of the contributor version. For purposes of this definition, “control” includes the right to grant patent sublicenses in a manner consistent with the requirements of this License. + +Each contributor grants you a non-exclusive, worldwide, royalty-free patent license under the contributor's essential patent claims, to make, use, sell, offer for sale, import and otherwise run, modify and propagate the contents of its contributor version. + +In the following three paragraphs, a “patent license” is any express agreement or commitment, however denominated, not to enforce a patent (such as an express permission to practice a patent or covenant not to sue for patent infringement). To “grant” such a patent license to a party means to make such an agreement or commitment not to enforce a patent against the party. + +If you convey a covered work, knowingly relying on a patent license, and the Corresponding Source of the work is not available for anyone to copy, free of charge and under the terms of this License, through a publicly available network server or other readily accessible means, then you must either (1) cause the Corresponding Source to be so available, or (2) arrange to deprive yourself of the benefit of the patent license for this particular work, or (3) arrange, in a manner consistent with the requirements of this License, to extend the patent license to downstream recipients. “Knowingly relying” means you have actual knowledge that, but for the patent license, your conveying the covered work in a country, or your recipient's use of the covered work in a country, would infringe one or more identifiable patents in that country that you have reason to believe are valid. + +If, pursuant to or in connection with a single transaction or arrangement, you convey, or propagate by procuring conveyance of, a covered work, and grant a patent license to some of the parties receiving the covered work authorizing them to use, propagate, modify or convey a specific copy of the covered work, then the patent license you grant is automatically extended to all recipients of the covered work and works based on it. + +A patent license is “discriminatory” if it does not include within the scope of its coverage, prohibits the exercise of, or is conditioned on the non-exercise of one or more of the rights that are specifically granted under this License. You may not convey a covered work if you are a party to an arrangement with a third party that is in the business of distributing software, under which you make payment to the third party based on the extent of your activity of conveying the work, and under which the third party grants, to any of the parties who would receive the covered work from you, a discriminatory patent license (a) in connection with copies of the covered work conveyed by you (or copies made from those copies), or (b) primarily for and in connection with specific products or compilations that contain the covered work, unless you entered into that arrangement, or that patent license was granted, prior to 28 March 2007. + +Nothing in this License shall be construed as excluding or limiting any implied license or other defenses to infringement that may otherwise be available to you under applicable patent law. + +12. No Surrender of Others' Freedom. +If conditions are imposed on you (whether by court order, agreement or otherwise) that contradict the conditions of this License, they do not excuse you from the conditions of this License. If you cannot convey a covered work so as to satisfy simultaneously your obligations under this License and any other pertinent obligations, then as a consequence you may not convey it at all. For example, if you agree to terms that obligate you to collect a royalty for further conveying from those to whom you convey the Program, the only way you could satisfy both those terms and this License would be to refrain entirely from conveying the Program. + +13. Use with the GNU Affero General Public License. +Notwithstanding any other provision of this License, you have permission to link or combine any covered work with a work licensed under version 3 of the GNU Affero General Public License into a single combined work, and to convey the resulting work. The terms of this License will continue to apply to the part which is the covered work, but the special requirements of the GNU Affero General Public License, section 13, concerning interaction through a network will apply to the combination as such. + +14. Revised Versions of this License. +The Free Software Foundation may publish revised and/or new versions of the GNU General Public License from time to time. Such new versions will be similar in spirit to the present version, but may differ in detail to address new problems or concerns. + +Each version is given a distinguishing version number. If the Program specifies that a certain numbered version of the GNU General Public License “or any later version” applies to it, you have the option of following the terms and conditions either of that numbered version or of any later version published by the Free Software Foundation. If the Program does not specify a version number of the GNU General Public License, you may choose any version ever published by the Free Software Foundation. + +If the Program specifies that a proxy can decide which future versions of the GNU General Public License can be used, that proxy's public statement of acceptance of a version permanently authorizes you to choose that version for the Program. + +Later license versions may give you additional or different permissions. However, no additional obligations are imposed on any author or copyright holder as a result of your choosing to follow a later version. + +15. Disclaimer of Warranty. +THERE IS NO WARRANTY FOR THE PROGRAM, TO THE EXTENT PERMITTED BY APPLICABLE LAW. EXCEPT WHEN OTHERWISE STATED IN WRITING THE COPYRIGHT HOLDERS AND/OR OTHER PARTIES PROVIDE THE PROGRAM “AS IS” WITHOUT WARRANTY OF ANY KIND, EITHER EXPRESSED OR IMPLIED, INCLUDING, BUT NOT LIMITED TO, THE IMPLIED WARRANTIES OF MERCHANTABILITY AND FITNESS FOR A PARTICULAR PURPOSE. THE ENTIRE RISK AS TO THE QUALITY AND PERFORMANCE OF THE PROGRAM IS WITH YOU. SHOULD THE PROGRAM PROVE DEFECTIVE, YOU ASSUME THE COST OF ALL NECESSARY SERVICING, REPAIR OR CORRECTION. + +16. Limitation of Liability. +IN NO EVENT UNLESS REQUIRED BY APPLICABLE LAW OR AGREED TO IN WRITING WILL ANY COPYRIGHT HOLDER, OR ANY OTHER PARTY WHO MODIFIES AND/OR CONVEYS THE PROGRAM AS PERMITTED ABOVE, BE LIABLE TO YOU FOR DAMAGES, INCLUDING ANY GENERAL, SPECIAL, INCIDENTAL OR CONSEQUENTIAL DAMAGES ARISING OUT OF THE USE OR INABILITY TO USE THE PROGRAM (INCLUDING BUT NOT LIMITED TO LOSS OF DATA OR DATA BEING RENDERED INACCURATE OR LOSSES SUSTAINED BY YOU OR THIRD PARTIES OR A FAILURE OF THE PROGRAM TO OPERATE WITH ANY OTHER PROGRAMS), EVEN IF SUCH HOLDER OR OTHER PARTY HAS BEEN ADVISED OF THE POSSIBILITY OF SUCH DAMAGES. + +17. Interpretation of Sections 15 and 16. +If the disclaimer of warranty and limitation of liability provided above cannot be given local legal effect according to their terms, reviewing courts shall apply local law that most closely approximates an absolute waiver of all civil liability in connection with the Program, unless a warranty or assumption of liability accompanies a copy of the Program in return for a fee. + +END OF TERMS AND CONDITIONS + +How to Apply These Terms to Your New Programs + +If you develop a new program, and you want it to be of the greatest possible use to the public, the best way to achieve this is to make it free software which everyone can redistribute and change under these terms. + +To do so, attach the following notices to the program. It is safest to attach them to the start of each source file to most effectively state the exclusion of warranty; and each file should have at least the “copyright” line and a pointer to where the full notice is found. + + + Copyright (C) + + This program is free software: you can redistribute it and/or modify it under the terms of the GNU General Public License as published by the Free Software Foundation, either version 3 of the License, or (at your option) any later version. + + This program is distributed in the hope that it will be useful, but WITHOUT ANY WARRANTY; without even the implied warranty of MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the GNU General Public License for more details. + + You should have received a copy of the GNU General Public License along with this program. If not, see . + +Also add information on how to contact you by electronic and paper mail. + +If the program does terminal interaction, make it output a short notice like this when it starts in an interactive mode: + + Copyright (C) + This program comes with ABSOLUTELY NO WARRANTY; for details type `show w'. + This is free software, and you are welcome to redistribute it under certain conditions; type `show c' for details. + +The hypothetical commands `show w' and `show c' should show the appropriate parts of the General Public License. Of course, your program's commands might be different; for a GUI interface, you would use an “about box”. + +You should also get your employer (if you work as a programmer) or school, if any, to sign a “copyright disclaimer” for the program, if necessary. For more information on this, and how to apply and follow the GNU GPL, see . + +The GNU General Public License does not permit incorporating your program into proprietary programs. If your program is a subroutine library, you may consider it more useful to permit linking proprietary applications with the library. If this is what you want to do, use the GNU Lesser General Public License instead of this License. But first, please read . diff --git a/LICENSES/MIT.txt b/LICENSES/MIT.txt new file mode 100644 index 0000000..d817195 --- /dev/null +++ b/LICENSES/MIT.txt @@ -0,0 +1,18 @@ +MIT License + +Copyright (c) + +Permission is hereby granted, free of charge, to any person obtaining a copy of this software and +associated documentation files (the "Software"), to deal in the Software without restriction, including +without limitation the rights to use, copy, modify, merge, publish, distribute, sublicense, and/or sell +copies of the Software, and to permit persons to whom the Software is furnished to do so, subject to the +following conditions: + +The above copyright notice and this permission notice shall be included in all copies or substantial +portions of the Software. + +THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, INCLUDING BUT NOT +LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO +EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER +IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE +USE OR OTHER DEALINGS IN THE SOFTWARE. diff --git a/REUSE.toml b/REUSE.toml new file mode 100644 index 0000000..fd8cf1e --- /dev/null +++ b/REUSE.toml @@ -0,0 +1,41 @@ +# SPDX-FileCopyrightText: Copyright © 2024-2026 Caleb Cushing +# +# SPDX-License-Identifier: CC0-1.0 + +version = 1 +[[annotations]] +path = ".gitmodules" +SPDX-FileCopyrightText = "NONE" +SPDX-License-Identifier = "CC0-1.0" +[[annotations]] +path = "**/*.lockfile" +SPDX-FileCopyrightText = "NONE" +SPDX-License-Identifier = "CC0-1.0" +[[annotations]] +path = "yarn.lock" +SPDX-FileCopyrightText = "NONE" +SPDX-License-Identifier = "CC0-1.0" +[[annotations]] +path = ".tool-versions" +SPDX-FileCopyrightText = "NONE" +SPDX-License-Identifier = "CC0-1.0" +[[annotations]] +path = "uv.lock" +SPDX-FileCopyrightText = "NONE" +SPDX-License-Identifier = "CC0-1.0" +[[annotations]] +path = ".python-version" +SPDX-FileCopyrightText = "NONE" +SPDX-License-Identifier = "CC0-1.0" +[[annotations]] +path = "gradle/wrapper/*" +SPDX-FileCopyrightText = "See MANIFEST.MF in jar" +SPDX-License-Identifier = "Apache-2.0" +[[annotations]] +path = "mvnw" +SPDX-FileCopyrightText = "Apache Software Foundation" +SPDX-License-Identifier = "Apache-2.0" +[[annotations]] +path = "mvnw.cmd" +SPDX-FileCopyrightText = "Apache Software Foundation" +SPDX-License-Identifier = "Apache-2.0" diff --git a/git-conventional-commits.yaml b/git-conventional-commits.yaml new file mode 100644 index 0000000..4420bc7 --- /dev/null +++ b/git-conventional-commits.yaml @@ -0,0 +1,48 @@ +# SPDX-FileCopyrightText: Copyright © 2024, 2026 Caleb Cushing +# +# SPDX-License-Identifier: CC0-1.0 + +--- +convention: + commitTypes: + - ci + - feat + - fix + - perf + - refactor + - style + - test + - build + - ops + - docs + - chore + - merge + - revert + commitScopes: [] + releaseTagGlobPattern: v[0-9]*.[0-9]*.[0-9]* +changelog: + commitTypes: + - feat + - fix + - perf + - merge + includeInvalidCommits: true + commitIgnoreRegexPattern: "^WIP " + headlines: + feat: Features + fix: Bug Fixes + perf: Performance Improvements + merge: Merges + breakingChange: BREAKING CHANGES + + ## GitHub + # commitUrl: https://github.com/ACCOUNT/REPOSITORY/commit/%commit% + # commitRangeUrl: https://github.com/ACCOUNT/REPOSITORY/compare/%from%...%to%?diff=split + + ## GitHub Issues + # issueRegexPattern: "#[0-9]+" + # issueUrl: https://github.com/ACCOUNT/REPOSITORY/issues/%issue% + + ## Jira Issues + # issueRegexPattern: "[A-Z][A-Z0-9]+-[0-9]+" + # issueUrl: https://WORKSPACE.atlassian.net/browse/%issue% diff --git a/package.json b/package.json new file mode 100644 index 0000000..b055b5f --- /dev/null +++ b/package.json @@ -0,0 +1,30 @@ +{ + "name": "@xenoterracide/agents", + "packageManager": "yarn@4.13.0", + "private": true, + "license": "Apache-2.0", + "devDependencies": { + "@prettier/plugin-xml": "^3.4.2", + "git-conventional-commits": "^2.8.0", + "lint-staged": "^16.2.1", + "prettier": "^3.6.2", + "prettier-plugin-java": "^2.7.5", + "prettier-plugin-properties": "^0.3.0", + "prettier-plugin-toml": "^2.0.6", + "rimraf": "^6.1.2" + }, + "scripts": { + "contribute": "uv sync --frozen && git config core.hooksPath .share/git/hooks", + "lint": "yarn lint:prettier && yarn lint:reuse", + "lint:prettier": "prettier --ignore-unknown --cache --check '**'", + "lint:reuse": "yarn reuse lint", + "merge:copilot": "cd .share && yarn workspace merge run merge:copilot", + "merge:junie": "cd .share && yarn workspace merge run merge:junie", + "merge:kimi": "cd .share && yarn workspace merge run merge:kimi", + "precontribute": "yarn setup:corepack && yarn setup:yarn", + "reuse": "uv run --frozen --group dev reuse", + "setup:corepack": "npm install -g corepack && corepack enable", + "setup:yarn": "yarn install --immutable && cd .share && yarn install --immutable", + "test": "yarn workspaces foreach --all run test" + } +} diff --git a/package.json.license b/package.json.license new file mode 100644 index 0000000..6d84dea --- /dev/null +++ b/package.json.license @@ -0,0 +1,3 @@ +SPDX-FileCopyrightText: Copyright © 2026 Caleb Cushing + +SPDX-License-Identifier: MIT diff --git a/pyproject.toml b/pyproject.toml new file mode 100644 index 0000000..019cd86 --- /dev/null +++ b/pyproject.toml @@ -0,0 +1,14 @@ +# SPDX-FileCopyrightText: Copyright © 2026 Caleb Cushing +# +# SPDX-License-Identifier: CC0-1.0 + +[project] +name = "agents" +version = "0.1.0" +description = "Add your description here" +readme = "README.md" +requires-python = ">=3.12" +dependencies = [] + +[dependency-groups] +dev = ["reuse>=6.2.0"] diff --git a/skills/coding-standards/SKILL.md b/skills/coding-standards/SKILL.md index 7196ad3..33cd47f 100644 --- a/skills/coding-standards/SKILL.md +++ b/skills/coding-standards/SKILL.md @@ -59,32 +59,33 @@ Design code that follows SOLID principles with a focus on polymorphic behavior: ```java // BAD - external orchestration with conditionals public void processPayment(PaymentType type, Amount amount) { - if (type == PaymentType.CREDIT_CARD) { - processCreditCard(amount); - } else if (type == PaymentType.PAYPAL) { - processPayPal(amount); - } else if (type == PaymentType.BANK_TRANSFER) { - processBankTransfer(amount); - } + if (type == PaymentType.CREDIT_CARD) { + processCreditCard(amount); + } else if (type == PaymentType.PAYPAL) { + processPayPal(amount); + } else if (type == PaymentType.BANK_TRANSFER) { + processBankTransfer(amount); + } } ``` ```java // GOOD - polymorphic behavior, each type decides how to act public interface PaymentMethod { - void pay(Amount amount); + void pay(Amount amount); } public class CreditCardPayment implements PaymentMethod { - @Override - public void pay(Amount amount) { - // Credit card specific implementation - } + + @Override + public void pay(Amount amount) { + // Credit card specific implementation + } } // Usage - no conditionals, behavior is encapsulated public void processPayment(PaymentMethod method, Amount amount) { - method.pay(amount); // Polymorphic dispatch + method.pay(amount); // Polymorphic dispatch } ``` @@ -108,13 +109,10 @@ Prefer immutable objects and data structures where immutability doesn't reduce c public record Person(String name, int age) {} // GOOD - immutable collections -var items = List.of("a", "b", "c"); // Cannot be modified +var items = List.of("a", "b", "c"); // Cannot be modified // GOOD - builder pattern for complex immutables -var config = Config.builder() - .timeout(Duration.ofSeconds(30)) - .retries(3) - .build(); +var config = Config.builder().timeout(Duration.ofSeconds(30)).retries(3).build(); ``` **Avoid setters** - Instead of anemic data objects with getters/setters, prefer domain-driven design with rich behavior: @@ -234,8 +232,8 @@ Suppress static analysis warnings **only when:** // GOOD - suppression is right at the source, with explanation @SuppressWarnings("NullAway") // Factory method ensures non-null via validation public static User create(String email) { - // ... validation logic ... - return new User(email); // NullAway can't see validation + // ... validation logic ... + return new User(email); // NullAway can't see validation } ``` diff --git a/skills/java/SKILL.md b/skills/java/SKILL.md index 45a856e..8efe86d 100644 --- a/skills/java/SKILL.md +++ b/skills/java/SKILL.md @@ -35,12 +35,12 @@ All types are **non-null by default**. You must explicitly mark nullable types: ```java // GOOD - parameter is non-null (default), return is nullable public @Nullable User findById(String id) { - // ... may return null if not found + // ... may return null if not found } // GOOD - both parameters nullable public void merge(@Nullable User first, @Nullable User second) { - // ... + // ... } ``` @@ -103,8 +103,8 @@ For framework initialization methods (e.g., `@PostConstruct`, `@BeforeEach`), us @Initializer @PostConstruct public void init() { - // NullAway understands this method initializes fields - this.service = createService(); + // NullAway understands this method initializes fields + this.service = createService(); } ``` @@ -202,6 +202,7 @@ Avoid `internal` packages. Package-private visibility should be preferred to hid Prefer builder pattern over complex constructors with immutables library `@Builder` and a static factory. Also use `@Data` for generating type-safe field constants for testing. Required dependencies: + - `org.immutables:value-annotations` (compile-only) - `org.immutables:datatype` (compile-only, for `@Data`) diff --git a/skills/testing/SKILL.md b/skills/testing/SKILL.md index d27d942..4d0087f 100644 --- a/skills/testing/SKILL.md +++ b/skills/testing/SKILL.md @@ -21,18 +21,21 @@ Guidelines for writing effective automated tests. Follow the **testing trophy** approach - value sociable and integration tests over solitary unit tests with mocks. **Sociable Tests** + - Use real collaborating objects, not mocks - Test the unit under test with its real dependencies - Assume collaborators work correctly (they have their own tests) - Tests behavior as the system actually runs **Integration Tests** + - Verify independently developed units work together correctly - Prefer **narrow** integration tests: test one integration point at a time - Use test doubles (stubs/fakes) for external services - Avoid broad integration tests that require live versions of all services **Solitary Tests (avoid)** + - Replace all collaborators with mocks/stubs - Creates brittle tests that break during refactoring - Tests implementation details rather than behavior @@ -40,6 +43,7 @@ Follow the **testing trophy** approach - value sociable and integration tests ov ## When to Use Test Doubles Use stubs/fakes (not mocks) only when: + - External services you don't control - Non-deterministic behavior (random, time, etc.) - Extremely slow operations @@ -48,39 +52,42 @@ Use stubs/fakes (not mocks) only when: ## Anti-patterns **Over-mocked tests:** + ```java // BAD - testing mocks, not real behavior @Test void processOrder() { - var mockRepo = mock(OrderRepo.class); - var mockNotifier = mock(Notifier.class); - var service = new OrderService(mockRepo, mockNotifier); - when(mockRepo.find(any())).thenReturn(fakeOrder); - - service.process(orderId); - - verify(mockNotifier).send(any()); // Verified a mock was called - not real behavior + var mockRepo = mock(OrderRepo.class); + var mockNotifier = mock(Notifier.class); + var service = new OrderService(mockRepo, mockNotifier); + when(mockRepo.find(any())).thenReturn(fakeOrder); + + service.process(orderId); + + verify(mockNotifier).send(any()); // Verified a mock was called - not real behavior } ``` **Testing implementation details:** + ```java // BAD - testing internal state @Test void parserSetsStateCorrectly() { - var parser = new Parser(); - parser.parse("input"); - assertThat(parser.getTokenCount()).isEqualTo(3); // Internal detail + var parser = new Parser(); + parser.parse("input"); + assertThat(parser.getTokenCount()).isEqualTo(3); // Internal detail } ``` **Testing trivial code:** + ```java // BAD - don't explicitly test getters/setters @Test void getterReturnsValue() { - var person = new Person("Alice"); - assertThat(person.getName()).isEqualTo("Alice"); // No logic - redundant + var person = new Person("Alice"); + assertThat(person.getName()).isEqualTo("Alice"); // No logic - redundant } ``` @@ -89,55 +96,56 @@ Trivial code should be exercised by other tests, not explicitly tested. If it is ## Correct Approaches **Sociable test with real collaborators:** + ```java // GOOD - tests real behavior @Test void processOrderSendsNotification() { - var database = new TestDatabase(); - var emailClient = new FakeEmailClient(); // Fake with real behavior - var service = new OrderService(database, emailClient); - - service.process(orderId); - - assertThat(emailClient.wasNotified(customerEmail)).isTrue(); + var database = new TestDatabase(); + var emailClient = new FakeEmailClient(); // Fake with real behavior + var service = new OrderService(database, emailClient); + + service.process(orderId); + + assertThat(emailClient.wasNotified(customerEmail)).isTrue(); } ``` **Integration test through public API:** + ```java // GOOD - test actual workflow @Test void checkoutFlow() { - var app = new Application(testConfig); - - var result = app.checkout(CreateOrderRequest.builder() - .item("book") - .quantity(2) - .build()); - - assertThat(result.status()).isEqualTo(OrderStatus.CONFIRMED); - assertThat(result.confirmationNumber()).isNotNull(); + var app = new Application(testConfig); + + var result = app.checkout(CreateOrderRequest.builder().item("book").quantity(2).build()); + + assertThat(result.status()).isEqualTo(OrderStatus.CONFIRMED); + assertThat(result.confirmationNumber()).isNotNull(); } ``` **Narrow integration test with stub:** + ```java // GOOD - test one integration point @Test void fetchesWeatherFromApi() { - var weatherStub = new WireMockServer(); - weatherStub.stubFor(get("/api/weather").willReturn(okJson(weatherResponse))); - - var client = new WeatherClient(weatherStub.baseUrl()); - var result = client.fetchWeather(); - - assertThat(result.temperature()).isEqualTo(72); + var weatherStub = new WireMockServer(); + weatherStub.stubFor(get("/api/weather").willReturn(okJson(weatherResponse))); + + var client = new WeatherClient(weatherStub.baseUrl()); + var result = client.fetchWeather(); + + assertThat(result.temperature()).isEqualTo(72); } ``` ## Test Structure Use "Arrange, Act, Assert" (or Given/When/Then): + 1. Set up test data and context 2. Invoke the method under test 3. Verify expected outcomes diff --git a/uv.lock b/uv.lock new file mode 100644 index 0000000..ed19bef --- /dev/null +++ b/uv.lock @@ -0,0 +1,262 @@ +version = 1 +revision = 3 +requires-python = ">=3.12" + +[[package]] +name = "agents" +version = "0.1.0" +source = { virtual = "." } + +[package.dev-dependencies] +dev = [ + { name = "reuse" }, +] + +[package.metadata] + +[package.metadata.requires-dev] +dev = [{ name = "reuse", specifier = ">=6.2.0" }] + +[[package]] +name = "attrs" +version = "26.1.0" +source = { registry = "https://pypi.org/simple" } +sdist = { url = "https://files.pythonhosted.org/packages/9a/8e/82a0fe20a541c03148528be8cac2408564a6c9a0cc7e9171802bc1d26985/attrs-26.1.0.tar.gz", hash = "sha256:d03ceb89cb322a8fd706d4fb91940737b6642aa36998fe130a9bc96c985eff32", size = 952055, upload-time = "2026-03-19T14:22:25.026Z" } +wheels = [ + { url = "https://files.pythonhosted.org/packages/64/b4/17d4b0b2a2dc85a6df63d1157e028ed19f90d4cd97c36717afef2bc2f395/attrs-26.1.0-py3-none-any.whl", hash = "sha256:c647aa4a12dfbad9333ca4e71fe62ddc36f4e63b2d260a37a8b83d2f043ac309", size = 67548, upload-time = "2026-03-19T14:22:23.645Z" }, +] + +[[package]] +name = "boolean-py" +version = "5.0" +source = { registry = "https://pypi.org/simple" } +sdist = { url = "https://files.pythonhosted.org/packages/c4/cf/85379f13b76f3a69bca86b60237978af17d6aa0bc5998978c3b8cf05abb2/boolean_py-5.0.tar.gz", hash = "sha256:60cbc4bad079753721d32649545505362c754e121570ada4658b852a3a318d95", size = 37047, upload-time = "2025-04-03T10:39:49.734Z" } +wheels = [ + { url = "https://files.pythonhosted.org/packages/e5/ca/78d423b324b8d77900030fa59c4aa9054261ef0925631cd2501dd015b7b7/boolean_py-5.0-py3-none-any.whl", hash = "sha256:ef28a70bd43115208441b53a045d1549e2f0ec6e3d08a9d142cbc41c1938e8d9", size = 26577, upload-time = "2025-04-03T10:39:48.449Z" }, +] + +[[package]] +name = "charset-normalizer" +version = "3.4.7" +source = { registry = "https://pypi.org/simple" } +sdist = { url = "https://files.pythonhosted.org/packages/e7/a1/67fe25fac3c7642725500a3f6cfe5821ad557c3abb11c9d20d12c7008d3e/charset_normalizer-3.4.7.tar.gz", hash = "sha256:ae89db9e5f98a11a4bf50407d4363e7b09b31e55bc117b4f7d80aab97ba009e5", size = 144271, upload-time = "2026-04-02T09:28:39.342Z" } +wheels = [ + { url = "https://files.pythonhosted.org/packages/0c/eb/4fc8d0a7110eb5fc9cc161723a34a8a6c200ce3b4fbf681bc86feee22308/charset_normalizer-3.4.7-cp312-cp312-macosx_10_13_universal2.whl", hash = "sha256:eca9705049ad3c7345d574e3510665cb2cf844c2f2dcfe675332677f081cbd46", size = 311328, upload-time = "2026-04-02T09:26:24.331Z" }, + { url = "https://files.pythonhosted.org/packages/f8/e3/0fadc706008ac9d7b9b5be6dc767c05f9d3e5df51744ce4cc9605de7b9f4/charset_normalizer-3.4.7-cp312-cp312-manylinux2014_aarch64.manylinux_2_17_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:6178f72c5508bfc5fd446a5905e698c6212932f25bcdd4b47a757a50605a90e2", size = 208061, upload-time = "2026-04-02T09:26:25.568Z" }, + { url = "https://files.pythonhosted.org/packages/42/f0/3dd1045c47f4a4604df85ec18ad093912ae1344ac706993aff91d38773a2/charset_normalizer-3.4.7-cp312-cp312-manylinux2014_ppc64le.manylinux_2_17_ppc64le.manylinux_2_28_ppc64le.whl", hash = "sha256:e1421b502d83040e6d7fb2fb18dff63957f720da3d77b2fbd3187ceb63755d7b", size = 229031, upload-time = "2026-04-02T09:26:26.865Z" }, + { url = "https://files.pythonhosted.org/packages/dc/67/675a46eb016118a2fbde5a277a5d15f4f69d5f3f5f338e5ee2f8948fcf43/charset_normalizer-3.4.7-cp312-cp312-manylinux2014_s390x.manylinux_2_17_s390x.manylinux_2_28_s390x.whl", hash = "sha256:edac0f1ab77644605be2cbba52e6b7f630731fc42b34cb0f634be1a6eface56a", size = 225239, upload-time = "2026-04-02T09:26:28.044Z" }, + { url = "https://files.pythonhosted.org/packages/4b/f8/d0118a2f5f23b02cd166fa385c60f9b0d4f9194f574e2b31cef350ad7223/charset_normalizer-3.4.7-cp312-cp312-manylinux2014_x86_64.manylinux_2_17_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:5649fd1c7bade02f320a462fdefd0b4bd3ce036065836d4f42e0de958038e116", size = 216589, upload-time = "2026-04-02T09:26:29.239Z" }, + { url = "https://files.pythonhosted.org/packages/b1/f1/6d2b0b261b6c4ceef0fcb0d17a01cc5bc53586c2d4796fa04b5c540bc13d/charset_normalizer-3.4.7-cp312-cp312-manylinux_2_31_armv7l.whl", hash = "sha256:203104ed3e428044fd943bc4bf45fa73c0730391f9621e37fe39ecf477b128cb", size = 202733, upload-time = "2026-04-02T09:26:30.5Z" }, + { url = "https://files.pythonhosted.org/packages/6f/c0/7b1f943f7e87cc3db9626ba17807d042c38645f0a1d4415c7a14afb5591f/charset_normalizer-3.4.7-cp312-cp312-manylinux_2_31_riscv64.manylinux_2_39_riscv64.whl", hash = "sha256:298930cec56029e05497a76988377cbd7457ba864beeea92ad7e844fe74cd1f1", size = 212652, upload-time = "2026-04-02T09:26:31.709Z" }, + { url = "https://files.pythonhosted.org/packages/38/dd/5a9ab159fe45c6e72079398f277b7d2b523e7f716acc489726115a910097/charset_normalizer-3.4.7-cp312-cp312-musllinux_1_2_aarch64.whl", hash = "sha256:708838739abf24b2ceb208d0e22403dd018faeef86ddac04319a62ae884c4f15", size = 211229, upload-time = "2026-04-02T09:26:33.282Z" }, + { url = "https://files.pythonhosted.org/packages/d5/ff/531a1cad5ca855d1c1a8b69cb71abfd6d85c0291580146fda7c82857caa1/charset_normalizer-3.4.7-cp312-cp312-musllinux_1_2_armv7l.whl", hash = "sha256:0f7eb884681e3938906ed0434f20c63046eacd0111c4ba96f27b76084cd679f5", size = 203552, upload-time = "2026-04-02T09:26:34.845Z" }, + { url = "https://files.pythonhosted.org/packages/c1/4c/a5fb52d528a8ca41f7598cb619409ece30a169fbdf9cdce592e53b46c3a6/charset_normalizer-3.4.7-cp312-cp312-musllinux_1_2_ppc64le.whl", hash = "sha256:4dc1e73c36828f982bfe79fadf5919923f8a6f4df2860804db9a98c48824ce8d", size = 230806, upload-time = "2026-04-02T09:26:36.152Z" }, + { url = "https://files.pythonhosted.org/packages/59/7a/071feed8124111a32b316b33ae4de83d36923039ef8cf48120266844285b/charset_normalizer-3.4.7-cp312-cp312-musllinux_1_2_riscv64.whl", hash = "sha256:aed52fea0513bac0ccde438c188c8a471c4e0f457c2dd20cdbf6ea7a450046c7", size = 212316, upload-time = "2026-04-02T09:26:37.672Z" }, + { url = "https://files.pythonhosted.org/packages/fd/35/f7dba3994312d7ba508e041eaac39a36b120f32d4c8662b8814dab876431/charset_normalizer-3.4.7-cp312-cp312-musllinux_1_2_s390x.whl", hash = "sha256:fea24543955a6a729c45a73fe90e08c743f0b3334bbf3201e6c4bc1b0c7fa464", size = 227274, upload-time = "2026-04-02T09:26:38.93Z" }, + { url = "https://files.pythonhosted.org/packages/8a/2d/a572df5c9204ab7688ec1edc895a73ebded3b023bb07364710b05dd1c9be/charset_normalizer-3.4.7-cp312-cp312-musllinux_1_2_x86_64.whl", hash = "sha256:bb6d88045545b26da47aa879dd4a89a71d1dce0f0e549b1abcb31dfe4a8eac49", size = 218468, upload-time = "2026-04-02T09:26:40.17Z" }, + { url = "https://files.pythonhosted.org/packages/86/eb/890922a8b03a568ca2f336c36585a4713c55d4d67bf0f0c78924be6315ca/charset_normalizer-3.4.7-cp312-cp312-win32.whl", hash = "sha256:2257141f39fe65a3fdf38aeccae4b953e5f3b3324f4ff0daf9f15b8518666a2c", size = 148460, upload-time = "2026-04-02T09:26:41.416Z" }, + { url = "https://files.pythonhosted.org/packages/35/d9/0e7dffa06c5ab081f75b1b786f0aefc88365825dfcd0ac544bdb7b2b6853/charset_normalizer-3.4.7-cp312-cp312-win_amd64.whl", hash = "sha256:5ed6ab538499c8644b8a3e18debabcd7ce684f3fa91cf867521a7a0279cab2d6", size = 159330, upload-time = "2026-04-02T09:26:42.554Z" }, + { url = "https://files.pythonhosted.org/packages/9e/5d/481bcc2a7c88ea6b0878c299547843b2521ccbc40980cb406267088bc701/charset_normalizer-3.4.7-cp312-cp312-win_arm64.whl", hash = "sha256:56be790f86bfb2c98fb742ce566dfb4816e5a83384616ab59c49e0604d49c51d", size = 147828, upload-time = "2026-04-02T09:26:44.075Z" }, + { url = "https://files.pythonhosted.org/packages/c1/3b/66777e39d3ae1ddc77ee606be4ec6d8cbd4c801f65e5a1b6f2b11b8346dd/charset_normalizer-3.4.7-cp313-cp313-macosx_10_13_universal2.whl", hash = "sha256:f496c9c3cc02230093d8330875c4c3cdfc3b73612a5fd921c65d39cbcef08063", size = 309627, upload-time = "2026-04-02T09:26:45.198Z" }, + { url = "https://files.pythonhosted.org/packages/2e/4e/b7f84e617b4854ade48a1b7915c8ccfadeba444d2a18c291f696e37f0d3b/charset_normalizer-3.4.7-cp313-cp313-manylinux2014_aarch64.manylinux_2_17_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:0ea948db76d31190bf08bd371623927ee1339d5f2a0b4b1b4a4439a65298703c", size = 207008, upload-time = "2026-04-02T09:26:46.824Z" }, + { url = "https://files.pythonhosted.org/packages/c4/bb/ec73c0257c9e11b268f018f068f5d00aa0ef8c8b09f7753ebd5f2880e248/charset_normalizer-3.4.7-cp313-cp313-manylinux2014_ppc64le.manylinux_2_17_ppc64le.manylinux_2_28_ppc64le.whl", hash = "sha256:a277ab8928b9f299723bc1a2dabb1265911b1a76341f90a510368ca44ad9ab66", size = 228303, upload-time = "2026-04-02T09:26:48.397Z" }, + { url = "https://files.pythonhosted.org/packages/85/fb/32d1f5033484494619f701e719429c69b766bfc4dbc61aa9e9c8c166528b/charset_normalizer-3.4.7-cp313-cp313-manylinux2014_s390x.manylinux_2_17_s390x.manylinux_2_28_s390x.whl", hash = "sha256:3bec022aec2c514d9cf199522a802bd007cd588ab17ab2525f20f9c34d067c18", size = 224282, upload-time = "2026-04-02T09:26:49.684Z" }, + { url = "https://files.pythonhosted.org/packages/fa/07/330e3a0dda4c404d6da83b327270906e9654a24f6c546dc886a0eb0ffb23/charset_normalizer-3.4.7-cp313-cp313-manylinux2014_x86_64.manylinux_2_17_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:e044c39e41b92c845bc815e5ae4230804e8e7bc29e399b0437d64222d92809dd", size = 215595, upload-time = "2026-04-02T09:26:50.915Z" }, + { url = "https://files.pythonhosted.org/packages/e3/7c/fc890655786e423f02556e0216d4b8c6bcb6bdfa890160dc66bf52dee468/charset_normalizer-3.4.7-cp313-cp313-manylinux_2_31_armv7l.whl", hash = "sha256:f495a1652cf3fbab2eb0639776dad966c2fb874d79d87ca07f9d5f059b8bd215", size = 201986, upload-time = "2026-04-02T09:26:52.197Z" }, + { url = "https://files.pythonhosted.org/packages/d8/97/bfb18b3db2aed3b90cf54dc292ad79fdd5ad65c4eae454099475cbeadd0d/charset_normalizer-3.4.7-cp313-cp313-manylinux_2_31_riscv64.manylinux_2_39_riscv64.whl", hash = "sha256:e712b419df8ba5e42b226c510472b37bd57b38e897d3eca5e8cfd410a29fa859", size = 211711, upload-time = "2026-04-02T09:26:53.49Z" }, + { url = "https://files.pythonhosted.org/packages/6f/a5/a581c13798546a7fd557c82614a5c65a13df2157e9ad6373166d2a3e645d/charset_normalizer-3.4.7-cp313-cp313-musllinux_1_2_aarch64.whl", hash = "sha256:7804338df6fcc08105c7745f1502ba68d900f45fd770d5bdd5288ddccb8a42d8", size = 210036, upload-time = "2026-04-02T09:26:54.975Z" }, + { url = "https://files.pythonhosted.org/packages/8c/bf/b3ab5bcb478e4193d517644b0fb2bf5497fbceeaa7a1bc0f4d5b50953861/charset_normalizer-3.4.7-cp313-cp313-musllinux_1_2_armv7l.whl", hash = "sha256:481551899c856c704d58119b5025793fa6730adda3571971af568f66d2424bb5", size = 202998, upload-time = "2026-04-02T09:26:56.303Z" }, + { url = "https://files.pythonhosted.org/packages/e7/4e/23efd79b65d314fa320ec6017b4b5834d5c12a58ba4610aa353af2e2f577/charset_normalizer-3.4.7-cp313-cp313-musllinux_1_2_ppc64le.whl", hash = "sha256:f59099f9b66f0d7145115e6f80dd8b1d847176df89b234a5a6b3f00437aa0832", size = 230056, upload-time = "2026-04-02T09:26:57.554Z" }, + { url = "https://files.pythonhosted.org/packages/b9/9f/1e1941bc3f0e01df116e68dc37a55c4d249df5e6fa77f008841aef68264f/charset_normalizer-3.4.7-cp313-cp313-musllinux_1_2_riscv64.whl", hash = "sha256:f59ad4c0e8f6bba240a9bb85504faa1ab438237199d4cce5f622761507b8f6a6", size = 211537, upload-time = "2026-04-02T09:26:58.843Z" }, + { url = "https://files.pythonhosted.org/packages/80/0f/088cbb3020d44428964a6c97fe1edfb1b9550396bf6d278330281e8b709c/charset_normalizer-3.4.7-cp313-cp313-musllinux_1_2_s390x.whl", hash = "sha256:3dedcc22d73ec993f42055eff4fcfed9318d1eeb9a6606c55892a26964964e48", size = 226176, upload-time = "2026-04-02T09:27:00.437Z" }, + { url = "https://files.pythonhosted.org/packages/6a/9f/130394f9bbe06f4f63e22641d32fc9b202b7e251c9aef4db044324dac493/charset_normalizer-3.4.7-cp313-cp313-musllinux_1_2_x86_64.whl", hash = "sha256:64f02c6841d7d83f832cd97ccf8eb8a906d06eb95d5276069175c696b024b60a", size = 217723, upload-time = "2026-04-02T09:27:02.021Z" }, + { url = "https://files.pythonhosted.org/packages/73/55/c469897448a06e49f8fa03f6caae97074fde823f432a98f979cc42b90e69/charset_normalizer-3.4.7-cp313-cp313-win32.whl", hash = "sha256:4042d5c8f957e15221d423ba781e85d553722fc4113f523f2feb7b188cc34c5e", size = 148085, upload-time = "2026-04-02T09:27:03.192Z" }, + { url = "https://files.pythonhosted.org/packages/5d/78/1b74c5bbb3f99b77a1715c91b3e0b5bdb6fe302d95ace4f5b1bec37b0167/charset_normalizer-3.4.7-cp313-cp313-win_amd64.whl", hash = "sha256:3946fa46a0cf3e4c8cb1cc52f56bb536310d34f25f01ca9b6c16afa767dab110", size = 158819, upload-time = "2026-04-02T09:27:04.454Z" }, + { url = "https://files.pythonhosted.org/packages/68/86/46bd42279d323deb8687c4a5a811fd548cb7d1de10cf6535d099877a9a9f/charset_normalizer-3.4.7-cp313-cp313-win_arm64.whl", hash = "sha256:80d04837f55fc81da168b98de4f4b797ef007fc8a79ab71c6ec9bc4dd662b15b", size = 147915, upload-time = "2026-04-02T09:27:05.971Z" }, + { url = "https://files.pythonhosted.org/packages/97/c8/c67cb8c70e19ef1960b97b22ed2a1567711de46c4ddf19799923adc836c2/charset_normalizer-3.4.7-cp314-cp314-macosx_10_15_universal2.whl", hash = "sha256:c36c333c39be2dbca264d7803333c896ab8fa7d4d6f0ab7edb7dfd7aea6e98c0", size = 309234, upload-time = "2026-04-02T09:27:07.194Z" }, + { url = "https://files.pythonhosted.org/packages/99/85/c091fdee33f20de70d6c8b522743b6f831a2f1cd3ff86de4c6a827c48a76/charset_normalizer-3.4.7-cp314-cp314-manylinux2014_aarch64.manylinux_2_17_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:1c2aed2e5e41f24ea8ef1590b8e848a79b56f3a5564a65ceec43c9d692dc7d8a", size = 208042, upload-time = "2026-04-02T09:27:08.749Z" }, + { url = "https://files.pythonhosted.org/packages/87/1c/ab2ce611b984d2fd5d86a5a8a19c1ae26acac6bad967da4967562c75114d/charset_normalizer-3.4.7-cp314-cp314-manylinux2014_ppc64le.manylinux_2_17_ppc64le.manylinux_2_28_ppc64le.whl", hash = "sha256:54523e136b8948060c0fa0bc7b1b50c32c186f2fceee897a495406bb6e311d2b", size = 228706, upload-time = "2026-04-02T09:27:09.951Z" }, + { url = "https://files.pythonhosted.org/packages/a8/29/2b1d2cb00bf085f59d29eb773ce58ec2d325430f8c216804a0a5cd83cbca/charset_normalizer-3.4.7-cp314-cp314-manylinux2014_s390x.manylinux_2_17_s390x.manylinux_2_28_s390x.whl", hash = "sha256:715479b9a2802ecac752a3b0efa2b0b60285cf962ee38414211abdfccc233b41", size = 224727, upload-time = "2026-04-02T09:27:11.175Z" }, + { url = "https://files.pythonhosted.org/packages/47/5c/032c2d5a07fe4d4855fea851209cca2b6f03ebeb6d4e3afdb3358386a684/charset_normalizer-3.4.7-cp314-cp314-manylinux2014_x86_64.manylinux_2_17_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:bd6c2a1c7573c64738d716488d2cdd3c00e340e4835707d8fdb8dc1a66ef164e", size = 215882, upload-time = "2026-04-02T09:27:12.446Z" }, + { url = "https://files.pythonhosted.org/packages/2c/c2/356065d5a8b78ed04499cae5f339f091946a6a74f91e03476c33f0ab7100/charset_normalizer-3.4.7-cp314-cp314-manylinux_2_31_armv7l.whl", hash = "sha256:c45e9440fb78f8ddabcf714b68f936737a121355bf59f3907f4e17721b9d1aae", size = 200860, upload-time = "2026-04-02T09:27:13.721Z" }, + { url = "https://files.pythonhosted.org/packages/0c/cd/a32a84217ced5039f53b29f460962abb2d4420def55afabe45b1c3c7483d/charset_normalizer-3.4.7-cp314-cp314-manylinux_2_31_riscv64.manylinux_2_39_riscv64.whl", hash = "sha256:3534e7dcbdcf757da6b85a0bbf5b6868786d5982dd959b065e65481644817a18", size = 211564, upload-time = "2026-04-02T09:27:15.272Z" }, + { url = "https://files.pythonhosted.org/packages/44/86/58e6f13ce26cc3b8f4a36b94a0f22ae2f00a72534520f4ae6857c4b81f89/charset_normalizer-3.4.7-cp314-cp314-musllinux_1_2_aarch64.whl", hash = "sha256:e8ac484bf18ce6975760921bb6148041faa8fef0547200386ea0b52b5d27bf7b", size = 211276, upload-time = "2026-04-02T09:27:16.834Z" }, + { url = "https://files.pythonhosted.org/packages/8f/fe/d17c32dc72e17e155e06883efa84514ca375f8a528ba2546bee73fc4df81/charset_normalizer-3.4.7-cp314-cp314-musllinux_1_2_armv7l.whl", hash = "sha256:a5fe03b42827c13cdccd08e6c0247b6a6d4b5e3cdc53fd1749f5896adcdc2356", size = 201238, upload-time = "2026-04-02T09:27:18.229Z" }, + { url = "https://files.pythonhosted.org/packages/6a/29/f33daa50b06525a237451cdb6c69da366c381a3dadcd833fa5676bc468b3/charset_normalizer-3.4.7-cp314-cp314-musllinux_1_2_ppc64le.whl", hash = "sha256:2d6eb928e13016cea4f1f21d1e10c1cebd5a421bc57ddf5b1142ae3f86824fab", size = 230189, upload-time = "2026-04-02T09:27:19.445Z" }, + { url = "https://files.pythonhosted.org/packages/b6/6e/52c84015394a6a0bdcd435210a7e944c5f94ea1055f5cc5d56c5fe368e7b/charset_normalizer-3.4.7-cp314-cp314-musllinux_1_2_riscv64.whl", hash = "sha256:e74327fb75de8986940def6e8dee4f127cc9752bee7355bb323cc5b2659b6d46", size = 211352, upload-time = "2026-04-02T09:27:20.79Z" }, + { url = "https://files.pythonhosted.org/packages/8c/d7/4353be581b373033fb9198bf1da3cf8f09c1082561e8e922aa7b39bf9fe8/charset_normalizer-3.4.7-cp314-cp314-musllinux_1_2_s390x.whl", hash = "sha256:d6038d37043bced98a66e68d3aa2b6a35505dc01328cd65217cefe82f25def44", size = 227024, upload-time = "2026-04-02T09:27:22.063Z" }, + { url = "https://files.pythonhosted.org/packages/30/45/99d18aa925bd1740098ccd3060e238e21115fffbfdcb8f3ece837d0ace6c/charset_normalizer-3.4.7-cp314-cp314-musllinux_1_2_x86_64.whl", hash = "sha256:7579e913a5339fb8fa133f6bbcfd8e6749696206cf05acdbdca71a1b436d8e72", size = 217869, upload-time = "2026-04-02T09:27:23.486Z" }, + { url = "https://files.pythonhosted.org/packages/5c/05/5ee478aa53f4bb7996482153d4bfe1b89e0f087f0ab6b294fcf92d595873/charset_normalizer-3.4.7-cp314-cp314-win32.whl", hash = "sha256:5b77459df20e08151cd6f8b9ef8ef1f961ef73d85c21a555c7eed5b79410ec10", size = 148541, upload-time = "2026-04-02T09:27:25.146Z" }, + { url = "https://files.pythonhosted.org/packages/48/77/72dcb0921b2ce86420b2d79d454c7022bf5be40202a2a07906b9f2a35c97/charset_normalizer-3.4.7-cp314-cp314-win_amd64.whl", hash = "sha256:92a0a01ead5e668468e952e4238cccd7c537364eb7d851ab144ab6627dbbe12f", size = 159634, upload-time = "2026-04-02T09:27:26.642Z" }, + { url = "https://files.pythonhosted.org/packages/c6/a3/c2369911cd72f02386e4e340770f6e158c7980267da16af8f668217abaa0/charset_normalizer-3.4.7-cp314-cp314-win_arm64.whl", hash = "sha256:67f6279d125ca0046a7fd386d01b311c6363844deac3e5b069b514ba3e63c246", size = 148384, upload-time = "2026-04-02T09:27:28.271Z" }, + { url = "https://files.pythonhosted.org/packages/94/09/7e8a7f73d24dba1f0035fbbf014d2c36828fc1bf9c88f84093e57d315935/charset_normalizer-3.4.7-cp314-cp314t-macosx_10_15_universal2.whl", hash = "sha256:effc3f449787117233702311a1b7d8f59cba9ced946ba727bdc329ec69028e24", size = 330133, upload-time = "2026-04-02T09:27:29.474Z" }, + { url = "https://files.pythonhosted.org/packages/8d/da/96975ddb11f8e977f706f45cddd8540fd8242f71ecdb5d18a80723dcf62c/charset_normalizer-3.4.7-cp314-cp314t-manylinux2014_aarch64.manylinux_2_17_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:fbccdc05410c9ee21bbf16a35f4c1d16123dcdeb8a1d38f33654fa21d0234f79", size = 216257, upload-time = "2026-04-02T09:27:30.793Z" }, + { url = "https://files.pythonhosted.org/packages/e5/e8/1d63bf8ef2d388e95c64b2098f45f84758f6d102a087552da1485912637b/charset_normalizer-3.4.7-cp314-cp314t-manylinux2014_ppc64le.manylinux_2_17_ppc64le.manylinux_2_28_ppc64le.whl", hash = "sha256:733784b6d6def852c814bce5f318d25da2ee65dd4839a0718641c696e09a2960", size = 234851, upload-time = "2026-04-02T09:27:32.44Z" }, + { url = "https://files.pythonhosted.org/packages/9b/40/e5ff04233e70da2681fa43969ad6f66ca5611d7e669be0246c4c7aaf6dc8/charset_normalizer-3.4.7-cp314-cp314t-manylinux2014_s390x.manylinux_2_17_s390x.manylinux_2_28_s390x.whl", hash = "sha256:a89c23ef8d2c6b27fd200a42aa4ac72786e7c60d40efdc76e6011260b6e949c4", size = 233393, upload-time = "2026-04-02T09:27:34.03Z" }, + { url = "https://files.pythonhosted.org/packages/be/c1/06c6c49d5a5450f76899992f1ee40b41d076aee9279b49cf9974d2f313d5/charset_normalizer-3.4.7-cp314-cp314t-manylinux2014_x86_64.manylinux_2_17_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:6c114670c45346afedc0d947faf3c7f701051d2518b943679c8ff88befe14f8e", size = 223251, upload-time = "2026-04-02T09:27:35.369Z" }, + { url = "https://files.pythonhosted.org/packages/2b/9f/f2ff16fb050946169e3e1f82134d107e5d4ae72647ec8a1b1446c148480f/charset_normalizer-3.4.7-cp314-cp314t-manylinux_2_31_armv7l.whl", hash = "sha256:a180c5e59792af262bf263b21a3c49353f25945d8d9f70628e73de370d55e1e1", size = 206609, upload-time = "2026-04-02T09:27:36.661Z" }, + { url = "https://files.pythonhosted.org/packages/69/d5/a527c0cd8d64d2eab7459784fb4169a0ac76e5a6fc5237337982fd61347e/charset_normalizer-3.4.7-cp314-cp314t-manylinux_2_31_riscv64.manylinux_2_39_riscv64.whl", hash = "sha256:3c9a494bc5ec77d43cea229c4f6db1e4d8fe7e1bbffa8b6f0f0032430ff8ab44", size = 220014, upload-time = "2026-04-02T09:27:38.019Z" }, + { url = "https://files.pythonhosted.org/packages/7e/80/8a7b8104a3e203074dc9aa2c613d4b726c0e136bad1cc734594b02867972/charset_normalizer-3.4.7-cp314-cp314t-musllinux_1_2_aarch64.whl", hash = "sha256:8d828b6667a32a728a1ad1d93957cdf37489c57b97ae6c4de2860fa749b8fc1e", size = 218979, upload-time = "2026-04-02T09:27:39.37Z" }, + { url = "https://files.pythonhosted.org/packages/02/9a/b759b503d507f375b2b5c153e4d2ee0a75aa215b7f2489cf314f4541f2c0/charset_normalizer-3.4.7-cp314-cp314t-musllinux_1_2_armv7l.whl", hash = "sha256:cf1493cd8607bec4d8a7b9b004e699fcf8f9103a9284cc94962cb73d20f9d4a3", size = 209238, upload-time = "2026-04-02T09:27:40.722Z" }, + { url = "https://files.pythonhosted.org/packages/c2/4e/0f3f5d47b86bdb79256e7290b26ac847a2832d9a4033f7eb2cd4bcf4bb5b/charset_normalizer-3.4.7-cp314-cp314t-musllinux_1_2_ppc64le.whl", hash = "sha256:0c96c3b819b5c3e9e165495db84d41914d6894d55181d2d108cc1a69bfc9cce0", size = 236110, upload-time = "2026-04-02T09:27:42.33Z" }, + { url = "https://files.pythonhosted.org/packages/96/23/bce28734eb3ed2c91dcf93abeb8a5cf393a7b2749725030bb630e554fdd8/charset_normalizer-3.4.7-cp314-cp314t-musllinux_1_2_riscv64.whl", hash = "sha256:752a45dc4a6934060b3b0dab47e04edc3326575f82be64bc4fc293914566503e", size = 219824, upload-time = "2026-04-02T09:27:43.924Z" }, + { url = "https://files.pythonhosted.org/packages/2c/6f/6e897c6984cc4d41af319b077f2f600fc8214eb2fe2d6bcb79141b882400/charset_normalizer-3.4.7-cp314-cp314t-musllinux_1_2_s390x.whl", hash = "sha256:8778f0c7a52e56f75d12dae53ae320fae900a8b9b4164b981b9c5ce059cd1fcb", size = 233103, upload-time = "2026-04-02T09:27:45.348Z" }, + { url = "https://files.pythonhosted.org/packages/76/22/ef7bd0fe480a0ae9b656189ec00744b60933f68b4f42a7bb06589f6f576a/charset_normalizer-3.4.7-cp314-cp314t-musllinux_1_2_x86_64.whl", hash = "sha256:ce3412fbe1e31eb81ea42f4169ed94861c56e643189e1e75f0041f3fe7020abe", size = 225194, upload-time = "2026-04-02T09:27:46.706Z" }, + { url = "https://files.pythonhosted.org/packages/c5/a7/0e0ab3e0b5bc1219bd80a6a0d4d72ca74d9250cb2382b7c699c147e06017/charset_normalizer-3.4.7-cp314-cp314t-win32.whl", hash = "sha256:c03a41a8784091e67a39648f70c5f97b5b6a37f216896d44d2cdcb82615339a0", size = 159827, upload-time = "2026-04-02T09:27:48.053Z" }, + { url = "https://files.pythonhosted.org/packages/7a/1d/29d32e0fb40864b1f878c7f5a0b343ae676c6e2b271a2d55cc3a152391da/charset_normalizer-3.4.7-cp314-cp314t-win_amd64.whl", hash = "sha256:03853ed82eeebbce3c2abfdbc98c96dc205f32a79627688ac9a27370ea61a49c", size = 174168, upload-time = "2026-04-02T09:27:49.795Z" }, + { url = "https://files.pythonhosted.org/packages/de/32/d92444ad05c7a6e41fb2036749777c163baf7a0301a040cb672d6b2b1ae9/charset_normalizer-3.4.7-cp314-cp314t-win_arm64.whl", hash = "sha256:c35abb8bfff0185efac5878da64c45dafd2b37fb0383add1be155a763c1f083d", size = 153018, upload-time = "2026-04-02T09:27:51.116Z" }, + { url = "https://files.pythonhosted.org/packages/db/8f/61959034484a4a7c527811f4721e75d02d653a35afb0b6054474d8185d4c/charset_normalizer-3.4.7-py3-none-any.whl", hash = "sha256:3dce51d0f5e7951f8bb4900c257dad282f49190fdbebecd4ba99bcc41fef404d", size = 61958, upload-time = "2026-04-02T09:28:37.794Z" }, +] + +[[package]] +name = "click" +version = "8.3.2" +source = { registry = "https://pypi.org/simple" } +dependencies = [ + { name = "colorama", marker = "sys_platform == 'win32'" }, +] +sdist = { url = "https://files.pythonhosted.org/packages/57/75/31212c6bf2503fdf920d87fee5d7a86a2e3bcf444984126f13d8e4016804/click-8.3.2.tar.gz", hash = "sha256:14162b8b3b3550a7d479eafa77dfd3c38d9dc8951f6f69c78913a8f9a7540fd5", size = 302856, upload-time = "2026-04-03T19:14:45.118Z" } +wheels = [ + { url = "https://files.pythonhosted.org/packages/e4/20/71885d8b97d4f3dde17b1fdb92dbd4908b00541c5a3379787137285f602e/click-8.3.2-py3-none-any.whl", hash = "sha256:1924d2c27c5653561cd2cae4548d1406039cb79b858b747cfea24924bbc1616d", size = 108379, upload-time = "2026-04-03T19:14:43.505Z" }, +] + +[[package]] +name = "colorama" +version = "0.4.6" +source = { registry = "https://pypi.org/simple" } +sdist = { url = "https://files.pythonhosted.org/packages/d8/53/6f443c9a4a8358a93a6792e2acffb9d9d5cb0a5cfd8802644b7b1c9a02e4/colorama-0.4.6.tar.gz", hash = "sha256:08695f5cb7ed6e0531a20572697297273c47b8cae5a63ffc6d6ed5c201be6e44", size = 27697, upload-time = "2022-10-25T02:36:22.414Z" } +wheels = [ + { url = "https://files.pythonhosted.org/packages/d1/d6/3965ed04c63042e047cb6a3e6ed1a63a35087b6a609aa3a15ed8ac56c221/colorama-0.4.6-py2.py3-none-any.whl", hash = "sha256:4f1d9991f5acc0ca119f9d443620b77f9d6b33703e51011c16baf57afb285fc6", size = 25335, upload-time = "2022-10-25T02:36:20.889Z" }, +] + +[[package]] +name = "jinja2" +version = "3.1.6" +source = { registry = "https://pypi.org/simple" } +dependencies = [ + { name = "markupsafe" }, +] +sdist = { url = "https://files.pythonhosted.org/packages/df/bf/f7da0350254c0ed7c72f3e33cef02e048281fec7ecec5f032d4aac52226b/jinja2-3.1.6.tar.gz", hash = "sha256:0137fb05990d35f1275a587e9aee6d56da821fc83491a0fb838183be43f66d6d", size = 245115, upload-time = "2025-03-05T20:05:02.478Z" } +wheels = [ + { url = "https://files.pythonhosted.org/packages/62/a1/3d680cbfd5f4b8f15abc1d571870c5fc3e594bb582bc3b64ea099db13e56/jinja2-3.1.6-py3-none-any.whl", hash = "sha256:85ece4451f492d0c13c5dd7c13a64681a86afae63a5f347908daf103ce6d2f67", size = 134899, upload-time = "2025-03-05T20:05:00.369Z" }, +] + +[[package]] +name = "license-expression" +version = "30.4.4" +source = { registry = "https://pypi.org/simple" } +dependencies = [ + { name = "boolean-py" }, +] +sdist = { url = "https://files.pythonhosted.org/packages/40/71/d89bb0e71b1415453980fd32315f2a037aad9f7f70f695c7cec7035feb13/license_expression-30.4.4.tar.gz", hash = "sha256:73448f0aacd8d0808895bdc4b2c8e01a8d67646e4188f887375398c761f340fd", size = 186402, upload-time = "2025-07-22T11:13:32.17Z" } +wheels = [ + { url = "https://files.pythonhosted.org/packages/af/40/791891d4c0c4dab4c5e187c17261cedc26285fd41541577f900470a45a4d/license_expression-30.4.4-py3-none-any.whl", hash = "sha256:421788fdcadb41f049d2dc934ce666626265aeccefddd25e162a26f23bcbf8a4", size = 120615, upload-time = "2025-07-22T11:13:31.217Z" }, +] + +[[package]] +name = "markupsafe" +version = "3.0.3" +source = { registry = "https://pypi.org/simple" } +sdist = { url = "https://files.pythonhosted.org/packages/7e/99/7690b6d4034fffd95959cbe0c02de8deb3098cc577c67bb6a24fe5d7caa7/markupsafe-3.0.3.tar.gz", hash = "sha256:722695808f4b6457b320fdc131280796bdceb04ab50fe1795cd540799ebe1698", size = 80313, upload-time = "2025-09-27T18:37:40.426Z" } +wheels = [ + { url = "https://files.pythonhosted.org/packages/5a/72/147da192e38635ada20e0a2e1a51cf8823d2119ce8883f7053879c2199b5/markupsafe-3.0.3-cp312-cp312-macosx_10_13_x86_64.whl", hash = "sha256:d53197da72cc091b024dd97249dfc7794d6a56530370992a5e1a08983ad9230e", size = 11615, upload-time = "2025-09-27T18:36:30.854Z" }, + { url = "https://files.pythonhosted.org/packages/9a/81/7e4e08678a1f98521201c3079f77db69fb552acd56067661f8c2f534a718/markupsafe-3.0.3-cp312-cp312-macosx_11_0_arm64.whl", hash = "sha256:1872df69a4de6aead3491198eaf13810b565bdbeec3ae2dc8780f14458ec73ce", size = 12020, upload-time = "2025-09-27T18:36:31.971Z" }, + { url = "https://files.pythonhosted.org/packages/1e/2c/799f4742efc39633a1b54a92eec4082e4f815314869865d876824c257c1e/markupsafe-3.0.3-cp312-cp312-manylinux2014_aarch64.manylinux_2_17_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:3a7e8ae81ae39e62a41ec302f972ba6ae23a5c5396c8e60113e9066ef893da0d", size = 24332, upload-time = "2025-09-27T18:36:32.813Z" }, + { url = "https://files.pythonhosted.org/packages/3c/2e/8d0c2ab90a8c1d9a24f0399058ab8519a3279d1bd4289511d74e909f060e/markupsafe-3.0.3-cp312-cp312-manylinux2014_x86_64.manylinux_2_17_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:d6dd0be5b5b189d31db7cda48b91d7e0a9795f31430b7f271219ab30f1d3ac9d", size = 22947, upload-time = "2025-09-27T18:36:33.86Z" }, + { url = "https://files.pythonhosted.org/packages/2c/54/887f3092a85238093a0b2154bd629c89444f395618842e8b0c41783898ea/markupsafe-3.0.3-cp312-cp312-manylinux_2_31_riscv64.manylinux_2_39_riscv64.whl", hash = "sha256:94c6f0bb423f739146aec64595853541634bde58b2135f27f61c1ffd1cd4d16a", size = 21962, upload-time = "2025-09-27T18:36:35.099Z" }, + { url = "https://files.pythonhosted.org/packages/c9/2f/336b8c7b6f4a4d95e91119dc8521402461b74a485558d8f238a68312f11c/markupsafe-3.0.3-cp312-cp312-musllinux_1_2_aarch64.whl", hash = "sha256:be8813b57049a7dc738189df53d69395eba14fb99345e0a5994914a3864c8a4b", size = 23760, upload-time = "2025-09-27T18:36:36.001Z" }, + { url = "https://files.pythonhosted.org/packages/32/43/67935f2b7e4982ffb50a4d169b724d74b62a3964bc1a9a527f5ac4f1ee2b/markupsafe-3.0.3-cp312-cp312-musllinux_1_2_riscv64.whl", hash = "sha256:83891d0e9fb81a825d9a6d61e3f07550ca70a076484292a70fde82c4b807286f", size = 21529, upload-time = "2025-09-27T18:36:36.906Z" }, + { url = "https://files.pythonhosted.org/packages/89/e0/4486f11e51bbba8b0c041098859e869e304d1c261e59244baa3d295d47b7/markupsafe-3.0.3-cp312-cp312-musllinux_1_2_x86_64.whl", hash = "sha256:77f0643abe7495da77fb436f50f8dab76dbc6e5fd25d39589a0f1fe6548bfa2b", size = 23015, upload-time = "2025-09-27T18:36:37.868Z" }, + { url = "https://files.pythonhosted.org/packages/2f/e1/78ee7a023dac597a5825441ebd17170785a9dab23de95d2c7508ade94e0e/markupsafe-3.0.3-cp312-cp312-win32.whl", hash = "sha256:d88b440e37a16e651bda4c7c2b930eb586fd15ca7406cb39e211fcff3bf3017d", size = 14540, upload-time = "2025-09-27T18:36:38.761Z" }, + { url = "https://files.pythonhosted.org/packages/aa/5b/bec5aa9bbbb2c946ca2733ef9c4ca91c91b6a24580193e891b5f7dbe8e1e/markupsafe-3.0.3-cp312-cp312-win_amd64.whl", hash = "sha256:26a5784ded40c9e318cfc2bdb30fe164bdb8665ded9cd64d500a34fb42067b1c", size = 15105, upload-time = "2025-09-27T18:36:39.701Z" }, + { url = "https://files.pythonhosted.org/packages/e5/f1/216fc1bbfd74011693a4fd837e7026152e89c4bcf3e77b6692fba9923123/markupsafe-3.0.3-cp312-cp312-win_arm64.whl", hash = "sha256:35add3b638a5d900e807944a078b51922212fb3dedb01633a8defc4b01a3c85f", size = 13906, upload-time = "2025-09-27T18:36:40.689Z" }, + { url = "https://files.pythonhosted.org/packages/38/2f/907b9c7bbba283e68f20259574b13d005c121a0fa4c175f9bed27c4597ff/markupsafe-3.0.3-cp313-cp313-macosx_10_13_x86_64.whl", hash = "sha256:e1cf1972137e83c5d4c136c43ced9ac51d0e124706ee1c8aa8532c1287fa8795", size = 11622, upload-time = "2025-09-27T18:36:41.777Z" }, + { url = "https://files.pythonhosted.org/packages/9c/d9/5f7756922cdd676869eca1c4e3c0cd0df60ed30199ffd775e319089cb3ed/markupsafe-3.0.3-cp313-cp313-macosx_11_0_arm64.whl", hash = "sha256:116bb52f642a37c115f517494ea5feb03889e04df47eeff5b130b1808ce7c219", size = 12029, upload-time = "2025-09-27T18:36:43.257Z" }, + { url = "https://files.pythonhosted.org/packages/00/07/575a68c754943058c78f30db02ee03a64b3c638586fba6a6dd56830b30a3/markupsafe-3.0.3-cp313-cp313-manylinux2014_aarch64.manylinux_2_17_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:133a43e73a802c5562be9bbcd03d090aa5a1fe899db609c29e8c8d815c5f6de6", size = 24374, upload-time = "2025-09-27T18:36:44.508Z" }, + { url = "https://files.pythonhosted.org/packages/a9/21/9b05698b46f218fc0e118e1f8168395c65c8a2c750ae2bab54fc4bd4e0e8/markupsafe-3.0.3-cp313-cp313-manylinux2014_x86_64.manylinux_2_17_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:ccfcd093f13f0f0b7fdd0f198b90053bf7b2f02a3927a30e63f3ccc9df56b676", size = 22980, upload-time = "2025-09-27T18:36:45.385Z" }, + { url = "https://files.pythonhosted.org/packages/7f/71/544260864f893f18b6827315b988c146b559391e6e7e8f7252839b1b846a/markupsafe-3.0.3-cp313-cp313-manylinux_2_31_riscv64.manylinux_2_39_riscv64.whl", hash = "sha256:509fa21c6deb7a7a273d629cf5ec029bc209d1a51178615ddf718f5918992ab9", size = 21990, upload-time = "2025-09-27T18:36:46.916Z" }, + { url = "https://files.pythonhosted.org/packages/c2/28/b50fc2f74d1ad761af2f5dcce7492648b983d00a65b8c0e0cb457c82ebbe/markupsafe-3.0.3-cp313-cp313-musllinux_1_2_aarch64.whl", hash = "sha256:a4afe79fb3de0b7097d81da19090f4df4f8d3a2b3adaa8764138aac2e44f3af1", size = 23784, upload-time = "2025-09-27T18:36:47.884Z" }, + { url = "https://files.pythonhosted.org/packages/ed/76/104b2aa106a208da8b17a2fb72e033a5a9d7073c68f7e508b94916ed47a9/markupsafe-3.0.3-cp313-cp313-musllinux_1_2_riscv64.whl", hash = "sha256:795e7751525cae078558e679d646ae45574b47ed6e7771863fcc079a6171a0fc", size = 21588, upload-time = "2025-09-27T18:36:48.82Z" }, + { url = "https://files.pythonhosted.org/packages/b5/99/16a5eb2d140087ebd97180d95249b00a03aa87e29cc224056274f2e45fd6/markupsafe-3.0.3-cp313-cp313-musllinux_1_2_x86_64.whl", hash = "sha256:8485f406a96febb5140bfeca44a73e3ce5116b2501ac54fe953e488fb1d03b12", size = 23041, upload-time = "2025-09-27T18:36:49.797Z" }, + { url = "https://files.pythonhosted.org/packages/19/bc/e7140ed90c5d61d77cea142eed9f9c303f4c4806f60a1044c13e3f1471d0/markupsafe-3.0.3-cp313-cp313-win32.whl", hash = "sha256:bdd37121970bfd8be76c5fb069c7751683bdf373db1ed6c010162b2a130248ed", size = 14543, upload-time = "2025-09-27T18:36:51.584Z" }, + { url = "https://files.pythonhosted.org/packages/05/73/c4abe620b841b6b791f2edc248f556900667a5a1cf023a6646967ae98335/markupsafe-3.0.3-cp313-cp313-win_amd64.whl", hash = "sha256:9a1abfdc021a164803f4d485104931fb8f8c1efd55bc6b748d2f5774e78b62c5", size = 15113, upload-time = "2025-09-27T18:36:52.537Z" }, + { url = "https://files.pythonhosted.org/packages/f0/3a/fa34a0f7cfef23cf9500d68cb7c32dd64ffd58a12b09225fb03dd37d5b80/markupsafe-3.0.3-cp313-cp313-win_arm64.whl", hash = "sha256:7e68f88e5b8799aa49c85cd116c932a1ac15caaa3f5db09087854d218359e485", size = 13911, upload-time = "2025-09-27T18:36:53.513Z" }, + { url = "https://files.pythonhosted.org/packages/e4/d7/e05cd7efe43a88a17a37b3ae96e79a19e846f3f456fe79c57ca61356ef01/markupsafe-3.0.3-cp313-cp313t-macosx_10_13_x86_64.whl", hash = "sha256:218551f6df4868a8d527e3062d0fb968682fe92054e89978594c28e642c43a73", size = 11658, upload-time = "2025-09-27T18:36:54.819Z" }, + { url = "https://files.pythonhosted.org/packages/99/9e/e412117548182ce2148bdeacdda3bb494260c0b0184360fe0d56389b523b/markupsafe-3.0.3-cp313-cp313t-macosx_11_0_arm64.whl", hash = "sha256:3524b778fe5cfb3452a09d31e7b5adefeea8c5be1d43c4f810ba09f2ceb29d37", size = 12066, upload-time = "2025-09-27T18:36:55.714Z" }, + { url = "https://files.pythonhosted.org/packages/bc/e6/fa0ffcda717ef64a5108eaa7b4f5ed28d56122c9a6d70ab8b72f9f715c80/markupsafe-3.0.3-cp313-cp313t-manylinux2014_aarch64.manylinux_2_17_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:4e885a3d1efa2eadc93c894a21770e4bc67899e3543680313b09f139e149ab19", size = 25639, upload-time = "2025-09-27T18:36:56.908Z" }, + { url = "https://files.pythonhosted.org/packages/96/ec/2102e881fe9d25fc16cb4b25d5f5cde50970967ffa5dddafdb771237062d/markupsafe-3.0.3-cp313-cp313t-manylinux2014_x86_64.manylinux_2_17_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:8709b08f4a89aa7586de0aadc8da56180242ee0ada3999749b183aa23df95025", size = 23569, upload-time = "2025-09-27T18:36:57.913Z" }, + { url = "https://files.pythonhosted.org/packages/4b/30/6f2fce1f1f205fc9323255b216ca8a235b15860c34b6798f810f05828e32/markupsafe-3.0.3-cp313-cp313t-manylinux_2_31_riscv64.manylinux_2_39_riscv64.whl", hash = "sha256:b8512a91625c9b3da6f127803b166b629725e68af71f8184ae7e7d54686a56d6", size = 23284, upload-time = "2025-09-27T18:36:58.833Z" }, + { url = "https://files.pythonhosted.org/packages/58/47/4a0ccea4ab9f5dcb6f79c0236d954acb382202721e704223a8aafa38b5c8/markupsafe-3.0.3-cp313-cp313t-musllinux_1_2_aarch64.whl", hash = "sha256:9b79b7a16f7fedff2495d684f2b59b0457c3b493778c9eed31111be64d58279f", size = 24801, upload-time = "2025-09-27T18:36:59.739Z" }, + { url = "https://files.pythonhosted.org/packages/6a/70/3780e9b72180b6fecb83a4814d84c3bf4b4ae4bf0b19c27196104149734c/markupsafe-3.0.3-cp313-cp313t-musllinux_1_2_riscv64.whl", hash = "sha256:12c63dfb4a98206f045aa9563db46507995f7ef6d83b2f68eda65c307c6829eb", size = 22769, upload-time = "2025-09-27T18:37:00.719Z" }, + { url = "https://files.pythonhosted.org/packages/98/c5/c03c7f4125180fc215220c035beac6b9cb684bc7a067c84fc69414d315f5/markupsafe-3.0.3-cp313-cp313t-musllinux_1_2_x86_64.whl", hash = "sha256:8f71bc33915be5186016f675cd83a1e08523649b0e33efdb898db577ef5bb009", size = 23642, upload-time = "2025-09-27T18:37:01.673Z" }, + { url = "https://files.pythonhosted.org/packages/80/d6/2d1b89f6ca4bff1036499b1e29a1d02d282259f3681540e16563f27ebc23/markupsafe-3.0.3-cp313-cp313t-win32.whl", hash = "sha256:69c0b73548bc525c8cb9a251cddf1931d1db4d2258e9599c28c07ef3580ef354", size = 14612, upload-time = "2025-09-27T18:37:02.639Z" }, + { url = "https://files.pythonhosted.org/packages/2b/98/e48a4bfba0a0ffcf9925fe2d69240bfaa19c6f7507b8cd09c70684a53c1e/markupsafe-3.0.3-cp313-cp313t-win_amd64.whl", hash = "sha256:1b4b79e8ebf6b55351f0d91fe80f893b4743f104bff22e90697db1590e47a218", size = 15200, upload-time = "2025-09-27T18:37:03.582Z" }, + { url = "https://files.pythonhosted.org/packages/0e/72/e3cc540f351f316e9ed0f092757459afbc595824ca724cbc5a5d4263713f/markupsafe-3.0.3-cp313-cp313t-win_arm64.whl", hash = "sha256:ad2cf8aa28b8c020ab2fc8287b0f823d0a7d8630784c31e9ee5edea20f406287", size = 13973, upload-time = "2025-09-27T18:37:04.929Z" }, + { url = "https://files.pythonhosted.org/packages/33/8a/8e42d4838cd89b7dde187011e97fe6c3af66d8c044997d2183fbd6d31352/markupsafe-3.0.3-cp314-cp314-macosx_10_13_x86_64.whl", hash = "sha256:eaa9599de571d72e2daf60164784109f19978b327a3910d3e9de8c97b5b70cfe", size = 11619, upload-time = "2025-09-27T18:37:06.342Z" }, + { url = "https://files.pythonhosted.org/packages/b5/64/7660f8a4a8e53c924d0fa05dc3a55c9cee10bbd82b11c5afb27d44b096ce/markupsafe-3.0.3-cp314-cp314-macosx_11_0_arm64.whl", hash = "sha256:c47a551199eb8eb2121d4f0f15ae0f923d31350ab9280078d1e5f12b249e0026", size = 12029, upload-time = "2025-09-27T18:37:07.213Z" }, + { url = "https://files.pythonhosted.org/packages/da/ef/e648bfd021127bef5fa12e1720ffed0c6cbb8310c8d9bea7266337ff06de/markupsafe-3.0.3-cp314-cp314-manylinux2014_aarch64.manylinux_2_17_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:f34c41761022dd093b4b6896d4810782ffbabe30f2d443ff5f083e0cbbb8c737", size = 24408, upload-time = "2025-09-27T18:37:09.572Z" }, + { url = "https://files.pythonhosted.org/packages/41/3c/a36c2450754618e62008bf7435ccb0f88053e07592e6028a34776213d877/markupsafe-3.0.3-cp314-cp314-manylinux2014_x86_64.manylinux_2_17_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:457a69a9577064c05a97c41f4e65148652db078a3a509039e64d3467b9e7ef97", size = 23005, upload-time = "2025-09-27T18:37:10.58Z" }, + { url = "https://files.pythonhosted.org/packages/bc/20/b7fdf89a8456b099837cd1dc21974632a02a999ec9bf7ca3e490aacd98e7/markupsafe-3.0.3-cp314-cp314-manylinux_2_31_riscv64.manylinux_2_39_riscv64.whl", hash = "sha256:e8afc3f2ccfa24215f8cb28dcf43f0113ac3c37c2f0f0806d8c70e4228c5cf4d", size = 22048, upload-time = "2025-09-27T18:37:11.547Z" }, + { url = "https://files.pythonhosted.org/packages/9a/a7/591f592afdc734f47db08a75793a55d7fbcc6902a723ae4cfbab61010cc5/markupsafe-3.0.3-cp314-cp314-musllinux_1_2_aarch64.whl", hash = "sha256:ec15a59cf5af7be74194f7ab02d0f59a62bdcf1a537677ce67a2537c9b87fcda", size = 23821, upload-time = "2025-09-27T18:37:12.48Z" }, + { url = "https://files.pythonhosted.org/packages/7d/33/45b24e4f44195b26521bc6f1a82197118f74df348556594bd2262bda1038/markupsafe-3.0.3-cp314-cp314-musllinux_1_2_riscv64.whl", hash = "sha256:0eb9ff8191e8498cca014656ae6b8d61f39da5f95b488805da4bb029cccbfbaf", size = 21606, upload-time = "2025-09-27T18:37:13.485Z" }, + { url = "https://files.pythonhosted.org/packages/ff/0e/53dfaca23a69fbfbbf17a4b64072090e70717344c52eaaaa9c5ddff1e5f0/markupsafe-3.0.3-cp314-cp314-musllinux_1_2_x86_64.whl", hash = "sha256:2713baf880df847f2bece4230d4d094280f4e67b1e813eec43b4c0e144a34ffe", size = 23043, upload-time = "2025-09-27T18:37:14.408Z" }, + { url = "https://files.pythonhosted.org/packages/46/11/f333a06fc16236d5238bfe74daccbca41459dcd8d1fa952e8fbd5dccfb70/markupsafe-3.0.3-cp314-cp314-win32.whl", hash = "sha256:729586769a26dbceff69f7a7dbbf59ab6572b99d94576a5592625d5b411576b9", size = 14747, upload-time = "2025-09-27T18:37:15.36Z" }, + { url = "https://files.pythonhosted.org/packages/28/52/182836104b33b444e400b14f797212f720cbc9ed6ba34c800639d154e821/markupsafe-3.0.3-cp314-cp314-win_amd64.whl", hash = "sha256:bdc919ead48f234740ad807933cdf545180bfbe9342c2bb451556db2ed958581", size = 15341, upload-time = "2025-09-27T18:37:16.496Z" }, + { url = "https://files.pythonhosted.org/packages/6f/18/acf23e91bd94fd7b3031558b1f013adfa21a8e407a3fdb32745538730382/markupsafe-3.0.3-cp314-cp314-win_arm64.whl", hash = "sha256:5a7d5dc5140555cf21a6fefbdbf8723f06fcd2f63ef108f2854de715e4422cb4", size = 14073, upload-time = "2025-09-27T18:37:17.476Z" }, + { url = "https://files.pythonhosted.org/packages/3c/f0/57689aa4076e1b43b15fdfa646b04653969d50cf30c32a102762be2485da/markupsafe-3.0.3-cp314-cp314t-macosx_10_13_x86_64.whl", hash = "sha256:1353ef0c1b138e1907ae78e2f6c63ff67501122006b0f9abad68fda5f4ffc6ab", size = 11661, upload-time = "2025-09-27T18:37:18.453Z" }, + { url = "https://files.pythonhosted.org/packages/89/c3/2e67a7ca217c6912985ec766c6393b636fb0c2344443ff9d91404dc4c79f/markupsafe-3.0.3-cp314-cp314t-macosx_11_0_arm64.whl", hash = "sha256:1085e7fbddd3be5f89cc898938f42c0b3c711fdcb37d75221de2666af647c175", size = 12069, upload-time = "2025-09-27T18:37:19.332Z" }, + { url = "https://files.pythonhosted.org/packages/f0/00/be561dce4e6ca66b15276e184ce4b8aec61fe83662cce2f7d72bd3249d28/markupsafe-3.0.3-cp314-cp314t-manylinux2014_aarch64.manylinux_2_17_aarch64.manylinux_2_28_aarch64.whl", hash = "sha256:1b52b4fb9df4eb9ae465f8d0c228a00624de2334f216f178a995ccdcf82c4634", size = 25670, upload-time = "2025-09-27T18:37:20.245Z" }, + { url = "https://files.pythonhosted.org/packages/50/09/c419f6f5a92e5fadde27efd190eca90f05e1261b10dbd8cbcb39cd8ea1dc/markupsafe-3.0.3-cp314-cp314t-manylinux2014_x86_64.manylinux_2_17_x86_64.manylinux_2_28_x86_64.whl", hash = "sha256:fed51ac40f757d41b7c48425901843666a6677e3e8eb0abcff09e4ba6e664f50", size = 23598, upload-time = "2025-09-27T18:37:21.177Z" }, + { url = "https://files.pythonhosted.org/packages/22/44/a0681611106e0b2921b3033fc19bc53323e0b50bc70cffdd19f7d679bb66/markupsafe-3.0.3-cp314-cp314t-manylinux_2_31_riscv64.manylinux_2_39_riscv64.whl", hash = "sha256:f190daf01f13c72eac4efd5c430a8de82489d9cff23c364c3ea822545032993e", size = 23261, upload-time = "2025-09-27T18:37:22.167Z" }, + { url = "https://files.pythonhosted.org/packages/5f/57/1b0b3f100259dc9fffe780cfb60d4be71375510e435efec3d116b6436d43/markupsafe-3.0.3-cp314-cp314t-musllinux_1_2_aarch64.whl", hash = "sha256:e56b7d45a839a697b5eb268c82a71bd8c7f6c94d6fd50c3d577fa39a9f1409f5", size = 24835, upload-time = "2025-09-27T18:37:23.296Z" }, + { url = "https://files.pythonhosted.org/packages/26/6a/4bf6d0c97c4920f1597cc14dd720705eca0bf7c787aebc6bb4d1bead5388/markupsafe-3.0.3-cp314-cp314t-musllinux_1_2_riscv64.whl", hash = "sha256:f3e98bb3798ead92273dc0e5fd0f31ade220f59a266ffd8a4f6065e0a3ce0523", size = 22733, upload-time = "2025-09-27T18:37:24.237Z" }, + { url = "https://files.pythonhosted.org/packages/14/c7/ca723101509b518797fedc2fdf79ba57f886b4aca8a7d31857ba3ee8281f/markupsafe-3.0.3-cp314-cp314t-musllinux_1_2_x86_64.whl", hash = "sha256:5678211cb9333a6468fb8d8be0305520aa073f50d17f089b5b4b477ea6e67fdc", size = 23672, upload-time = "2025-09-27T18:37:25.271Z" }, + { url = "https://files.pythonhosted.org/packages/fb/df/5bd7a48c256faecd1d36edc13133e51397e41b73bb77e1a69deab746ebac/markupsafe-3.0.3-cp314-cp314t-win32.whl", hash = "sha256:915c04ba3851909ce68ccc2b8e2cd691618c4dc4c4232fb7982bca3f41fd8c3d", size = 14819, upload-time = "2025-09-27T18:37:26.285Z" }, + { url = "https://files.pythonhosted.org/packages/1a/8a/0402ba61a2f16038b48b39bccca271134be00c5c9f0f623208399333c448/markupsafe-3.0.3-cp314-cp314t-win_amd64.whl", hash = "sha256:4faffd047e07c38848ce017e8725090413cd80cbc23d86e55c587bf979e579c9", size = 15426, upload-time = "2025-09-27T18:37:27.316Z" }, + { url = "https://files.pythonhosted.org/packages/70/bc/6f1c2f612465f5fa89b95bead1f44dcb607670fd42891d8fdcd5d039f4f4/markupsafe-3.0.3-cp314-cp314t-win_arm64.whl", hash = "sha256:32001d6a8fc98c8cb5c947787c5d08b0a50663d139f1305bac5885d98d9b40fa", size = 14146, upload-time = "2025-09-27T18:37:28.327Z" }, +] + +[[package]] +name = "python-debian" +version = "1.1.0" +source = { registry = "https://pypi.org/simple" } +dependencies = [ + { name = "charset-normalizer" }, +] +sdist = { url = "https://files.pythonhosted.org/packages/eb/f4/ec7ba072029399a89a2670bcef4df79c52f2efaa672f86e0a86252313333/python_debian-1.1.0.tar.gz", hash = "sha256:afe3c7267d81c29c79ab44d803a0756d0796b0e41bb0a05c5cafcdd2b980d4e6", size = 127848, upload-time = "2026-02-09T02:13:24.491Z" } +wheels = [ + { url = "https://files.pythonhosted.org/packages/0a/66/af49103279c07900b89b7ebac53111910aa8eb6d898be0b47220036b0b03/python_debian-1.1.0-py3-none-any.whl", hash = "sha256:3e553b6d0b886272a26649e13106e33c382bcd21c80b09f5c0c81fc7c8c8c743", size = 137984, upload-time = "2026-02-09T02:13:22.54Z" }, +] + +[[package]] +name = "python-magic" +version = "0.4.27" +source = { registry = "https://pypi.org/simple" } +sdist = { url = "https://files.pythonhosted.org/packages/da/db/0b3e28ac047452d079d375ec6798bf76a036a08182dbb39ed38116a49130/python-magic-0.4.27.tar.gz", hash = "sha256:c1ba14b08e4a5f5c31a302b7721239695b2f0f058d125bd5ce1ee36b9d9d3c3b", size = 14677, upload-time = "2022-06-07T20:16:59.508Z" } +wheels = [ + { url = "https://files.pythonhosted.org/packages/6c/73/9f872cb81fc5c3bb48f7227872c28975f998f3e7c2b1c16e95e6432bbb90/python_magic-0.4.27-py2.py3-none-any.whl", hash = "sha256:c212960ad306f700aa0d01e5d7a325d20548ff97eb9920dcd29513174f0294d3", size = 13840, upload-time = "2022-06-07T20:16:57.763Z" }, +] + +[[package]] +name = "reuse" +version = "6.2.0" +source = { registry = "https://pypi.org/simple" } +dependencies = [ + { name = "attrs" }, + { name = "click" }, + { name = "jinja2" }, + { name = "license-expression" }, + { name = "python-debian" }, + { name = "python-magic" }, + { name = "tomlkit" }, +] +sdist = { url = "https://files.pythonhosted.org/packages/05/35/298d9410b3635107ce586725cdfbca4c219c08d77a3511551f5e479a78db/reuse-6.2.0.tar.gz", hash = "sha256:4feae057a2334c9a513e6933cdb9be819d8b822f3b5b435a36138bd218897d23", size = 1615611, upload-time = "2025-10-27T15:25:46.336Z" } + +[[package]] +name = "tomlkit" +version = "0.14.0" +source = { registry = "https://pypi.org/simple" } +sdist = { url = "https://files.pythonhosted.org/packages/c3/af/14b24e41977adb296d6bd1fb59402cf7d60ce364f90c890bd2ec65c43b5a/tomlkit-0.14.0.tar.gz", hash = "sha256:cf00efca415dbd57575befb1f6634c4f42d2d87dbba376128adb42c121b87064", size = 187167, upload-time = "2026-01-13T01:14:53.304Z" } +wheels = [ + { url = "https://files.pythonhosted.org/packages/b5/11/87d6d29fb5d237229d67973a6c9e06e048f01cf4994dee194ab0ea841814/tomlkit-0.14.0-py3-none-any.whl", hash = "sha256:592064ed85b40fa213469f81ac584f67a4f2992509a7c3ea2d632208623a3680", size = 39310, upload-time = "2026-01-13T01:14:51.965Z" }, +] diff --git a/yarn.lock b/yarn.lock new file mode 100644 index 0000000..4f8c265 --- /dev/null +++ b/yarn.lock @@ -0,0 +1,717 @@ +# This file is generated by running "yarn install" inside your project. +# Manual changes might be lost - proceed with caution! + +__metadata: + version: 8 + cacheKey: 10c0 + +"@chevrotain/cst-dts-gen@npm:11.0.3": + version: 11.0.3 + resolution: "@chevrotain/cst-dts-gen@npm:11.0.3" + dependencies: + "@chevrotain/gast": "npm:11.0.3" + "@chevrotain/types": "npm:11.0.3" + lodash-es: "npm:4.17.21" + checksum: 10c0/9e945a0611386e4e08af34c2d0b3af36c1af08f726b58145f11310f2aeafcb2d65264c06ec65a32df6b6a65771e6a55be70580c853afe3ceb51487e506967104 + languageName: node + linkType: hard + +"@chevrotain/gast@npm:11.0.3": + version: 11.0.3 + resolution: "@chevrotain/gast@npm:11.0.3" + dependencies: + "@chevrotain/types": "npm:11.0.3" + lodash-es: "npm:4.17.21" + checksum: 10c0/54fc44d7b4a7b0323f49d957dd88ad44504922d30cb226d93b430b0e09925efe44e0726068581d777f423fabfb878a2238ed2c87b690c0c0014ebd12b6968354 + languageName: node + linkType: hard + +"@chevrotain/regexp-to-ast@npm:11.0.3": + version: 11.0.3 + resolution: "@chevrotain/regexp-to-ast@npm:11.0.3" + checksum: 10c0/6939c5c94fbfb8c559a4a37a283af5ded8e6147b184a7d7bcf5ad1404d9d663c78d81602bd8ea8458ec497358a9e1671541099c511835d0be2cad46f00c62b3f + languageName: node + linkType: hard + +"@chevrotain/types@npm:11.0.3": + version: 11.0.3 + resolution: "@chevrotain/types@npm:11.0.3" + checksum: 10c0/72fe8f0010ebef848e47faea14a88c6fdc3cdbafaef6b13df4a18c7d33249b1b675e37b05cb90a421700c7016dae7cd4187ab6b549e176a81cea434f69cd2503 + languageName: node + linkType: hard + +"@chevrotain/utils@npm:11.0.3": + version: 11.0.3 + resolution: "@chevrotain/utils@npm:11.0.3" + checksum: 10c0/b31972d1b2d444eef1499cf9b7576fc1793e8544910de33a3c18e07c270cfad88067f175d0ee63e7bc604713ebed647f8190db45cc8311852cd2d4fe2ef14068 + languageName: node + linkType: hard + +"@prettier/plugin-xml@npm:^3.4.2": + version: 3.4.2 + resolution: "@prettier/plugin-xml@npm:3.4.2" + dependencies: + "@xml-tools/parser": "npm:^1.0.11" + peerDependencies: + prettier: ^3.0.0 + checksum: 10c0/e5343e71b3c2850d879bb4390d9918dab1238eb79adefb1357a4e4c7207a19a1ac8192a967112325e1280f0d6bda397014fd83df6f8844e0afac5e2d747a814b + languageName: node + linkType: hard + +"@taplo/core@npm:^0.2.0": + version: 0.2.0 + resolution: "@taplo/core@npm:0.2.0" + checksum: 10c0/4bbc3b696c49e267da2dfcd13e7812e5c09febda583856b35569773542e93f9c28a50dab69c635e1d5e11a4de6962ab08e006985fa38d2df1b3ef19d471efa05 + languageName: node + linkType: hard + +"@taplo/lib@npm:^0.5.0": + version: 0.5.0 + resolution: "@taplo/lib@npm:0.5.0" + dependencies: + "@taplo/core": "npm:^0.2.0" + checksum: 10c0/0d1ea190586cac09a1c28fc43f807ba843a3313329744aacf49200da909beacbc43e5ebb89677d608b821458ad9378bc3d398c2aa7eff7e567ad59f85cc5ed82 + languageName: node + linkType: hard + +"@xenoterracide/agents@workspace:.": + version: 0.0.0-use.local + resolution: "@xenoterracide/agents@workspace:." + dependencies: + "@prettier/plugin-xml": "npm:^3.4.2" + git-conventional-commits: "npm:^2.8.0" + lint-staged: "npm:^16.2.1" + prettier: "npm:^3.6.2" + prettier-plugin-java: "npm:^2.7.5" + prettier-plugin-properties: "npm:^0.3.0" + prettier-plugin-toml: "npm:^2.0.6" + rimraf: "npm:^6.1.2" + languageName: unknown + linkType: soft + +"@xml-tools/parser@npm:^1.0.11": + version: 1.0.11 + resolution: "@xml-tools/parser@npm:1.0.11" + dependencies: + chevrotain: "npm:7.1.1" + checksum: 10c0/5abc75163d6b2ac8e9006a54576523513535953237463297137c5a3665ce1b9d220b77b6dbb68ab93df3fab40bbc98bbb10e90dd690fd7646fdb021323827971 + languageName: node + linkType: hard + +"ansi-escapes@npm:^7.0.0": + version: 7.3.0 + resolution: "ansi-escapes@npm:7.3.0" + dependencies: + environment: "npm:^1.0.0" + checksum: 10c0/068961d99f0ef28b661a4a9f84a5d645df93ccf3b9b93816cc7d46bbe1913321d4cdf156bb842a4e1e4583b7375c631fa963efb43001c4eb7ff9ab8f78fc0679 + languageName: node + linkType: hard + +"ansi-regex@npm:^5.0.1": + version: 5.0.1 + resolution: "ansi-regex@npm:5.0.1" + checksum: 10c0/9a64bb8627b434ba9327b60c027742e5d17ac69277960d041898596271d992d4d52ba7267a63ca10232e29f6107fc8a835f6ce8d719b88c5f8493f8254813737 + languageName: node + linkType: hard + +"ansi-regex@npm:^6.2.2": + version: 6.2.2 + resolution: "ansi-regex@npm:6.2.2" + checksum: 10c0/05d4acb1d2f59ab2cf4b794339c7b168890d44dda4bf0ce01152a8da0213aca207802f930442ce8cd22d7a92f44907664aac6508904e75e038fa944d2601b30f + languageName: node + linkType: hard + +"ansi-styles@npm:^4.0.0": + version: 4.3.0 + resolution: "ansi-styles@npm:4.3.0" + dependencies: + color-convert: "npm:^2.0.1" + checksum: 10c0/895a23929da416f2bd3de7e9cb4eabd340949328ab85ddd6e484a637d8f6820d485f53933446f5291c3b760cbc488beb8e88573dd0f9c7daf83dccc8fe81b041 + languageName: node + linkType: hard + +"ansi-styles@npm:^6.2.1, ansi-styles@npm:^6.2.3": + version: 6.2.3 + resolution: "ansi-styles@npm:6.2.3" + checksum: 10c0/23b8a4ce14e18fb854693b95351e286b771d23d8844057ed2e7d083cd3e708376c3323707ec6a24365f7d7eda3ca00327fe04092e29e551499ec4c8b7bfac868 + languageName: node + linkType: hard + +"balanced-match@npm:^4.0.2": + version: 4.0.4 + resolution: "balanced-match@npm:4.0.4" + checksum: 10c0/07e86102a3eb2ee2a6a1a89164f29d0dbaebd28f2ca3f5ca786f36b8b23d9e417eb3be45a4acf754f837be5ac0a2317de90d3fcb7f4f4dc95720a1f36b26a17b + languageName: node + linkType: hard + +"brace-expansion@npm:^5.0.5": + version: 5.0.5 + resolution: "brace-expansion@npm:5.0.5" + dependencies: + balanced-match: "npm:^4.0.2" + checksum: 10c0/4d238e14ed4f5cc9c07285550a41cef23121ca08ba99fa9eb5b55b580dcb6bf868b8210aa10526bdc9f8dc97f33ca2a7259039c4cc131a93042beddb424c48e3 + languageName: node + linkType: hard + +"chevrotain-allstar@npm:0.3.1": + version: 0.3.1 + resolution: "chevrotain-allstar@npm:0.3.1" + dependencies: + lodash-es: "npm:^4.17.21" + peerDependencies: + chevrotain: ^11.0.0 + checksum: 10c0/5cadedffd3114eb06b15fd3939bb1aa6c75412dbd737fe302b52c5c24334f9cb01cee8edc1d1067d98ba80dddf971f1d0e94b387de51423fc6cf3c5d8b7ef27a + languageName: node + linkType: hard + +"chevrotain@npm:11.0.3": + version: 11.0.3 + resolution: "chevrotain@npm:11.0.3" + dependencies: + "@chevrotain/cst-dts-gen": "npm:11.0.3" + "@chevrotain/gast": "npm:11.0.3" + "@chevrotain/regexp-to-ast": "npm:11.0.3" + "@chevrotain/types": "npm:11.0.3" + "@chevrotain/utils": "npm:11.0.3" + lodash-es: "npm:4.17.21" + checksum: 10c0/ffd425fa321e3f17e9833d7f44cd39f2743f066e92ca74b226176080ca5d455f853fe9091cdfd86354bd899d85c08b3bdc3f55b267e7d07124b048a88349765f + languageName: node + linkType: hard + +"chevrotain@npm:7.1.1": + version: 7.1.1 + resolution: "chevrotain@npm:7.1.1" + dependencies: + regexp-to-ast: "npm:0.5.0" + checksum: 10c0/3fbbb7a30fb87a4cd141a28bdfa2851f54fde4099aa92071442b47605dfc5974eee0388ec25a517087fcea4dcc1f0ce6b371bc975591346327829aa83b3c843d + languageName: node + linkType: hard + +"cli-cursor@npm:^5.0.0": + version: 5.0.0 + resolution: "cli-cursor@npm:5.0.0" + dependencies: + restore-cursor: "npm:^5.0.0" + checksum: 10c0/7ec62f69b79f6734ab209a3e4dbdc8af7422d44d360a7cb1efa8a0887bbe466a6e625650c466fe4359aee44dbe2dc0b6994b583d40a05d0808a5cb193641d220 + languageName: node + linkType: hard + +"cli-truncate@npm:^5.0.0": + version: 5.2.0 + resolution: "cli-truncate@npm:5.2.0" + dependencies: + slice-ansi: "npm:^8.0.0" + string-width: "npm:^8.2.0" + checksum: 10c0/0d4ec94702ca85b64522ac93633837fb5ea7db17b79b1322a60f6045e6ae2b8cd7bd4c1d19ac7d1f9e10e3bbda1112e172e439b68c02b785ee00da8d6a5c5471 + languageName: node + linkType: hard + +"cliui@npm:^8.0.1": + version: 8.0.1 + resolution: "cliui@npm:8.0.1" + dependencies: + string-width: "npm:^4.2.0" + strip-ansi: "npm:^6.0.1" + wrap-ansi: "npm:^7.0.0" + checksum: 10c0/4bda0f09c340cbb6dfdc1ed508b3ca080f12992c18d68c6be4d9cf51756033d5266e61ec57529e610dacbf4da1c634423b0c1b11037709cc6b09045cbd815df5 + languageName: node + linkType: hard + +"color-convert@npm:^2.0.1": + version: 2.0.1 + resolution: "color-convert@npm:2.0.1" + dependencies: + color-name: "npm:~1.1.4" + checksum: 10c0/37e1150172f2e311fe1b2df62c6293a342ee7380da7b9cfdba67ea539909afbd74da27033208d01d6d5cfc65ee7868a22e18d7e7648e004425441c0f8a15a7d7 + languageName: node + linkType: hard + +"color-name@npm:~1.1.4": + version: 1.1.4 + resolution: "color-name@npm:1.1.4" + checksum: 10c0/a1a3f914156960902f46f7f56bc62effc6c94e84b2cae157a526b1c1f74b677a47ec602bf68a61abfa2b42d15b7c5651c6dbe72a43af720bc588dff885b10f95 + languageName: node + linkType: hard + +"colorette@npm:^2.0.20": + version: 2.0.20 + resolution: "colorette@npm:2.0.20" + checksum: 10c0/e94116ff33b0ff56f3b83b9ace895e5bf87c2a7a47b3401b8c3f3226e050d5ef76cf4072fb3325f9dc24d1698f9b730baf4e05eeaf861d74a1883073f4c98a40 + languageName: node + linkType: hard + +"commander@npm:^14.0.3": + version: 14.0.3 + resolution: "commander@npm:14.0.3" + checksum: 10c0/755652564bbf56ff2ff083313912b326450d3f8d8c85f4b71416539c9a05c3c67dbd206821ca72635bf6b160e2afdefcb458e86b317827d5cb333b69ce7f1a24 + languageName: node + linkType: hard + +"dot-properties@npm:^1.1.0": + version: 1.1.1 + resolution: "dot-properties@npm:1.1.1" + checksum: 10c0/2007ef4a8b5afdc21bf457e01c6e1bef58d63359d273294d059ec7a2af1fb44c49be09492dc4ab843540d8c013893ac63a039aed79d0cda47b3ebd5b0f538f99 + languageName: node + linkType: hard + +"emoji-regex@npm:^10.3.0": + version: 10.6.0 + resolution: "emoji-regex@npm:10.6.0" + checksum: 10c0/1e4aa097bb007301c3b4b1913879ae27327fdc48e93eeefefe3b87e495eb33c5af155300be951b4349ff6ac084f4403dc9eff970acba7c1c572d89396a9a32d7 + languageName: node + linkType: hard + +"emoji-regex@npm:^8.0.0": + version: 8.0.0 + resolution: "emoji-regex@npm:8.0.0" + checksum: 10c0/b6053ad39951c4cf338f9092d7bfba448cdfd46fe6a2a034700b149ac9ffbc137e361cbd3c442297f86bed2e5f7576c1b54cc0a6bf8ef5106cc62f496af35010 + languageName: node + linkType: hard + +"environment@npm:^1.0.0": + version: 1.1.0 + resolution: "environment@npm:1.1.0" + checksum: 10c0/fb26434b0b581ab397039e51ff3c92b34924a98b2039dcb47e41b7bca577b9dbf134a8eadb364415c74464b682e2d3afe1a4c0eb9873dc44ea814c5d3103331d + languageName: node + linkType: hard + +"escalade@npm:^3.1.1": + version: 3.2.0 + resolution: "escalade@npm:3.2.0" + checksum: 10c0/ced4dd3a78e15897ed3be74e635110bbf3b08877b0a41be50dcb325ee0e0b5f65fc2d50e9845194d7c4633f327e2e1c6cce00a71b617c5673df0374201d67f65 + languageName: node + linkType: hard + +"eventemitter3@npm:^5.0.1": + version: 5.0.4 + resolution: "eventemitter3@npm:5.0.4" + checksum: 10c0/575b8cac8d709e1473da46f8f15ef311b57ff7609445a7c71af5cd42598583eee6f098fa7a593e30f27e94b8865642baa0689e8fa97c016f742abdb3b1bf6d9a + languageName: node + linkType: hard + +"get-caller-file@npm:^2.0.5": + version: 2.0.5 + resolution: "get-caller-file@npm:2.0.5" + checksum: 10c0/c6c7b60271931fa752aeb92f2b47e355eac1af3a2673f47c9589e8f8a41adc74d45551c1bc57b5e66a80609f10ffb72b6f575e4370d61cc3f7f3aaff01757cde + languageName: node + linkType: hard + +"get-east-asian-width@npm:^1.0.0, get-east-asian-width@npm:^1.3.1, get-east-asian-width@npm:^1.5.0": + version: 1.5.0 + resolution: "get-east-asian-width@npm:1.5.0" + checksum: 10c0/bff8bbc8d81790b9477f7aa55b1806b9f082a8dc1359fff7bd8b96939622c86b729685afc2bfeb22def1fc6ef1e5228e4d87dd4e6da60bc43a5edfb03c4ee167 + languageName: node + linkType: hard + +"git-conventional-commits@npm:^2.8.0": + version: 2.8.0 + resolution: "git-conventional-commits@npm:2.8.0" + dependencies: + yaml: "npm:^2.1.3" + yargs: "npm:^17.6.2" + bin: + git-conventional-commits: cli.js + checksum: 10c0/15e2bd7e6aaeb4697a351e66f66d51f62badbb26a8c356fae5475715d49c6fa0e1672e42bebf11416215317c0ca52eae9ce1c8b94ee8cb59819f76393c1b665e + languageName: node + linkType: hard + +"glob@npm:^13.0.3": + version: 13.0.6 + resolution: "glob@npm:13.0.6" + dependencies: + minimatch: "npm:^10.2.2" + minipass: "npm:^7.1.3" + path-scurry: "npm:^2.0.2" + checksum: 10c0/269c236f11a9b50357fe7a8c6aadac667e01deb5242b19c84975628f05f4438d8ee1354bb62c5d6c10f37fd59911b54d7799730633a2786660d8c69f1d18120a + languageName: node + linkType: hard + +"is-fullwidth-code-point@npm:^3.0.0": + version: 3.0.0 + resolution: "is-fullwidth-code-point@npm:3.0.0" + checksum: 10c0/bb11d825e049f38e04c06373a8d72782eee0205bda9d908cc550ccb3c59b99d750ff9537982e01733c1c94a58e35400661f57042158ff5e8f3e90cf936daf0fc + languageName: node + linkType: hard + +"is-fullwidth-code-point@npm:^5.0.0, is-fullwidth-code-point@npm:^5.1.0": + version: 5.1.0 + resolution: "is-fullwidth-code-point@npm:5.1.0" + dependencies: + get-east-asian-width: "npm:^1.3.1" + checksum: 10c0/c1172c2e417fb73470c56c431851681591f6a17233603a9e6f94b7ba870b2e8a5266506490573b607fb1081318589372034aa436aec07b465c2029c0bc7f07a4 + languageName: node + linkType: hard + +"java-parser@npm:3.0.1": + version: 3.0.1 + resolution: "java-parser@npm:3.0.1" + dependencies: + chevrotain: "npm:11.0.3" + chevrotain-allstar: "npm:0.3.1" + lodash: "npm:4.17.21" + checksum: 10c0/9b60f1132b65785fe4f4c10785fc1638a4092aecf222f63706c119425d0ffb676b7229390abe289082cf837cd470df63f9b9383743d470816fa170240f8b1e22 + languageName: node + linkType: hard + +"lint-staged@npm:^16.2.1": + version: 16.4.0 + resolution: "lint-staged@npm:16.4.0" + dependencies: + commander: "npm:^14.0.3" + listr2: "npm:^9.0.5" + picomatch: "npm:^4.0.3" + string-argv: "npm:^0.3.2" + tinyexec: "npm:^1.0.4" + yaml: "npm:^2.8.2" + bin: + lint-staged: bin/lint-staged.js + checksum: 10c0/67625a49a2a01368c7df2da7e553567a79c4b261d9faf3436e00fc3a2f9c4bbe7295909012c47b3d9029e269fd7d7469901a5120573527a032f15797aa497c26 + languageName: node + linkType: hard + +"listr2@npm:^9.0.5": + version: 9.0.5 + resolution: "listr2@npm:9.0.5" + dependencies: + cli-truncate: "npm:^5.0.0" + colorette: "npm:^2.0.20" + eventemitter3: "npm:^5.0.1" + log-update: "npm:^6.1.0" + rfdc: "npm:^1.4.1" + wrap-ansi: "npm:^9.0.0" + checksum: 10c0/46448d1ba0addc9d71aeafd05bb8e86ded9641ccad930ac302c2bd2ad71580375604743e18586fcb8f11906edf98e8e17fca75ba0759947bf275d381f68e311d + languageName: node + linkType: hard + +"lodash-es@npm:4.17.21": + version: 4.17.21 + resolution: "lodash-es@npm:4.17.21" + checksum: 10c0/fb407355f7e6cd523a9383e76e6b455321f0f153a6c9625e21a8827d10c54c2a2341bd2ae8d034358b60e07325e1330c14c224ff582d04612a46a4f0479ff2f2 + languageName: node + linkType: hard + +"lodash-es@npm:^4.17.21": + version: 4.18.1 + resolution: "lodash-es@npm:4.18.1" + checksum: 10c0/35d4dcf87ef07f8d090f409447575800108057e360b445f590d0d25d09e3d1e33a163d2fc100d4d072b0f901d5e2fc533cd7c4bfd8eeb38a06abec693823c8b8 + languageName: node + linkType: hard + +"lodash@npm:4.17.21": + version: 4.17.21 + resolution: "lodash@npm:4.17.21" + checksum: 10c0/d8cbea072bb08655bb4c989da418994b073a608dffa608b09ac04b43a791b12aeae7cd7ad919aa4c925f33b48490b5cfe6c1f71d827956071dae2e7bb3a6b74c + languageName: node + linkType: hard + +"log-update@npm:^6.1.0": + version: 6.1.0 + resolution: "log-update@npm:6.1.0" + dependencies: + ansi-escapes: "npm:^7.0.0" + cli-cursor: "npm:^5.0.0" + slice-ansi: "npm:^7.1.0" + strip-ansi: "npm:^7.1.0" + wrap-ansi: "npm:^9.0.0" + checksum: 10c0/4b350c0a83d7753fea34dcac6cd797d1dc9603291565de009baa4aa91c0447eab0d3815a05c8ec9ac04fdfffb43c82adcdb03ec1fceafd8518e1a8c1cff4ff89 + languageName: node + linkType: hard + +"lru-cache@npm:^11.0.0": + version: 11.2.7 + resolution: "lru-cache@npm:11.2.7" + checksum: 10c0/549cdb59488baa617135fc12159cafb1a97f91079f35093bb3bcad72e849fc64ace636d244212c181dfdf1a99bbfa90757ff303f98561958ee4d0f885d9bd5f7 + languageName: node + linkType: hard + +"mimic-function@npm:^5.0.0": + version: 5.0.1 + resolution: "mimic-function@npm:5.0.1" + checksum: 10c0/f3d9464dd1816ecf6bdf2aec6ba32c0728022039d992f178237d8e289b48764fee4131319e72eedd4f7f094e22ded0af836c3187a7edc4595d28dd74368fd81d + languageName: node + linkType: hard + +"minimatch@npm:^10.2.2": + version: 10.2.5 + resolution: "minimatch@npm:10.2.5" + dependencies: + brace-expansion: "npm:^5.0.5" + checksum: 10c0/6bb058bd6324104b9ec2f763476a35386d05079c1f5fe4fbf1f324a25237cd4534d6813ecd71f48208f4e635c1221899bef94c3c89f7df55698fe373aaae20fd + languageName: node + linkType: hard + +"minipass@npm:^7.1.2, minipass@npm:^7.1.3": + version: 7.1.3 + resolution: "minipass@npm:7.1.3" + checksum: 10c0/539da88daca16533211ea5a9ee98dc62ff5742f531f54640dd34429e621955e91cc280a91a776026264b7f9f6735947629f920944e9c1558369e8bf22eb33fbb + languageName: node + linkType: hard + +"onetime@npm:^7.0.0": + version: 7.0.0 + resolution: "onetime@npm:7.0.0" + dependencies: + mimic-function: "npm:^5.0.0" + checksum: 10c0/5cb9179d74b63f52a196a2e7037ba2b9a893245a5532d3f44360012005c9cadb60851d56716ebff18a6f47129dab7168022445df47c2aff3b276d92585ed1221 + languageName: node + linkType: hard + +"package-json-from-dist@npm:^1.0.1": + version: 1.0.1 + resolution: "package-json-from-dist@npm:1.0.1" + checksum: 10c0/62ba2785eb655fec084a257af34dbe24292ab74516d6aecef97ef72d4897310bc6898f6c85b5cd22770eaa1ce60d55a0230e150fb6a966e3ecd6c511e23d164b + languageName: node + linkType: hard + +"path-scurry@npm:^2.0.2": + version: 2.0.2 + resolution: "path-scurry@npm:2.0.2" + dependencies: + lru-cache: "npm:^11.0.0" + minipass: "npm:^7.1.2" + checksum: 10c0/b35ad37cf6557a87fd057121ce2be7695380c9138d93e87ae928609da259ea0a170fac6f3ef1eb3ece8a068e8b7f2f3adf5bb2374cf4d4a57fe484954fcc9482 + languageName: node + linkType: hard + +"picomatch@npm:^4.0.3": + version: 4.0.4 + resolution: "picomatch@npm:4.0.4" + checksum: 10c0/e2c6023372cc7b5764719a5ffb9da0f8e781212fa7ca4bd0562db929df8e117460f00dff3cb7509dacfc06b86de924b247f504d0ce1806a37fac4633081466b0 + languageName: node + linkType: hard + +"prettier-plugin-java@npm:^2.7.5": + version: 2.8.1 + resolution: "prettier-plugin-java@npm:2.8.1" + dependencies: + java-parser: "npm:3.0.1" + peerDependencies: + prettier: ^3.0.0 + checksum: 10c0/85c8ded14a0aaf1df1d5367ebe0f18c9d7d7284780a13bd1e037ca0190ebc4d42e69a849ddd3a2440c4c14cc19fbeb3b57acec1a3cd61076e917a1432dd72c75 + languageName: node + linkType: hard + +"prettier-plugin-properties@npm:^0.3.0": + version: 0.3.1 + resolution: "prettier-plugin-properties@npm:0.3.1" + dependencies: + dot-properties: "npm:^1.1.0" + peerDependencies: + prettier: ">= 2.3.0" + checksum: 10c0/ae769939aba21ba16ad4ea414035c49608e5f76ce0ea56bef2de7d3ad073c49315b048a8f9401ac4638b3dbc8d841b7b51f15a9f0946c7cf4df2872ca59e1f37 + languageName: node + linkType: hard + +"prettier-plugin-toml@npm:^2.0.6": + version: 2.0.6 + resolution: "prettier-plugin-toml@npm:2.0.6" + dependencies: + "@taplo/lib": "npm:^0.5.0" + peerDependencies: + prettier: ^3.0.3 + checksum: 10c0/8fd0817c2dfe64e694424498c901228e304b76c0909e3ba8a1baff4d259c6f65bb742362859148c3438accd8248b0cf2efd2c89e1d73f9f469cd5ed82b60e5af + languageName: node + linkType: hard + +"prettier@npm:^3.6.2": + version: 3.8.1 + resolution: "prettier@npm:3.8.1" + bin: + prettier: bin/prettier.cjs + checksum: 10c0/33169b594009e48f570471271be7eac7cdcf88a209eed39ac3b8d6d78984039bfa9132f82b7e6ba3b06711f3bfe0222a62a1bfb87c43f50c25a83df1b78a2c42 + languageName: node + linkType: hard + +"regexp-to-ast@npm:0.5.0": + version: 0.5.0 + resolution: "regexp-to-ast@npm:0.5.0" + checksum: 10c0/16d3c3905fb24866c3bff689ab177c1e63a7283a3cd1ba95987ef86020526f9827f5c60794197311f0e8a967889131142fe7a2e5ed3523ffe2ac9f55052e1566 + languageName: node + linkType: hard + +"require-directory@npm:^2.1.1": + version: 2.1.1 + resolution: "require-directory@npm:2.1.1" + checksum: 10c0/83aa76a7bc1531f68d92c75a2ca2f54f1b01463cb566cf3fbc787d0de8be30c9dbc211d1d46be3497dac5785fe296f2dd11d531945ac29730643357978966e99 + languageName: node + linkType: hard + +"restore-cursor@npm:^5.0.0": + version: 5.1.0 + resolution: "restore-cursor@npm:5.1.0" + dependencies: + onetime: "npm:^7.0.0" + signal-exit: "npm:^4.1.0" + checksum: 10c0/c2ba89131eea791d1b25205bdfdc86699767e2b88dee2a590b1a6caa51737deac8bad0260a5ded2f7c074b7db2f3a626bcf1fcf3cdf35974cbeea5e2e6764f60 + languageName: node + linkType: hard + +"rfdc@npm:^1.4.1": + version: 1.4.1 + resolution: "rfdc@npm:1.4.1" + checksum: 10c0/4614e4292356cafade0b6031527eea9bc90f2372a22c012313be1dcc69a3b90c7338158b414539be863fa95bfcb2ddcd0587be696841af4e6679d85e62c060c7 + languageName: node + linkType: hard + +"rimraf@npm:^6.1.2": + version: 6.1.3 + resolution: "rimraf@npm:6.1.3" + dependencies: + glob: "npm:^13.0.3" + package-json-from-dist: "npm:^1.0.1" + bin: + rimraf: dist/esm/bin.mjs + checksum: 10c0/4a56537850102e20ba5d5eb49f366b4b7b2435389734b4b8480cf0e0eb0f6f5d0c44120a171aeb0d8f9ab40312a10d2262f3f50acbad803e32caef61b6cf86fc + languageName: node + linkType: hard + +"signal-exit@npm:^4.1.0": + version: 4.1.0 + resolution: "signal-exit@npm:4.1.0" + checksum: 10c0/41602dce540e46d599edba9d9860193398d135f7ff72cab629db5171516cfae628d21e7bfccde1bbfdf11c48726bc2a6d1a8fb8701125852fbfda7cf19c6aa83 + languageName: node + linkType: hard + +"slice-ansi@npm:^7.1.0": + version: 7.1.2 + resolution: "slice-ansi@npm:7.1.2" + dependencies: + ansi-styles: "npm:^6.2.1" + is-fullwidth-code-point: "npm:^5.0.0" + checksum: 10c0/36742f2eb0c03e2e81a38ed14d13a64f7b732fe38c3faf96cce0599788a345011e840db35f1430ca606ea3f8db2abeb92a8d25c2753a819e3babaa10c2e289a2 + languageName: node + linkType: hard + +"slice-ansi@npm:^8.0.0": + version: 8.0.0 + resolution: "slice-ansi@npm:8.0.0" + dependencies: + ansi-styles: "npm:^6.2.3" + is-fullwidth-code-point: "npm:^5.1.0" + checksum: 10c0/0ce4aa91febb7cea4a00c2c27bb820fa53b6d2862ce0f80f7120134719f7914fc416b0ed966cf35250a3169e152916392f35917a2d7cad0fcc5d8b841010fa9a + languageName: node + linkType: hard + +"string-argv@npm:^0.3.2": + version: 0.3.2 + resolution: "string-argv@npm:0.3.2" + checksum: 10c0/75c02a83759ad1722e040b86823909d9a2fc75d15dd71ec4b537c3560746e33b5f5a07f7332d1e3f88319909f82190843aa2f0a0d8c8d591ec08e93d5b8dec82 + languageName: node + linkType: hard + +"string-width@npm:^4.1.0, string-width@npm:^4.2.0, string-width@npm:^4.2.3": + version: 4.2.3 + resolution: "string-width@npm:4.2.3" + dependencies: + emoji-regex: "npm:^8.0.0" + is-fullwidth-code-point: "npm:^3.0.0" + strip-ansi: "npm:^6.0.1" + checksum: 10c0/1e525e92e5eae0afd7454086eed9c818ee84374bb80328fc41217ae72ff5f065ef1c9d7f72da41de40c75fa8bb3dee63d92373fd492c84260a552c636392a47b + languageName: node + linkType: hard + +"string-width@npm:^7.0.0": + version: 7.2.0 + resolution: "string-width@npm:7.2.0" + dependencies: + emoji-regex: "npm:^10.3.0" + get-east-asian-width: "npm:^1.0.0" + strip-ansi: "npm:^7.1.0" + checksum: 10c0/eb0430dd43f3199c7a46dcbf7a0b34539c76fe3aa62763d0b0655acdcbdf360b3f66f3d58ca25ba0205f42ea3491fa00f09426d3b7d3040e506878fc7664c9b9 + languageName: node + linkType: hard + +"string-width@npm:^8.2.0": + version: 8.2.0 + resolution: "string-width@npm:8.2.0" + dependencies: + get-east-asian-width: "npm:^1.5.0" + strip-ansi: "npm:^7.1.2" + checksum: 10c0/d8915428b43519b0f494da6590dbe4491857d8a12e40250e50fc01fbb616ffd8400a436bbe25712255ee129511fe0414c49d3b6b9627e2bc3a33dcec1d2eda02 + languageName: node + linkType: hard + +"strip-ansi@npm:^6.0.0, strip-ansi@npm:^6.0.1": + version: 6.0.1 + resolution: "strip-ansi@npm:6.0.1" + dependencies: + ansi-regex: "npm:^5.0.1" + checksum: 10c0/1ae5f212a126fe5b167707f716942490e3933085a5ff6c008ab97ab2f272c8025d3aa218b7bd6ab25729ca20cc81cddb252102f8751e13482a5199e873680952 + languageName: node + linkType: hard + +"strip-ansi@npm:^7.1.0, strip-ansi@npm:^7.1.2": + version: 7.2.0 + resolution: "strip-ansi@npm:7.2.0" + dependencies: + ansi-regex: "npm:^6.2.2" + checksum: 10c0/544d13b7582f8254811ea97db202f519e189e59d35740c46095897e254e4f1aa9fe1524a83ad6bc5ad67d4dd6c0281d2e0219ed62b880a6238a16a17d375f221 + languageName: node + linkType: hard + +"tinyexec@npm:^1.0.4": + version: 1.0.4 + resolution: "tinyexec@npm:1.0.4" + checksum: 10c0/d4a5bbcf6bdb23527a4b74c4aa566f41432167112fe76f420ec7e3a90a3ecfd3a7d944383e2719fc3987b69400f7b928daf08700d145fb527c2e80ec01e198bd + languageName: node + linkType: hard + +"wrap-ansi@npm:^7.0.0": + version: 7.0.0 + resolution: "wrap-ansi@npm:7.0.0" + dependencies: + ansi-styles: "npm:^4.0.0" + string-width: "npm:^4.1.0" + strip-ansi: "npm:^6.0.0" + checksum: 10c0/d15fc12c11e4cbc4044a552129ebc75ee3f57aa9c1958373a4db0292d72282f54373b536103987a4a7594db1ef6a4f10acf92978f79b98c49306a4b58c77d4da + languageName: node + linkType: hard + +"wrap-ansi@npm:^9.0.0": + version: 9.0.2 + resolution: "wrap-ansi@npm:9.0.2" + dependencies: + ansi-styles: "npm:^6.2.1" + string-width: "npm:^7.0.0" + strip-ansi: "npm:^7.1.0" + checksum: 10c0/3305839b9a0d6fb930cb63a52f34d3936013d8b0682ff3ec133c9826512620f213800ffa19ea22904876d5b7e9a3c1f40682f03597d986a4ca881fa7b033688c + languageName: node + linkType: hard + +"y18n@npm:^5.0.5": + version: 5.0.8 + resolution: "y18n@npm:5.0.8" + checksum: 10c0/4df2842c36e468590c3691c894bc9cdbac41f520566e76e24f59401ba7d8b4811eb1e34524d57e54bc6d864bcb66baab7ffd9ca42bf1eda596618f9162b91249 + languageName: node + linkType: hard + +"yaml@npm:^2.1.3, yaml@npm:^2.8.2": + version: 2.8.3 + resolution: "yaml@npm:2.8.3" + bin: + yaml: bin.mjs + checksum: 10c0/ddff0e11c1b467728d7eb4633db61c5f5de3d8e9373cf84d08fb0cdee03e1f58f02b9f1c51a4a8a865751695addbd465a77f73f1079be91fe5493b29c305fd77 + languageName: node + linkType: hard + +"yargs-parser@npm:^21.1.1": + version: 21.1.1 + resolution: "yargs-parser@npm:21.1.1" + checksum: 10c0/f84b5e48169479d2f402239c59f084cfd1c3acc197a05c59b98bab067452e6b3ea46d4dd8ba2985ba7b3d32a343d77df0debd6b343e5dae3da2aab2cdf5886b2 + languageName: node + linkType: hard + +"yargs@npm:^17.6.2": + version: 17.7.2 + resolution: "yargs@npm:17.7.2" + dependencies: + cliui: "npm:^8.0.1" + escalade: "npm:^3.1.1" + get-caller-file: "npm:^2.0.5" + require-directory: "npm:^2.1.1" + string-width: "npm:^4.2.3" + y18n: "npm:^5.0.5" + yargs-parser: "npm:^21.1.1" + checksum: 10c0/ccd7e723e61ad5965fffbb791366db689572b80cca80e0f96aad968dfff4156cd7cd1ad18607afe1046d8241e6fb2d6c08bf7fa7bfb5eaec818735d8feac8f05 + languageName: node + linkType: hard