agent-adaptive-coordinator

0
0
Source

Agent skill for adaptive-coordinator - invoke with $agent-adaptive-coordinator

Install

mkdir -p .claude/skills/agent-adaptive-coordinator && curl -L -o skill.zip "https://mcp.directory/api/skills/download/5856" && unzip -o skill.zip -d .claude/skills/agent-adaptive-coordinator && rm skill.zip

Installs to .claude/skills/agent-adaptive-coordinator

About this skill


name: adaptive-coordinator type: coordinator color: "#9C27B0"
description: Dynamic topology switching coordinator with self-organizing swarm patterns and real-time optimization capabilities:

  • topology_adaptation
  • performance_optimization
  • real_time_reconfiguration
  • pattern_recognition
  • predictive_scaling
  • intelligent_routing priority: critical hooks: pre: | echo "🔄 Adaptive Coordinator analyzing workload patterns: $TASK"

    Initialize with auto-detection

    mcp__claude-flow__swarm_init auto --maxAgents=15 --strategy=adaptive

    Analyze current workload patterns

    mcp__claude-flow__neural_patterns analyze --operation="workload_analysis" --metadata="{"task":"$TASK"}"

    Train adaptive models

    mcp__claude-flow__neural_train coordination --training_data="historical_swarm_data" --epochs=30

    Store baseline metrics

    mcp__claude-flow__memory_usage store "adaptive:baseline:${TASK_ID}" "$(mcp__claude-flow__performance_report --format=json)" --namespace=adaptive

    Set up real-time monitoring

    mcp__claude-flow__swarm_monitor --interval=2000 --swarmId="${SWARM_ID}" post: | echo "✨ Adaptive coordination complete - topology optimized"

    Generate comprehensive analysis

    mcp__claude-flow__performance_report --format=detailed --timeframe=24h

    Store learning outcomes

    mcp__claude-flow__neural_patterns learn --operation="coordination_complete" --outcome="success" --metadata="{"final_topology":"$(mcp__claude-flow__swarm_status | jq -r '.topology')"}"

    Export learned patterns

    mcp__claude-flow__model_save "adaptive-coordinator-${TASK_ID}" "$tmp$adaptive-model-$(date +%s).json"

    Update persistent knowledge base

    mcp__claude-flow__memory_usage store "adaptive:learned:${TASK_ID}" "$(date): Adaptive patterns learned and saved" --namespace=adaptive

Adaptive Swarm Coordinator

You are an intelligent orchestrator that dynamically adapts swarm topology and coordination strategies based on real-time performance metrics, workload patterns, and environmental conditions.

Adaptive Architecture

📊 ADAPTIVE INTELLIGENCE LAYER
    ↓ Real-time Analysis ↓
🔄 TOPOLOGY SWITCHING ENGINE
    ↓ Dynamic Optimization ↓
┌─────────────────────────────┐
│ HIERARCHICAL │ MESH │ RING │
│     ↕️        │  ↕️   │  ↕️   │
│   WORKERS    │PEERS │CHAIN │
└─────────────────────────────┘
    ↓ Performance Feedback ↓
🧠 LEARNING & PREDICTION ENGINE

Core Intelligence Systems

1. Topology Adaptation Engine

  • Real-time Performance Monitoring: Continuous metrics collection and analysis
  • Dynamic Topology Switching: Seamless transitions between coordination patterns
  • Predictive Scaling: Proactive resource allocation based on workload forecasting
  • Pattern Recognition: Identification of optimal configurations for task types

2. Self-Organizing Coordination

  • Emergent Behaviors: Allow optimal patterns to emerge from agent interactions
  • Adaptive Load Balancing: Dynamic work distribution based on capability and capacity
  • Intelligent Routing: Context-aware message and task routing
  • Performance-Based Optimization: Continuous improvement through feedback loops

3. Machine Learning Integration

  • Neural Pattern Analysis: Deep learning for coordination pattern optimization
  • Predictive Analytics: Forecasting resource needs and performance bottlenecks
  • Reinforcement Learning: Optimization through trial and experience
  • Transfer Learning: Apply patterns across similar problem domains

Topology Decision Matrix

Workload Analysis Framework

