plugin-script-development — разработка скриптов плагинов plugin-script-development, ccplugin, community, разработка скриптов плагинов, ide skills, python cli, структура директорий, команды cli, хуки обработки событий, модули логики бизнеса

v1.0.0

Об этом навыке

Идеально подходит для агентов ИИ на основе Python, которым необходимы разработка пользовательских плагинов с структурированными скриптами и интерфейсами CLI. Разработка скриптов плагинов - это создание скриптов, интегрирующихся с основными приложениями ИИ Агентов

Возможности

Структура директорий для скриптов плагинов
Реализация команд CLI с помощью Python
Использование хуков для обработки событий ИИ Агентов
Создание пользовательских модулей логики бизнеса

# Core Topics

lazygophers lazygophers
[2]
[0]
Updated: 3/16/2026

Killer-Skills Review

Decision support comes first. Repository text comes second.

Reference-Only Page Review Score: 8/11

This page remains useful for operators, but Killer-Skills treats it as reference material instead of a primary organic landing page.

Original recommendation layer Concrete use-case guidance Explicit limitations and caution
Review Score
8/11
Quality Score
33
Canonical Locale
zh
Detected Body Locale
zh

Идеально подходит для агентов ИИ на основе Python, которым необходимы разработка пользовательских плагинов с структурированными скриптами и интерфейсами CLI. Разработка скриптов плагинов - это создание скриптов, интегрирующихся с основными приложениями ИИ Агентов

Зачем использовать этот навык

Наделяет агентов возможностью создавать пользовательские плагины с помощью Python 3 и библиотеки click, обеспечивая эффективное развитие и структурированное управление скриптами через интерфейсы CLI, крючки и серверы MCP.

Подходит лучше всего

Идеально подходит для агентов ИИ на основе Python, которым необходимы разработка пользовательских плагинов с структурированными скриптами и интерфейсами CLI.

Реализуемые кейсы использования for plugin-script-development

Разработка пользовательских плагинов со структурированными скриптами
Реализация интерфейсов CLI для управления плагинами
Создание крючков для событийных взаимодействий плагинов

! Безопасность и ограничения

  • Требует Python 3
  • Зависит от библиотеки click для функциональности CLI
  • Требует конкретной структуры директории для организации скриптов

Why this page is reference-only

  • - Current locale does not satisfy the locale-governance contract.
  • - The underlying skill quality score is below the review floor.

Source Boundary

The section below is imported from the upstream repository and should be treated as secondary evidence. Use the Killer-Skills review above as the primary layer for fit, risk, and installation decisions.

After The Review

Decide The Next Action Before You Keep Reading Repository Material

Killer-Skills should not stop at opening repository instructions. It should help you decide whether to install this skill, when to cross-check against trusted collections, and when to move into workflow rollout.

Labs Demo

Browser Sandbox Environment

⚡️ Ready to unleash?

Experience this Agent in a zero-setup browser environment powered by WebContainers. No installation required.

Boot Container Sandbox

FAQ & Installation Steps

These questions and steps mirror the structured data on this page for better search understanding.

? Frequently Asked Questions

What is plugin-script-development?

Идеально подходит для агентов ИИ на основе Python, которым необходимы разработка пользовательских плагинов с структурированными скриптами и интерфейсами CLI. Разработка скриптов плагинов - это создание скриптов, интегрирующихся с основными приложениями ИИ Агентов

How do I install plugin-script-development?

Run the command: npx killer-skills add lazygophers/ccplugin/plugin-script-development. It works with Cursor, Windsurf, VS Code, Claude Code, and 19+ other IDEs.

What are the use cases for plugin-script-development?

Key use cases include: Разработка пользовательских плагинов со структурированными скриптами, Реализация интерфейсов CLI для управления плагинами, Создание крючков для событийных взаимодействий плагинов.

Which IDEs are compatible with plugin-script-development?

This skill is compatible with Cursor, Windsurf, VS Code, Trae, Claude Code, OpenClaw, Aider, Codex, OpenCode, Goose, Cline, Roo Code, Kiro, Augment Code, Continue, GitHub Copilot, Sourcegraph Cody, and Amazon Q Developer. Use the Killer-Skills CLI for universal one-command installation.

