mirror of
https://gitee.com/wanwujie/deer-flow
synced 2026-04-19 04:14:46 +08:00
228 lines
7.3 KiB
Python
228 lines
7.3 KiB
Python
|
|
import json
|
||
|
|
import logging
|
||
|
|
from pathlib import Path
|
||
|
|
|
||
|
|
from fastapi import APIRouter, HTTPException
|
||
|
|
from pydantic import BaseModel, Field
|
||
|
|
|
||
|
|
from src.config.extensions_config import ExtensionsConfig, SkillStateConfig, get_extensions_config, reload_extensions_config
|
||
|
|
from src.skills import Skill, load_skills
|
||
|
|
|
||
|
|
logger = logging.getLogger(__name__)
|
||
|
|
router = APIRouter(prefix="/api", tags=["skills"])
|
||
|
|
|
||
|
|
|
||
|
|
class SkillResponse(BaseModel):
|
||
|
|
"""Response model for skill information."""
|
||
|
|
|
||
|
|
name: str = Field(..., description="Name of the skill")
|
||
|
|
description: str = Field(..., description="Description of what the skill does")
|
||
|
|
license: str | None = Field(None, description="License information")
|
||
|
|
category: str = Field(..., description="Category of the skill (public or custom)")
|
||
|
|
enabled: bool = Field(default=True, description="Whether this skill is enabled")
|
||
|
|
|
||
|
|
|
||
|
|
class SkillsListResponse(BaseModel):
|
||
|
|
"""Response model for listing all skills."""
|
||
|
|
|
||
|
|
skills: list[SkillResponse]
|
||
|
|
|
||
|
|
|
||
|
|
class SkillUpdateRequest(BaseModel):
|
||
|
|
"""Request model for updating a skill."""
|
||
|
|
|
||
|
|
enabled: bool = Field(..., description="Whether to enable or disable the skill")
|
||
|
|
|
||
|
|
|
||
|
|
def _skill_to_response(skill: Skill) -> SkillResponse:
|
||
|
|
"""Convert a Skill object to a SkillResponse."""
|
||
|
|
return SkillResponse(
|
||
|
|
name=skill.name,
|
||
|
|
description=skill.description,
|
||
|
|
license=skill.license,
|
||
|
|
category=skill.category,
|
||
|
|
enabled=skill.enabled,
|
||
|
|
)
|
||
|
|
|
||
|
|
|
||
|
|
@router.get(
|
||
|
|
"/skills",
|
||
|
|
response_model=SkillsListResponse,
|
||
|
|
summary="List All Skills",
|
||
|
|
description="Retrieve a list of all available skills from both public and custom directories.",
|
||
|
|
)
|
||
|
|
async def list_skills() -> SkillsListResponse:
|
||
|
|
"""List all available skills.
|
||
|
|
|
||
|
|
Returns all skills regardless of their enabled status.
|
||
|
|
|
||
|
|
Returns:
|
||
|
|
A list of all skills with their metadata.
|
||
|
|
|
||
|
|
Example Response:
|
||
|
|
```json
|
||
|
|
{
|
||
|
|
"skills": [
|
||
|
|
{
|
||
|
|
"name": "PDF Processing",
|
||
|
|
"description": "Extract and analyze PDF content",
|
||
|
|
"license": "MIT",
|
||
|
|
"category": "public",
|
||
|
|
"enabled": true
|
||
|
|
},
|
||
|
|
{
|
||
|
|
"name": "Frontend Design",
|
||
|
|
"description": "Generate frontend designs and components",
|
||
|
|
"license": null,
|
||
|
|
"category": "custom",
|
||
|
|
"enabled": false
|
||
|
|
}
|
||
|
|
]
|
||
|
|
}
|
||
|
|
```
|
||
|
|
"""
|
||
|
|
try:
|
||
|
|
# Load all skills (including disabled ones)
|
||
|
|
skills = load_skills(enabled_only=False)
|
||
|
|
return SkillsListResponse(skills=[_skill_to_response(skill) for skill in skills])
|
||
|
|
except Exception as e:
|
||
|
|
logger.error(f"Failed to load skills: {e}", exc_info=True)
|
||
|
|
raise HTTPException(status_code=500, detail=f"Failed to load skills: {str(e)}")
|
||
|
|
|
||
|
|
|
||
|
|
@router.get(
|
||
|
|
"/skills/{skill_name}",
|
||
|
|
response_model=SkillResponse,
|
||
|
|
summary="Get Skill Details",
|
||
|
|
description="Retrieve detailed information about a specific skill by its name.",
|
||
|
|
)
|
||
|
|
async def get_skill(skill_name: str) -> SkillResponse:
|
||
|
|
"""Get a specific skill by name.
|
||
|
|
|
||
|
|
Args:
|
||
|
|
skill_name: The name of the skill to retrieve.
|
||
|
|
|
||
|
|
Returns:
|
||
|
|
Skill information if found.
|
||
|
|
|
||
|
|
Raises:
|
||
|
|
HTTPException: 404 if skill not found.
|
||
|
|
|
||
|
|
Example Response:
|
||
|
|
```json
|
||
|
|
{
|
||
|
|
"name": "PDF Processing",
|
||
|
|
"description": "Extract and analyze PDF content",
|
||
|
|
"license": "MIT",
|
||
|
|
"category": "public",
|
||
|
|
"enabled": true
|
||
|
|
}
|
||
|
|
```
|
||
|
|
"""
|
||
|
|
try:
|
||
|
|
skills = load_skills(enabled_only=False)
|
||
|
|
skill = next((s for s in skills if s.name == skill_name), None)
|
||
|
|
|
||
|
|
if skill is None:
|
||
|
|
raise HTTPException(status_code=404, detail=f"Skill '{skill_name}' not found")
|
||
|
|
|
||
|
|
return _skill_to_response(skill)
|
||
|
|
except HTTPException:
|
||
|
|
raise
|
||
|
|
except Exception as e:
|
||
|
|
logger.error(f"Failed to get skill {skill_name}: {e}", exc_info=True)
|
||
|
|
raise HTTPException(status_code=500, detail=f"Failed to get skill: {str(e)}")
|
||
|
|
|
||
|
|
|
||
|
|
@router.put(
|
||
|
|
"/skills/{skill_name}",
|
||
|
|
response_model=SkillResponse,
|
||
|
|
summary="Update Skill",
|
||
|
|
description="Update a skill's enabled status by modifying the skills_state_config.json file.",
|
||
|
|
)
|
||
|
|
async def update_skill(skill_name: str, request: SkillUpdateRequest) -> SkillResponse:
|
||
|
|
"""Update a skill's enabled status.
|
||
|
|
|
||
|
|
This will modify the skills_state_config.json file to update the enabled state.
|
||
|
|
The SKILL.md file itself is not modified.
|
||
|
|
|
||
|
|
Args:
|
||
|
|
skill_name: The name of the skill to update.
|
||
|
|
request: The update request containing the new enabled status.
|
||
|
|
|
||
|
|
Returns:
|
||
|
|
The updated skill information.
|
||
|
|
|
||
|
|
Raises:
|
||
|
|
HTTPException: 404 if skill not found, 500 if update fails.
|
||
|
|
|
||
|
|
Example Request:
|
||
|
|
```json
|
||
|
|
{
|
||
|
|
"enabled": false
|
||
|
|
}
|
||
|
|
```
|
||
|
|
|
||
|
|
Example Response:
|
||
|
|
```json
|
||
|
|
{
|
||
|
|
"name": "PDF Processing",
|
||
|
|
"description": "Extract and analyze PDF content",
|
||
|
|
"license": "MIT",
|
||
|
|
"category": "public",
|
||
|
|
"enabled": false
|
||
|
|
}
|
||
|
|
```
|
||
|
|
"""
|
||
|
|
try:
|
||
|
|
# Find the skill to verify it exists
|
||
|
|
skills = load_skills(enabled_only=False)
|
||
|
|
skill = next((s for s in skills if s.name == skill_name), None)
|
||
|
|
|
||
|
|
if skill is None:
|
||
|
|
raise HTTPException(status_code=404, detail=f"Skill '{skill_name}' not found")
|
||
|
|
|
||
|
|
# Get or create config path
|
||
|
|
config_path = ExtensionsConfig.resolve_config_path()
|
||
|
|
if config_path is None:
|
||
|
|
# Create new config file in parent directory (project root)
|
||
|
|
config_path = Path.cwd().parent / "extensions_config.json"
|
||
|
|
logger.info(f"No existing extensions config found. Creating new config at: {config_path}")
|
||
|
|
|
||
|
|
# Load current configuration
|
||
|
|
extensions_config = get_extensions_config()
|
||
|
|
|
||
|
|
# Update the skill's enabled status
|
||
|
|
extensions_config.skills[skill_name] = SkillStateConfig(enabled=request.enabled)
|
||
|
|
|
||
|
|
# Convert to JSON format (preserve MCP servers config)
|
||
|
|
config_data = {
|
||
|
|
"mcpServers": {name: server.model_dump() for name, server in extensions_config.mcp_servers.items()},
|
||
|
|
"skills": {name: {"enabled": skill_config.enabled} for name, skill_config in extensions_config.skills.items()},
|
||
|
|
}
|
||
|
|
|
||
|
|
# Write the configuration to file
|
||
|
|
with open(config_path, "w") as f:
|
||
|
|
json.dump(config_data, f, indent=2)
|
||
|
|
|
||
|
|
logger.info(f"Skills configuration updated and saved to: {config_path}")
|
||
|
|
|
||
|
|
# Reload the configuration to update the cache
|
||
|
|
reload_extensions_config()
|
||
|
|
|
||
|
|
# Reload the skills to get the updated status
|
||
|
|
skills = load_skills(enabled_only=False)
|
||
|
|
updated_skill = next((s for s in skills if s.name == skill_name), None)
|
||
|
|
|
||
|
|
if updated_skill is None:
|
||
|
|
raise HTTPException(status_code=500, detail=f"Failed to reload skill '{skill_name}' after update")
|
||
|
|
|
||
|
|
logger.info(f"Skill '{skill_name}' enabled status updated to {request.enabled}")
|
||
|
|
return _skill_to_response(updated_skill)
|
||
|
|
|
||
|
|
except HTTPException:
|
||
|
|
raise
|
||
|
|
except Exception as e:
|
||
|
|
logger.error(f"Failed to update skill {skill_name}: {e}", exc_info=True)
|
||
|
|
raise HTTPException(status_code=500, detail=f"Failed to update skill: {str(e)}")
|