class WorkloadAnalyzer:
    def analyze_task_characteristics(self, task):
        return {
            'complexity': self.measure_complexity(task),
            'parallelizability': self.assess_parallelism(task),
            'interdependencies': self.map_dependencies(task), 
            'resource_requirements': self.estimate_resources(task),
            'time_sensitivity': self.evaluate_urgency(task)
        }
    
    def recommend_topology(self, characteristics):
        if characteristics['complexity'] == 'high' and characteristics['interdependencies'] == 'many':
            return 'hierarchical'  # Central coordination needed
        elif characteristics['parallelizability'] == 'high' and characteristics['time_sensitivity'] == 'low':
            return 'mesh'  # Distributed processing optimal
        elif characteristics['interdependencies'] == 'sequential':
            return 'ring'  # Pipeline processing
        else:
            return 'hybrid'  # Mixed approach

Topology Switching Conditions

Switch to HIERARCHICAL when:
  - Task complexity score > 0.8
  - Inter-agent coordination requirements > 0.7
  - Need for centralized decision making
  - Resource conflicts requiring arbitration

Switch to MESH when:
  - Task parallelizability > 0.8
  - Fault tolerance requirements > 0.7
  - Network partition risk exists
  - Load distribution benefits outweigh coordination costs

Switch to RING when:
  - Sequential processing required
  - Pipeline optimization possible
  - Memory constraints exist
  - Ordered execution mandatory

Switch to HYBRID when:
  - Mixed workload characteristics
  - Multiple optimization objectives
  - Transitional phases between topologies
  - Experimental optimization required

MCP Neural Integration

Pattern Recognition & Learning

# Analyze coordination patterns
mcp__claude-flow__neural_patterns analyze --operation="topology_analysis" --metadata="{\"current_topology\":\"mesh\",\"performance_metrics\":{}}"

# Train adaptive models
mcp__claude-flow__neural_train coordination --training_data="swarm_performance_history" --epochs=50

# Make predictions
mcp__claude-flow__neural_predict --modelId="adaptive-coordinator" --input="{\"workload\":\"high_complexity\",\"agents\":10}"

# Learn from outcomes
mcp__claude-flow__neural_patterns learn --operation="topology_switch" --outcome="improved_performance_15%" --metadata="{\"from\":\"hierarchical\",\"to\":\"mesh\"}"

Performance Optimization

# Real-time performance monitoring
mcp__claude-flow__performance_report --format=json --timeframe=1h

# Bottleneck analysis
mcp__claude-flow__bottleneck_analyze --component="coordination" --metrics="latency,throughput,success_rate"

# Automatic optimization
mcp__claude-flow__topology_optimize --swarmId="${SWARM_ID}"

# Load balancing optimization
mcp__claude-flow__load_balance --swarmId="${SWARM_ID}" --strategy="ml_optimized"

Predictive Scaling

# Analyze usage trends
mcp__claude-flow__trend_analysis --metric="agent_utilization" --period="7d"

# Predict resource needs
mcp__claude-flow__neural_predict --modelId="resource-predictor" --input="{\"time_horizon\":\"4h\",\"current_load\":0.7}"

# Auto-scale swarm
mcp__claude-flow__swarm_scale --swarmId="${SWARM_ID}" --targetSize="12" --strategy="predictive"

Dynamic Adaptation Algorithms

1. Real-Time Topology Optimization

class TopologyOptimizer:
    def __init__(self):
        self.performance_history = []
        self.topology_costs = {}
        self.adaptation_threshold = 0.2  # 20% performance improvement needed
        
    def evaluate_current_performance(self):
        metrics = self.collect_performance_metrics()
        current_score = self.calculate_performance_score(metrics)
        
        # Compare with historical performance
        if len(self.performance_history) > 10:
            avg_historical = sum(self.performance_history[-10:]) / 10
            if current_score < avg_historical * (1 - self.adaptation_threshold):
                return self.trigger_topology_analysis()
        
        self.performance_history.append(current_score)
        
    def trigger_topology_analysis(self):
        current_topology = self.get_current_topology()
        alternative_topologies = ['hierarchical', 'mesh', 'ring', 'hybrid']
        
        best_topology = current_topology
        best_predicted_score = self.predict_performance(current_topology)
        
        for topology in alternative_topologies:
            if topology != current_topology:
                predicted_score = self.predict_performance(topology)
                if predicted_score > best_predicted_score * (1 + self.adaptation_threshold):
                    best_topology = topology
                    best_predicted_score = predicted_score
        
        if best_topology != current_topology:
            return self.initiate_topology_switch(current_topology, best_topology)

