Crawler Summary

Nexus answer-first brief

Nexus Skill Nexus Skill 这是一个全能的留学生生活助手技能,集成了 Canvas 作业提醒、日历日程管理和邮件摘要功能。从各种渠道获取信息,整合后输出。可以用于生成早报晚报、提醒课程和作业等。 Configuration 使用前需要配置以下凭证: 1. **Canvas Token**: 用于访问 Canvas LMS (canvas.vt.edu)。 2. **Calendar URLs**: 课程表的 .ics 链接。 3. **Gmail Token**: 用于读取重要邮件。 配置将保存在 Nexus/config.json 中。 Tools nexus_status 检查当前助手的配置状态,查看缺少哪些 Token 或 Key。 - **Use when**: 初次运行或需要确认服务是否连接正常时。 - **Parameters**: None nexus_config 设置或更新配置项。 - **Use when**: Capability contract not published. No trust telemetry is available yet. 1 GitHub stars reported by the source. Last updated 4/14/2026.

Freshness

Last checked 4/14/2026

Best For

Nexus is best for general automation workflows where OpenClaw compatibility matters.

Not Ideal For

Contract metadata is missing or unavailable for deterministic execution.

Evidence Sources Checked

editorial-content, GITHUB OPENCLEW, runtime-metrics, public facts pack

Claim this agent
Agent DossierGitHubSafety: 94/100

Nexus

Nexus Skill Nexus Skill 这是一个全能的留学生生活助手技能,集成了 Canvas 作业提醒、日历日程管理和邮件摘要功能。从各种渠道获取信息,整合后输出。可以用于生成早报晚报、提醒课程和作业等。 Configuration 使用前需要配置以下凭证: 1. **Canvas Token**: 用于访问 Canvas LMS (canvas.vt.edu)。 2. **Calendar URLs**: 课程表的 .ics 链接。 3. **Gmail Token**: 用于读取重要邮件。 配置将保存在 Nexus/config.json 中。 Tools nexus_status 检查当前助手的配置状态,查看缺少哪些 Token 或 Key。 - **Use when**: 初次运行或需要确认服务是否连接正常时。 - **Parameters**: None nexus_config 设置或更新配置项。 - **Use when**:

OpenClawself-declared

Public facts

5

Change events

1

Artifacts

0

Freshness

Apr 14, 2026

Verifiededitorial-contentNo verified compatibility signals1 GitHub stars

Capability contract not published. No trust telemetry is available yet. 1 GitHub stars reported by the source. Last updated 4/14/2026.

1 GitHub starsTrust evidence available

Trust score

Unknown

Compatibility

OpenClaw

Freshness

Apr 14, 2026

Vendor

Nybbb

Artifacts

0

Benchmarks

0

Last release

Unpublished

Executive Summary

Key links, install path, and a quick operational read before the deeper crawl record.

Verifiededitorial-content

Summary

Capability contract not published. No trust telemetry is available yet. 1 GitHub stars reported by the source. Last updated 4/14/2026.

Setup snapshot

git clone https://github.com/NYBBB/Nexus.git
  1. 1

    Setup complexity is LOW. This package is likely designed for quick installation with minimal external side-effects.

  2. 2

    Final validation: Expose the agent to a mock request payload inside a sandbox and trace the network egress before allowing access to real customer data.

Evidence Ledger

Everything public we have scraped or crawled about this agent, grouped by evidence type with provenance.

Verifiededitorial-content
Vendor (1)

Vendor

Nybbb

profilemedium
Observed Apr 14, 2026Source linkProvenance
Compatibility (1)

Protocol compatibility

OpenClaw

contractmedium
Observed Apr 14, 2026Source linkProvenance
Adoption (1)

Adoption signal

1 GitHub stars

profilemedium
Observed Apr 14, 2026Source linkProvenance
Security (1)

Handshake status

UNKNOWN

trustmedium
Observed unknownSource linkProvenance
Integration (1)

Crawlable docs

6 indexed pages on the official domain

search_documentmedium
Observed Apr 15, 2026Source linkProvenance

Release & Crawl Timeline

Merged public release, docs, artifact, benchmark, pricing, and trust refresh events.

Self-declaredagent-index

Artifacts Archive

Extracted files, examples, snippets, parameters, dependencies, permissions, and artifact metadata.

Self-declaredGITHUB OPENCLEW

Extracted files

0

Examples

2

Snippets

0

Languages

typescript

Parameters

Executable Examples

markdown

### 🦞 [日期] 每日早报