Are there any limitations for plugin-script-development?

Требует Python 3. Зависит от библиотеки click для функциональности CLI. Требует конкретной структуры директории для организации скриптов.

How To Install

  1. 1. Open your terminal

    Open the terminal or command line in your project directory.

  2. 2. Run the install command

    Run: npx killer-skills add lazygophers/ccplugin/plugin-script-development. The CLI will automatically detect your IDE or AI agent and configure the skill.

  3. 3. Start using the skill

    The skill is now active. Your AI agent can use plugin-script-development immediately in the current project.

! Reference-Only Mode

This page remains useful for installation and reference, but Killer-Skills no longer treats it as a primary indexable landing page. Read the review above before relying on the upstream repository instructions.

Upstream Repository Material

The section below is imported from the upstream repository and should be treated as secondary evidence. Use the Killer-Skills review above as the primary layer for fit, risk, and installation decisions.

Upstream Source

plugin-script-development

Install plugin-script-development, an AI agent skill for AI agent workflows and automation. Review the use cases, limitations, and setup path before rollout.

SKILL.md
Readonly
Upstream Repository Material
The section below is imported from the upstream repository and should be treated as secondary evidence. Use the Killer-Skills review above as the primary layer for fit, risk, and installation decisions.
Supporting Evidence

插件脚本开发指南

脚本目录结构

scripts/
├── __init__.py
├── main.py                  # CLI 入口(必需)
├── hooks.py                 # 钩子处理(可选)
├── mcp.py                   # MCP 服务器(可选)
└── <module>.py              # 业务逻辑模块

CLI 入口实现

main.py 模板

python
1#!/usr/bin/env python3 2"""插件 CLI 入口。""" 3 4import click 5from lib import logging 6 7 8@click.group() 9def main(): 10 """插件命令组。""" 11 pass 12 13 14@main.command() 15def my_command(): 16 """我的命令说明。""" 17 click.echo("执行我的命令") 18 19 20@main.command() 21def hooks(): 22 """钩子处理模式。""" 23 from scripts.hooks import handle_hook 24 handle_hook() 25 26 27if __name__ == "__main__": 28 main()

Click 命令装饰器

装饰器说明
@click.group()创建命令组
@click.command()定义单个命令
@click.argument()添加位置参数
@click.option()添加选项参数

示例

python
1@main.command() 2@click.argument("name") 3@click.option("--verbose", "-v", is_flag=True, help="详细输出") 4def greet(name, verbose): 5 """问候用户。""" 6 if verbose: 7 logging.info(f"收到问候请求: {name}") 8 click.echo(f"Hello, {name}!")

共享库使用

日志模块

python
1from lib import logging 2 3logging.info("信息日志") 4logging.error("错误日志") 5logging.debug("调试日志")

钩子系统

python
1from lib.hooks import load_hooks 2 3hook_data = load_hooks()

插件中注册脚本

脚本通过命令和钩子调用,无需在 plugin.json 中单独注册:

json
1{ 2 "hooks": { 3 "SessionStart": [ 4 { 5 "hooks": [ 6 { 7 "type": "command", 8 "command": "uv run --directory ${CLAUDE_PLUGIN_ROOT} ./scripts/main.py hooks" 9 } 10 ] 11 } 12 ] 13 } 14}

相关技能

Связанные навыки

Looking for an alternative to plugin-script-development or another community skill for your workflow? Explore these related open-source skills.

Показать все

openclaw-release-maintainer

Logo of openclaw
openclaw

Your own personal AI assistant. Any OS. Any Platform. The lobster way. 🦞

widget-generator

Logo of f
f

Создание настраиваемых плагинов виджетов для системы ленты новостей prompts.chat

flags

Logo of vercel
vercel

Фреймворк React

138.4k
0
Браузер

pr-review

Logo of pytorch
pytorch

Tensors and Dynamic neural networks in Python with strong GPU acceleration

98.6k
0
Разработчик