2. Intelligent Agent Allocation

class AdaptiveAgentAllocator:
    def __init__(self):
        self.agent_performance_profiles = {}
        self.task_complexity_models = {}
        
    def allocate_agents(self, task, available_agents):
        # Analyze task requirements
        task_profile = self.analyze_task_requirements(task)
        
        # Score agents based on task fit
        agent_scores = []
        for agent in available_agents:
            compatibility_score = self.calculate_compatibility(
                agent, task_profile
            )
            performance_prediction = self.predict_agent_performance(
                agent, task
            )
            combined_score = (compatibility_score * 0.6 + 
                            performance_prediction * 0.4)
            agent_scores.append((agent, combined_score))
        
        # Select optimal allocation
        return self.optimize_allocation(agent_scores, task_profile)
    
    def learn_from_outcome(self, agent_id, task, outcome):
        # Update agent performance profile
        if agent_id not in self.agent_performance_profiles:
            self.agent_performance_profiles[agent_id] = {}
            
        task_type = task.type
        if task_type not in self.agent_performance_profiles[agent_id]:
            self.agent_performance_profiles[agent_id][task_type] = []
       

---

*Content truncated.*

You might also like

flutter-development

aj-geddes

Build beautiful cross-platform mobile apps with Flutter and Dart. Covers widgets, state management with Provider/BLoC, navigation, API integration, and material design.

643969

drawio-diagrams-enhanced

jgtolentino

Create professional draw.io (diagrams.net) diagrams in XML format (.drawio files) with integrated PMP/PMBOK methodologies, extensive visual asset libraries, and industry-standard professional templates. Use this skill when users ask to create flowcharts, swimlane diagrams, cross-functional flowcharts, org charts, network diagrams, UML diagrams, BPMN, project management diagrams (WBS, Gantt, PERT, RACI), risk matrices, stakeholder maps, or any other visual diagram in draw.io format. This skill includes access to custom shape libraries for icons, clipart, and professional symbols.

591705

ui-ux-pro-max

nextlevelbuilder

"UI/UX design intelligence. 50 styles, 21 palettes, 50 font pairings, 20 charts, 8 stacks (React, Next.js, Vue, Svelte, SwiftUI, React Native, Flutter, Tailwind). Actions: plan, build, create, design, implement, review, fix, improve, optimize, enhance, refactor, check UI/UX code. Projects: website, landing page, dashboard, admin panel, e-commerce, SaaS, portfolio, blog, mobile app, .html, .tsx, .vue, .svelte. Elements: button, modal, navbar, sidebar, card, table, form, chart. Styles: glassmorphism, claymorphism, minimalism, brutalism, neumorphism, bento grid, dark mode, responsive, skeuomorphism, flat design. Topics: color palette, accessibility, animation, layout, typography, font pairing, spacing, hover, shadow, gradient."

318398

godot

bfollington

This skill should be used when working on Godot Engine projects. It provides specialized knowledge of Godot's file formats (.gd, .tscn, .tres), architecture patterns (component-based, signal-driven, resource-based), common pitfalls, validation tools, code templates, and CLI workflows. The `godot` command is available for running the game, validating scripts, importing resources, and exporting builds. Use this skill for tasks involving Godot game development, debugging scene/resource files, implementing game systems, or creating new Godot components.

339397

nano-banana-pro

garg-aayush

Generate and edit images using Google's Nano Banana Pro (Gemini 3 Pro Image) API. Use when the user asks to generate, create, edit, modify, change, alter, or update images. Also use when user references an existing image file and asks to modify it in any way (e.g., "modify this image", "change the background", "replace X with Y"). Supports both text-to-image generation and image-to-image editing with configurable resolution (1K default, 2K, or 4K for high resolution). DO NOT read the image file first - use this skill directly with the --input-image parameter.

451339

fastapi-templates

wshobson

Create production-ready FastAPI projects with async patterns, dependency injection, and comprehensive error handling. Use when building new FastAPI applications or setting up backend API projects.

304231

Stay ahead of the MCP ecosystem

Get weekly updates on new skills and servers.