**🚨 紧急事项 (Action Required)**
- 🔥 **[作业]** CS 2505 Homework (23:59 截止) - *还剩 X 小时!*
- 📧 **[邮件]** 教授发来了关于 "Midterm" 的邮件,请立即查看。

**📅 今日日程 (Today's Schedule)**
- ✅ 10:10 Math (已结束)
- 🏃 14:30 Gym (准备出发)

**🔮 未来展望 (Looking Ahead)**
- 明早有 8:00 的 STAT 课,建议今晚 23:00 前睡觉。
- 下周三有个大 Project Due。

python

!tool_impl
import json
import os
import sys
import subprocess

# Resolve paths
SKILL_DIR = os.path.dirname(os.path.abspath(__file__))
SCRIPTS_DIR = os.path.join(SKILL_DIR, "scripts")
CONFIG_UTILS = os.path.join(SCRIPTS_DIR, "config_utils.py")
CHECK_CANVAS = os.path.join(SCRIPTS_DIR, "check_canvas.py")
CHECK_CALENDAR = os.path.join(SCRIPTS_DIR, "check_calendar.py")
CHECK_MAIL = os.path.join(SCRIPTS_DIR, "check_mail.py")

def _load_config():
    try:
        cfg_path = os.path.join(SKILL_DIR, "config.json")
        with open(cfg_path, 'r') as f:
            return json.load(f)
    except:
        return {}

async def nexus_status(params):
    """Check configuration status."""
    result = subprocess.run(
        [sys.executable, CONFIG_UTILS, "status"],
        capture_output=True, text=True, cwd=SCRIPTS_DIR
    )
    return result.stdout

async def nexus_config(params):
    """Update configuration."""
    key = params.get("key")
    value = params.get("value")
    
    result = subprocess.run(
        [sys.executable, CONFIG_UTILS, "set", key, value],
        capture_output=True, text=True, cwd=SCRIPTS_DIR
    )
    return result.stdout

async def nexus_report(params):
    """Generate the full briefing report."""
    config = _load_config()
    report = []
    
    # 1. Canvas
    if config.get("canvas_token"):
        try:
            res = subprocess.run(
                [sys.executable, CHECK_CANVAS], # No args needed, reads config
                capture_output=True, text=True, timeout=15, cwd=SCRIPTS_DIR
            )
            report.append(f"### 📚 Canvas Status\n{res.stdout}")
        except Exception as e:
            report.append(f"### 📚 Canvas Status\nError: {str(e)}")
    else:
        report.append("### 📚 Canvas Status\nNot configured (Missing canvas_token)")

    # 2. Calendar
    try:
        res = subprocess.run(
            [sys.executable, CHECK_CALENDAR],
            capture_output=True, text=True, timeout=15, cwd=SCRIPTS_DIR
        )
       

Docs & README

Full documentation captured from public sources, including the complete README when available.

Self-declaredGITHUB OPENCLEW

Docs source

GITHUB OPENCLEW

Editorial quality

ready

Nexus Skill Nexus Skill 这是一个全能的留学生生活助手技能,集成了 Canvas 作业提醒、日历日程管理和邮件摘要功能。从各种渠道获取信息,整合后输出。可以用于生成早报晚报、提醒课程和作业等。 Configuration 使用前需要配置以下凭证: 1. **Canvas Token**: 用于访问 Canvas LMS (canvas.vt.edu)。 2. **Calendar URLs**: 课程表的 .ics 链接。 3. **Gmail Token**: 用于读取重要邮件。 配置将保存在 Nexus/config.json 中。 Tools nexus_status 检查当前助手的配置状态,查看缺少哪些 Token 或 Key。 - **Use when**: 初次运行或需要确认服务是否连接正常时。 - **Parameters**: None nexus_config 设置或更新配置项。 - **Use when**:

Full README

Nexus Skill

这是一个全能的留学生生活助手技能,集成了 Canvas 作业提醒、日历日程管理和邮件摘要功能。从各种渠道获取信息,整合后输出。可以用于生成早报晚报、提醒课程和作业等。

Configuration

使用前需要配置以下凭证:

  1. Canvas Token: 用于访问 Canvas LMS (canvas.vt.edu)。
  2. Calendar URLs: 课程表的 .ics 链接。
  3. Gmail Token: 用于读取重要邮件。

配置将保存在 Nexus/config.json 中。

Tools

nexus_status

检查当前助手的配置状态,查看缺少哪些 Token 或 Key。

  • Use when: 初次运行或需要确认服务是否连接正常时。
  • Parameters: None

nexus_config

设置或更新配置项。

  • Use when: 用户提供 Token 或 URL 时。
  • Parameters:
    • key: 配置项名称 (canvas_token | gmail_token | calendar_urls)
    • value: 配置项的值 (calendar_urls 可以是逗号分隔的字符串)

nexus_report

获取今日/明日的综合早报数据,包括作业 Due、日程安排和重要邮件。

  • Use when: 用户询问“今天有什么课”、“有什么作业”或请求发送早报时。
  • Parameters: None
  • Returns: 包含所有信息的 Markdown 格式文本。

🧠 Workflows & Guidelines (For Agents)

当处理 nexus_report 返回的数据时,请严格遵守以下规则:

1. 优先级判断 (Priority Rules)

你必须先对信息进行分级,不要罗列流水账:

  • 🔴 红色警报 (Immediate Action):
    • 今天 (Today) 23:59 前截止的 Canvas 作业。
    • 已经开始或 1 小时内开始的课程/会议。
    • 来自 "Professor", "Visa", "Offer", "Job" 等关键词的未读邮件。
  • 🟡 黄色预警 (Plan Ahead):
    • 明天 (Tomorrow) 的早八课程 (08:00 AM classes)。
    • 未来 3 天内截止的作业。
  • 🟢 绿色信息 (FYI):
    • 7 天后的作业。
    • 普通通知邮件(如 Newsletter)。

2. 语气与人设 (Persona)

  • Role: 你是用户的私人学术管家,既专业又带点幽默感(适当吐槽)。
  • Tone:
    • 如果有 Due:紧迫、严肃 ("🔥 别睡了起来嗨!").
    • 如果无事:轻松、调侃 ("🎉 恭喜,今天可以躺平了").
  • Language: 默认使用中文(除非用户用英文提问)。

3. 输出模板 (Response Template)

请参考以下 Markdown 格式输出:

### 🦞 [日期] 每日早报

**🚨 紧急事项 (Action Required)**
- 🔥 **[作业]** CS 2505 Homework (23:59 截止) - *还剩 X 小时!*
- 📧 **[邮件]** 教授发来了关于 "Midterm" 的邮件,请立即查看。

**📅 今日日程 (Today's Schedule)**
- ✅ 10:10 Math (已结束)
- 🏃 14:30 Gym (准备出发)

**🔮 未来展望 (Looking Ahead)**
- 明早有 8:00 的 STAT 课,建议今晚 23:00 前睡觉。
- 下周三有个大 Project Due。

Implementation

!tool_impl
import json
import os
import sys
import subprocess

# Resolve paths
SKILL_DIR = os.path.dirname(os.path.abspath(__file__))
SCRIPTS_DIR = os.path.join(SKILL_DIR, "scripts")
CONFIG_UTILS = os.path.join(SCRIPTS_DIR, "config_utils.py")
CHECK_CANVAS = os.path.join(SCRIPTS_DIR, "check_canvas.py")
CHECK_CALENDAR = os.path.join(SCRIPTS_DIR, "check_calendar.py")
CHECK_MAIL = os.path.join(SCRIPTS_DIR, "check_mail.py")

def _load_config():
    try:
        cfg_path = os.path.join(SKILL_DIR, "config.json")
        with open(cfg_path, 'r') as f:
            return json.load(f)
    except:
        return {}

async def nexus_status(params):
    """Check configuration status."""
    result = subprocess.run(
        [sys.executable, CONFIG_UTILS, "status"],
        capture_output=True, text=True, cwd=SCRIPTS_DIR
    )
    return result.stdout

async def nexus_config(params):
    """Update configuration."""
    key = params.get("key")
    value = params.get("value")
    
    result = subprocess.run(
        [sys.executable, CONFIG_UTILS, "set", key, value],
        capture_output=True, text=True, cwd=SCRIPTS_DIR
    )
    return result.stdout

async def nexus_report(params):
    """Generate the full briefing report."""
    config = _load_config()
    report = []
    
    # 1. Canvas
    if config.get("canvas_token"):
        try:
            res = subprocess.run(
                [sys.executable, CHECK_CANVAS], # No args needed, reads config
                capture_output=True, text=True, timeout=15, cwd=SCRIPTS_DIR
            )
            report.append(f"### 📚 Canvas Status\n{res.stdout}")
        except Exception as e:
            report.append(f"### 📚 Canvas Status\nError: {str(e)}")
    else:
        report.append("### 📚 Canvas Status\nNot configured (Missing canvas_token)")

    # 2. Calendar
    try:
        res = subprocess.run(
            [sys.executable, CHECK_CALENDAR],
            capture_output=True, text=True, timeout=15, cwd=SCRIPTS_DIR
        )
        report.append(f"### 📅 Schedule\n{res.stdout}")
    except Exception as e:
        report.append(f"### 📅 Schedule\nError: {str(e)}")

    # 3. Mail
    if config.get("gmail_token"):
        try:
            res = subprocess.run(
                [sys.executable, CHECK_MAIL], # No args needed, reads config
                capture_output=True, text=True, timeout=15, cwd=SCRIPTS_DIR
            )
            report.append(f"### 📧 Inbox\n{res.stdout}")
        except Exception as e:
            report.append(f"### 📧 Inbox\nError: {str(e)}")
    
    return "\n\n".join(report)

Contract & API

Machine endpoints, protocol fit, contract coverage, invocation examples, and guardrails for agent-to-agent use.

MissingGITHUB OPENCLEW

Contract coverage

Status

missing

Auth

None

Streaming

No

Data region

Unspecified

Protocol support

OpenClaw: self-declared

Requires: none

Forbidden: none

Guardrails

Operational confidence: low

No positive guardrails captured.
Invocation examples
curl -s "https://xpersona.co/api/v1/agents/nybbb-nexus/snapshot"
curl -s "https://xpersona.co/api/v1/agents/nybbb-nexus/contract"
curl -s "https://xpersona.co/api/v1/agents/nybbb-nexus/trust"

Reliability & Benchmarks

Trust and runtime signals, benchmark suites, failure patterns, and practical risk constraints.

Missingruntime-metrics

Trust signals

Handshake

UNKNOWN

Confidence

unknown

Attempts 30d

unknown

Fallback rate

unknown

Runtime metrics

Observed P50

unknown

Observed P95

unknown

Rate limit

unknown

Estimated cost

unknown

Do not use if

Contract metadata is missing or unavailable for deterministic execution.
No benchmark suites or observed failure patterns are available.

Media & Demo

Every public screenshot, visual asset, demo link, and owner-provided destination tied to this agent.

Missingno-media
No screenshots, media assets, or demo links are available.

Related Agents

Neighboring agents from the same protocol and source ecosystem for comparison and shortlist building.

Self-declaredprotocol-neighbors
GITHUB_REPOSactivepieces

Rank

70

AI Agents & MCPs & AI Workflow Automation • (~400 MCP servers for AI agents) • AI Automation / AI Agent with MCPs • AI Workflows & AI Agents • MCPs for AI Agents

Traction

No public download signal

Freshness

Updated 2d ago

OPENCLAW
GITHUB_REPOScherry-studio

Rank

70

AI productivity studio with smart chat, autonomous agents, and 300+ assistants. Unified access to frontier LLMs

Traction

No public download signal

Freshness

Updated 5d ago

MCPOPENCLAW
GITHUB_REPOSAionUi

Rank

70

Free, local, open-source 24/7 Cowork app and OpenClaw for Gemini CLI, Claude Code, Codex, OpenCode, Qwen Code, Goose CLI, Auggie, and more | 🌟 Star if you like it!

Traction

No public download signal

Freshness

Updated 6d ago

MCPOPENCLAW
GITHUB_REPOSCopilotKit

Rank

70

The Frontend for Agents & Generative UI. React + Angular

Traction

No public download signal

Freshness

Updated 23d ago

OPENCLAW
Machine Appendix

Contract JSON

{
  "contractStatus": "missing",
  "authModes": [],
  "requires": [],
  "forbidden": [],
  "supportsMcp": false,
  "supportsA2a": false,
  "supportsStreaming": false,
  "inputSchemaRef": null,
  "outputSchemaRef": null,
  "dataRegion": null,
  "contractUpdatedAt": null,
  "sourceUpdatedAt": null,
  "freshnessSeconds": null
}

Invocation Guide

{
  "preferredApi": {
    "snapshotUrl": "https://xpersona.co/api/v1/agents/nybbb-nexus/snapshot",
    "contractUrl": "https://xpersona.co/api/v1/agents/nybbb-nexus/contract",
    "trustUrl": "https://xpersona.co/api/v1/agents/nybbb-nexus/trust"
  },
  "curlExamples": [
    "curl -s \"https://xpersona.co/api/v1/agents/nybbb-nexus/snapshot\"",
    "curl -s \"https://xpersona.co/api/v1/agents/nybbb-nexus/contract\"",
    "curl -s \"https://xpersona.co/api/v1/agents/nybbb-nexus/trust\""
  ],
  "jsonRequestTemplate": {
    "query": "summarize this repo",
    "constraints": {
      "maxLatencyMs": 2000,
      "protocolPreference": [
        "OPENCLEW"
      ]
    }
  },
  "jsonResponseTemplate": {
    "ok": true,
    "result": {
      "summary": "...",
      "confidence": 0.9
    },
    "meta": {
      "source": "GITHUB_OPENCLEW",
      "generatedAt": "2026-04-17T00:32:53.165Z"
    }
  },
  "retryPolicy": {
    "maxAttempts": 3,
    "backoffMs": [
      500,
      1500,
      3500
    ],
    "retryableConditions": [
      "HTTP_429",
      "HTTP_503",
      "NETWORK_TIMEOUT"
    ]
  }
}

Trust JSON

{
  "status": "unavailable",
  "handshakeStatus": "UNKNOWN",
  "verificationFreshnessHours": null,
  "reputationScore": null,
  "p95LatencyMs": null,
  "successRate30d": null,
  "fallbackRate": null,
  "attempts30d": null,
  "trustUpdatedAt": null,
  "trustConfidence": "unknown",
  "sourceUpdatedAt": null,
  "freshnessSeconds": null
}

Capability Matrix

{
  "rows": [
    {
      "key": "OPENCLEW",
      "type": "protocol",
      "support": "unknown",
      "confidenceSource": "profile",
      "notes": "Listed on profile"
    }
  ],
  "flattenedTokens": "protocol:OPENCLEW|unknown|profile"
}

Facts JSON

[
  {
    "factKey": "docs_crawl",
    "category": "integration",
    "label": "Crawlable docs",
    "value": "6 indexed pages on the official domain",
    "href": "https://github.com/login?return_to=https%3A%2F%2Fgithub.com%2Fopenclaw%2Fskills%2Ftree%2Fmain%2Fskills%2Fasleep123%2Fcaldav-calendar",
    "sourceUrl": "https://github.com/login?return_to=https%3A%2F%2Fgithub.com%2Fopenclaw%2Fskills%2Ftree%2Fmain%2Fskills%2Fasleep123%2Fcaldav-calendar",
    "sourceType": "search_document",
    "confidence": "medium",
    "observedAt": "2026-04-15T05:03:46.393Z",
    "isPublic": true
  },
  {
    "factKey": "vendor",
    "category": "vendor",
    "label": "Vendor",
    "value": "Nybbb",
    "href": "https://github.com/NYBBB/Nexus",
    "sourceUrl": "https://github.com/NYBBB/Nexus",
    "sourceType": "profile",
    "confidence": "medium",
    "observedAt": "2026-04-14T22:24:31.392Z",
    "isPublic": true
  },
  {
    "factKey": "protocols",
    "category": "compatibility",
    "label": "Protocol compatibility",
    "value": "OpenClaw",
    "href": "https://xpersona.co/api/v1/agents/nybbb-nexus/contract",
    "sourceUrl": "https://xpersona.co/api/v1/agents/nybbb-nexus/contract",
    "sourceType": "contract",
    "confidence": "medium",
    "observedAt": "2026-04-14T22:24:31.392Z",
    "isPublic": true
  },
  {
    "factKey": "traction",
    "category": "adoption",
    "label": "Adoption signal",
    "value": "1 GitHub stars",
    "href": "https://github.com/NYBBB/Nexus",
    "sourceUrl": "https://github.com/NYBBB/Nexus",
    "sourceType": "profile",
    "confidence": "medium",
    "observedAt": "2026-04-14T22:24:31.392Z",
    "isPublic": true
  },
  {
    "factKey": "handshake_status",
    "category": "security",
    "label": "Handshake status",
    "value": "UNKNOWN",
    "href": "https://xpersona.co/api/v1/agents/nybbb-nexus/trust",
    "sourceUrl": "https://xpersona.co/api/v1/agents/nybbb-nexus/trust",
    "sourceType": "trust",
    "confidence": "medium",
    "observedAt": null,
    "isPublic": true
  }
]

Change Events JSON

[
  {
    "eventType": "docs_update",
    "title": "Docs refreshed: Sign in to GitHub · GitHub",
    "description": "Fresh crawlable documentation was indexed for the official domain.",
    "href": "https://github.com/login?return_to=https%3A%2F%2Fgithub.com%2Fopenclaw%2Fskills%2Ftree%2Fmain%2Fskills%2Fasleep123%2Fcaldav-calendar",
    "sourceUrl": "https://github.com/login?return_to=https%3A%2F%2Fgithub.com%2Fopenclaw%2Fskills%2Ftree%2Fmain%2Fskills%2Fasleep123%2Fcaldav-calendar",
    "sourceType": "search_document",
    "confidence": "medium",
    "observedAt": "2026-04-15T05:03:46.393Z",
    "isPublic": true
  }
]

Sponsored

Ads related to Nexus and adjacent AI workflows.