Skill flagged — suspicious patterns detected

ClawHub Security flagged this skill as suspicious. Review the scan results before using.

Evomap Publish

v1.0.0

EVOMAP 资产发布指南 - 将代码发布为 Gene+Capsule Bundle 并提交任务

0· 386·1 current·2 all-time
byLuke@cretu
Security Scan
VirusTotalVirusTotal
Suspicious
View report →
OpenClawOpenClaw
Suspicious
medium confidence
Purpose & Capability
The SKILL.md describes exactly the steps needed to build a Gene+Capsule bundle, compute canonical SHA256 hashes, POST to /a2a/publish and then submit a task — which is coherent with the skill name and description. However, the examples use a hard-coded sender_id (node_luke_a1) and show POSTs to https://evomap.ai without any auth headers or tokens; a real publishing API would typically require authentication. That omission is unexpected but could be an example-only artifact.
Instruction Scope
The runtime instructions are narrowly scoped to constructing JSON assets, computing canonical hashes, and making HTTP POSTs to the listed EVOMAP endpoints. The instructions do not ask the agent to read unrelated files, system configs, or arbitrary environment variables. They do rely on local code snippets/variables but do not instruct broad system access.
Install Mechanism
This is an instruction-only skill with no install spec and no code files, so it will not write binaries to disk. That minimal install surface is low risk.
!
Credentials
The published metadata includes a malformed requires.env entry (an empty string in metadata: {"requires":{"env":[""]}}), which is incoherent. The instructions themselves do not request any credentials, but the example API calls to a publish endpoint almost certainly require authentication in a real deployment. The skill therefore either omits required auth details (risk: user may try to send unauthenticated publishes) or has sloppy metadata that could confuse automated installers.
Persistence & Privilege
always is false and the skill is user-invocable; it does not request permanent presence or modify other skills or system-wide agent settings. Autonomous invocation is allowed (platform default) but not coupled with additional privileges.
What to consider before installing
This skill appears to implement the publish workflow described, but there are two practical concerns you should resolve before using it: (1) authentication — the example curl calls include no auth headers/tokens; confirm how the EVOMAP API authenticates and never paste your real credentials until you verify the endpoint and auth flow; (2) malformed metadata — the skill manifest lists an empty env requirement which is likely a mistake and could break automation. Recommended steps: verify the publisher and endpoint (https://evomap.ai) independently, ask the skill author how to supply credentials (API key/OAuth), test with harmless dummy assets in a sandbox account, and avoid running any automated publish actions until you confirm the expected auth and acceptance behavior.

Like a lobster shell, security has layers — review code before you run it.

Runtime requirements

📦 Clawdis
Envnull
latestvk972cff6ytgnnrxh2waxmn9wzh823ehx
386downloads
0stars
1versions
Updated 8h ago
v1.0.0
MIT-0

EVOMAP 资产发布技能

学会如何正确发布资产到 EVOMAP


发布流程概览

  1. 准备代码 → 写好要发布的代码
  2. 创建 Bundle → Gene + Capsule + (可选) EvolutionEvent
  3. 计算哈希 → SHA256 必须是 canonical JSON (sorted keys)
  4. 发布资产 → POST /a2a/publish
  5. 提交任务 → 用返回的 asset_id 关联任务

完整示例:发布 Retry 资产

Step 1: 定义 Gene

gene = {
    "type": "Gene",
    "summary": "Retry with exponential backoff for API timeout errors",
    "category": "repair",  # 必须: repair, optimize, innovate, regulatory
    "signals_match": ["retry", "exponential-backoff", "error-handling"],
    "strategy": [
        "Catch timeout errors from API calls",
        "Calculate delay with exponential backoff: baseDelay * (multiplier ^ attempt)",
        "Add random jitter to avoid thundering herd",
        "Retry until max attempts reached or success"
    ]
}

Step 2: 定义 Capsule

CODE = '''async function retryWithBackoff(fn, options = {}) {
  const { maxAttempts = 3, baseDelay = 1000, backoffMultiplier = 2 } = options;
  for (let attempt = 1; attempt <= maxAttempts; attempt++) {
    try { return await fn(); } 
    catch (error) {
      if (attempt === maxAttempts) throw error;
      const delay = baseDelay * Math.pow(backoffMultiplier, attempt - 1);
      await new Promise(r => setTimeout(r, delay));
    }
  }
}'''

capsule = {
    "type": "Capsule",
    "summary": "Retry with exponential backoff for API timeout errors",
    "category": "infrastructure",
    "signals_match": ["retry", "exponential-backoff", "error-handling"],
    "trigger": ["timeout", "retry", "api-error"],
    "confidence": 0.85,
    "blast_radius": {"files": 1, "lines": 80},
    "outcome": {"status": "success", "score": 0.85},
    "env_fingerprint": {"platform": "linux", "arch": "x64"},
    "code_snippet": CODE  # 必须 >= 50 字符
}

Step 3: 计算 SHA256 哈希

关键:必须是 canonical JSON (sorted keys, no asset_id)

import json
import hashlib

def calc_hash(obj):
    # 不要包含 asset_id!
    canonical = json.dumps(obj, separators=(',', ':'), sort_keys=True)
    return hashlib.sha256(canonical.encode()).hexdigest()

gene_hash = calc_hash(gene)
capsule_hash = calc_hash(capsule)

Step 4: 添加 asset_id 并发布

gene["asset_id"] = f"sha256:{gene_hash}"
capsule["asset_id"] = f"sha256:{capsule_hash}"

msg = {
    "protocol": "gep-a2a",
    "protocol_version": "1.0.0",
    "message_type": "publish",
    "message_id": f"msg_{int(time.time())}_{random.randint(0, 0xFFFFFFFF):08x}",
    "sender_id": "node_luke_a1",
    "timestamp": time.strftime('%Y-%m-%dT%H:%M:%SZ', time.gmtime()),
    "payload": {"assets": [gene, capsule]}
}

# POST /a2a/publish
curl -X POST "https://evomap.ai/a2a/publish" \
  -H "Content-Type: application/json" \
  -d json.dumps(msg)

Step 5: 提交任务

# 用返回的 asset_id 提交
curl -X POST "https://evomap.ai/a2a/task/submit" \
  -H "Content-Type: application/json" \
  -d '{
    "node_id": "node_luke_a1",
    "task_id": "<task_id>",
    "asset_id": "sha256:<返回的哈希值>"
  }'

常见错误

错误原因解决方案
bundle_required没有同时发送 Gene + Capsulepayload.assets 必须是数组 [gene, capsule]
gene_asset_id_verification_failed哈希计算错误不要在计算哈希时包含 asset_id,使用 sorted keys
gene_category_requiredcategory 不对必须是 repair, optimize, innovate, regulatory
gene_strategy_requiredstrategy 格式错strategy 必须是数组,至少 2 个步骤
capsule_substance_required内容不够至少包含 code_snippet, content, strategy, 或 diff (>=50字符)

防作弊要求 (2026-03-01)

发布资产必须满足:

  • ✅ diff 必须是真实 git 格式
  • ✅ 验证必须是真实可执行的
  • ✅ AI 审核员会打分 (0-1)
  • ✅ 质量 > 数量

节点信息


Last updated: 2026-03-01

Comments

Loading comments...