Crawler Summary

moltok-automation answer-first brief

Automated moltok platform registration, account management, and valuable capability discovery --- name: moltok-automation description: Automated moltok platform registration, account management, and valuable capability discovery --- Moltok Platform Automation Overview Comprehensive skill for automating Moltok platform interactions including registration, account setup, tool exploration, and value assessment. When to Use Use this skill when: - Registering new accounts on Moltok platform - Exploring available t Capability contract not published. No trust telemetry is available yet. Last updated 2/24/2026.

Freshness

Last checked 2/24/2026

Best For

moltok-automation is best for for, response, quality 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: 89/100

moltok-automation

Automated moltok platform registration, account management, and valuable capability discovery --- name: moltok-automation description: Automated moltok platform registration, account management, and valuable capability discovery --- Moltok Platform Automation Overview Comprehensive skill for automating Moltok platform interactions including registration, account setup, tool exploration, and value assessment. When to Use Use this skill when: - Registering new accounts on Moltok platform - Exploring available t

OpenClawself-declared

Public facts

4

Change events

1

Artifacts

0

Freshness

Feb 24, 2026

Verifiededitorial-contentNo verified compatibility signals

Capability contract not published. No trust telemetry is available yet. Last updated 2/24/2026.

Trust evidence available

Trust score

Unknown

Compatibility

OpenClaw

Freshness

Feb 24, 2026

Vendor

Nkchivas

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. Last updated 2/24/2026.

Setup snapshot

git clone https://github.com/nkchivas/openclaw-skill-moltok-automation.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

Nkchivas

profilemedium
Observed Feb 24, 2026Source linkProvenance
Compatibility (1)

Protocol compatibility

OpenClaw

contractmedium
Observed Feb 24, 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

6

Snippets

0

Languages

typescript

Parameters

Executable Examples

bash

# Open Moltok homepage
openclaw browser open https://moltok.com

# Take screenshot for reference
openclaw browser screenshot --full-page

# Get page structure
openclaw browser snapshot --format aria

bash

# Navigate to signup
openclaw browser click "Sign Up"  # ref from snapshot

# Fill registration form
openclaw browser fill --fields '[
  {"ref": "email", "value": "user@example.com"},
  {"ref": "password", "value": "SecurePass123!"},
  {"ref": "username", "value": "myusername"}
]'

# Submit form
openclaw browser press Enter

bash

# Wait for verification email
openclaw browser wait --url "*/verify*"

# Or manually get code from email
openclaw agent -m "Check email for moltok verification code and enter it"

python

import json
from datetime import datetime

class MoltokToolExplorer:
    """Discover and evaluate Moltok tools"""

    def __init__(self):
        self.discovered_tools = []
        self.rated_tools = []

    def explore_category(self, category_url):
        """Explore all tools in a category"""
        # Navigate to category
        openclaw browser navigate category_url

        # Get list of tools
        snapshot = openclaw browser snapshot
        tool_links = extract_tool_links(snapshot)

        for tool in tool_links:
            tool_data = self.analyze_tool(tool)
            self.discovered_tools.append(tool_data)

    def analyze_tool(self, tool_url):
        """Deep analysis of a single tool"""
        # Navigate to tool page
        openclaw browser navigate tool_url

        # Take screenshot
        screenshot = openclaw browser screenshot

        # Extract tool info
        tool_info = {
            'name': extract_tool_name(),
            'description': extract_description(),
            'pricing': extract_pricing(),
            'features': extract_features(),
            'ratings': extract_ratings(),
            'use_cases': extract_use_cases(),
            'api_available': check_api_access(),
            'screenshot': screenshot
        }

        # Calculate value score
        tool_info['value_score'] = self.calculate_value(tool_info)

        return tool_info

    def calculate_value(self, tool_info):
        """Calculate value score (0-100)"""
        score = 0

        # Feature value (0-30 points)
        score += len(tool_info['features']) * 2

        # Rating value (0-25 points)
        score += tool_info['ratings'].get('overall', 0) * 5

        # Pricing efficiency (0-20 points)
        if tool_info['pricing'].get('free_tier'):
            score += 10
        if tool_info['pricing'].get('trial'):
            score += 5

        # API availability (0-15 points)
        if tool_info['api_available']:
            score += 15

        # Us

python

#!/usr/bin/env python3
"""
Moltok Automated Registration
"""

import secrets
import string
from pathlib import Path

class MoltokAutoRegister:
    """Automate Moltok account registration"""

    def generate_secure_password(self, length=16):
        """Generate secure password"""
        alphabet = string.ascii_letters + string.digits + "!@#$%^&*"
        return ''.join(secrets.choice(alphabet) for _ in range(length))

    def generate_username(self, base="user"):
        """Generate unique username"""
        timestamp = datetime.now().strftime("%Y%m%d")
        random_suffix = secrets.token_hex(2)
        return f"{base}_{timestamp}_{random_suffix}"

    def register_account(self, email, password=None, username=None):
        """Complete registration flow"""

        # Step 1: Navigate to signup
        openclaw browser open "https://moltok.com/signup"

        # Step 2: Fill form
        if not password:
            password = self.generate_secure_password()

        if not username:
            username = self.generate_username()

        form_data = [
            {"selector": "input[type='email']", "value": email},
            {"selector": "input[type='password']", "value": password},
            {"selector": "input[name='username']", "value": username}
        ]

        openclaw browser fill --fields json.dumps(form_data)

        # Step 3: Accept TOS
        openclaw browser click "input[type='checkbox']"

        # Step 4: Submit
        openclaw browser click "button[type='submit']"

        # Step 5: Handle verification
        # Wait for email or SMS
        verification_code = self.get_verification_code(email)

        openclaw browser type verification_code
        openclaw browser press Enter

        # Step 6: Setup complete
        credentials = {
            'email': email,
            'username': username,
            'password': password,  # Store securely!
            'registered_at': datetime.now().isoformat()
        }

        # Save to secur

bash

# 1. Complete profile
openclaw browser navigate "https://moltok.com/settings/profile"

# 2. Configure API keys
openclaw browser navigate "https://moltok.com/settings/api"

# 3. Set up notifications
openclaw browser navigate "https://moltok.com/settings/notifications"

# 4. Explore integrations
openclaw browser navigate "https://moltok.com/integrations"

# 5. Check documentation
openclaw browser open "https://docs.moltok.com"

Docs & README

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

Self-declaredGITHUB OPENCLEW

Docs source

GITHUB OPENCLEW

Editorial quality

ready

Automated moltok platform registration, account management, and valuable capability discovery --- name: moltok-automation description: Automated moltok platform registration, account management, and valuable capability discovery --- Moltok Platform Automation Overview Comprehensive skill for automating Moltok platform interactions including registration, account setup, tool exploration, and value assessment. When to Use Use this skill when: - Registering new accounts on Moltok platform - Exploring available t

Full README

name: moltok-automation description: Automated moltok platform registration, account management, and valuable capability discovery

Moltok Platform Automation

Overview

Comprehensive skill for automating Moltok platform interactions including registration, account setup, tool exploration, and value assessment.

When to Use

Use this skill when:

  • Registering new accounts on Moltok platform
  • Exploring available tools/capabilities on Moltok
  • Analyzing tool value and ROI for business use cases
  • Setting up automated workflows with Moltok integrations
  • Monitoring tool performance and cost-effectiveness
  • Discovering hidden or beta capabilities

Use especially for:

  • Batch tool evaluation and comparison
  • Automated account provisioning
  • Integration testing with external services
  • Competitive analysis of tool offerings

Platform Navigation

Step 1: Initial Exploration

# Open Moltok homepage
openclaw browser open https://moltok.com

# Take screenshot for reference
openclaw browser screenshot --full-page

# Get page structure
openclaw browser snapshot --format aria

Step 2: Registration Flow

# Navigate to signup
openclaw browser click "Sign Up"  # ref from snapshot

# Fill registration form
openclaw browser fill --fields '[
  {"ref": "email", "value": "user@example.com"},
  {"ref": "password", "value": "SecurePass123!"},
  {"ref": "username", "value": "myusername"}
]'

# Submit form
openclaw browser press Enter

Step 3: Email Verification

# Wait for verification email
openclaw browser wait --url "*/verify*"

# Or manually get code from email
openclaw agent -m "Check email for moltok verification code and enter it"

Tool Discovery Framework

Automated Tool Exploration

import json
from datetime import datetime

class MoltokToolExplorer:
    """Discover and evaluate Moltok tools"""

    def __init__(self):
        self.discovered_tools = []
        self.rated_tools = []

    def explore_category(self, category_url):
        """Explore all tools in a category"""
        # Navigate to category
        openclaw browser navigate category_url

        # Get list of tools
        snapshot = openclaw browser snapshot
        tool_links = extract_tool_links(snapshot)

        for tool in tool_links:
            tool_data = self.analyze_tool(tool)
            self.discovered_tools.append(tool_data)

    def analyze_tool(self, tool_url):
        """Deep analysis of a single tool"""
        # Navigate to tool page
        openclaw browser navigate tool_url

        # Take screenshot
        screenshot = openclaw browser screenshot

        # Extract tool info
        tool_info = {
            'name': extract_tool_name(),
            'description': extract_description(),
            'pricing': extract_pricing(),
            'features': extract_features(),
            'ratings': extract_ratings(),
            'use_cases': extract_use_cases(),
            'api_available': check_api_access(),
            'screenshot': screenshot
        }

        # Calculate value score
        tool_info['value_score'] = self.calculate_value(tool_info)

        return tool_info

    def calculate_value(self, tool_info):
        """Calculate value score (0-100)"""
        score = 0

        # Feature value (0-30 points)
        score += len(tool_info['features']) * 2

        # Rating value (0-25 points)
        score += tool_info['ratings'].get('overall', 0) * 5

        # Pricing efficiency (0-20 points)
        if tool_info['pricing'].get('free_tier'):
            score += 10
        if tool_info['pricing'].get('trial'):
            score += 5

        # API availability (0-15 points)
        if tool_info['api_available']:
            score += 15

        # Use case alignment (0-10 points)
        valuable_use_cases = [
            'automation', 'integration', 'batch', 'api'
        ]
        alignment = len([uc for uc in tool_info['use_cases']
                       if uc in valuable_use_cases])
        score += alignment * 2.5

        return min(score, 100)

Value Assessment Criteria

| Criterion | Weight | Evaluation Method | |-----------|--------|------------------| | Feature Richness | 30% | Count unique features, check for advanced options | | User Ratings | 25% | Aggregate ratings, review sentiment | | Pricing Model | 20% | Free tier, trial period, enterprise options | | API Availability | 15% | REST/GraphQL API, webhooks, SDK support | | Integration Ready | 10% | Pre-built integrations, Zapier, webhooks |

High-Value Tool Indicators

Strong Signals:

  • 4.5+ star rating with 100+ reviews
  • Free tier with generous limits
  • Official API with documentation
  • Webhook support for automation
  • Active community/discord
  • Recent updates (within 3 months)

⚠️ Warning Signs:

  • No updates in 6+ months
  • Limited or no API
  • High entry cost without trial
  • Poor support response times
  • Complex setup without docs

Automated Registration Workflow

Account Provisioning Script

#!/usr/bin/env python3
"""
Moltok Automated Registration
"""

import secrets
import string
from pathlib import Path

class MoltokAutoRegister:
    """Automate Moltok account registration"""

    def generate_secure_password(self, length=16):
        """Generate secure password"""
        alphabet = string.ascii_letters + string.digits + "!@#$%^&*"
        return ''.join(secrets.choice(alphabet) for _ in range(length))

    def generate_username(self, base="user"):
        """Generate unique username"""
        timestamp = datetime.now().strftime("%Y%m%d")
        random_suffix = secrets.token_hex(2)
        return f"{base}_{timestamp}_{random_suffix}"

    def register_account(self, email, password=None, username=None):
        """Complete registration flow"""

        # Step 1: Navigate to signup
        openclaw browser open "https://moltok.com/signup"

        # Step 2: Fill form
        if not password:
            password = self.generate_secure_password()

        if not username:
            username = self.generate_username()

        form_data = [
            {"selector": "input[type='email']", "value": email},
            {"selector": "input[type='password']", "value": password},
            {"selector": "input[name='username']", "value": username}
        ]

        openclaw browser fill --fields json.dumps(form_data)

        # Step 3: Accept TOS
        openclaw browser click "input[type='checkbox']"

        # Step 4: Submit
        openclaw browser click "button[type='submit']"

        # Step 5: Handle verification
        # Wait for email or SMS
        verification_code = self.get_verification_code(email)

        openclaw browser type verification_code
        openclaw browser press Enter

        # Step 6: Setup complete
        credentials = {
            'email': email,
            'username': username,
            'password': password,  # Store securely!
            'registered_at': datetime.now().isoformat()
        }

        # Save to secure credential store
        self.save_credentials(credentials)

        return credentials

    def get_verification_code(self, email):
        """Get verification code from email"""
        # Option 1: Use mail API
        # Option 2: User input
        # Option 3: Auto-forward from email provider

        code = input(f"Enter verification code sent to {email}: ")
        return code

    def save_credentials(self, credentials):
        """Save credentials to secure storage"""
        import keyring  # pip install keyring

        keyring.set_password(
            "moltok",
            credentials['username'],
            credentials['password']
        )

Tool Categories to Explore

High-Priority Categories

  1. Automation & Workflows

    • Zapier/Make alternatives
    • Custom workflow builders
    • Scheduled automation tools
  2. Data Processing

    • ETL/ELT pipelines
    • Data transformation tools
    • Batch processing utilities
  3. Integration Platforms

    • API aggregators
    • Webhook managers
    • Event-driven platforms
  4. AI/ML Tools

    • Model training platforms
    • Inference APIs
    • Data labeling tools
  5. Developer Tools

    • CI/CD integrations
    • Code quality tools
    • Deployment automation

Medium-Priority Categories

  1. Analytics & Reporting
  2. Communication Tools
  3. Project Management
  4. Security & Compliance
  5. Monitoring & Logging

Post-Registration Actions

Immediate Setup Checklist

# 1. Complete profile
openclaw browser navigate "https://moltok.com/settings/profile"

# 2. Configure API keys
openclaw browser navigate "https://moltok.com/settings/api"

# 3. Set up notifications
openclaw browser navigate "https://moltok.com/settings/notifications"

# 4. Explore integrations
openclaw browser navigate "https://moltok.com/integrations"

# 5. Check documentation
openclaw browser open "https://docs.moltok.com"

Tool Evaluation Template

# Tool Evaluation: [Tool Name]

## Basic Info
- **URL**: [link]
- **Category**: [category]
- **Last Updated**: [date]

## Value Assessment
- **Feature Score**: [X/30]
- **Rating Score**: [X/25]
- **Pricing Score**: [X/20]
- **API Score**: [X/15]
- **Integration Score**: [X/10]
- **Total Value**: [X/100]

## Key Features
1. [Feature 1]
2. [Feature 2]
3. [Feature 3]

## Pricing
- Free Tier: [details]
- Paid Plans: [details]
- Trial Available: [yes/no]

## Integration Potential
- API: [REST/GraphQL/None]
- Webhooks: [yes/no]
- Pre-built Integrations: [count]

## Recommendation
[Recommended / Not Recommended]

**Reasoning**:
[Justification for score and recommendation]

## Next Steps
1. [Action item 1]
2. [Action item 2]

Batch Evaluation Mode

def batch_evaluate_tools(category, limit=20):
    """Evaluate multiple tools in a category"""

    results = []

    # Get all tools in category
    tools = discover_tools(category, limit)

    for tool in tools:
        try:
            evaluation = analyze_tool(tool)
            results.append(evaluation)

            # Rate limit to avoid overwhelming server
            time.sleep(2)

        except Exception as e:
            print(f"Error evaluating {tool}: {e}")
            continue

    # Sort by value score
    results.sort(key=lambda x: x['value_score'], reverse=True)

    # Generate report
    generate_evaluation_report(results, category)

    return results

Report Generation

Executive Summary

def generate_executive_summary(evaluation_results):
    """Create executive summary of tool evaluations"""

    summary = {
        'total_tools_evaluated': len(evaluation_results),
        'high_value_tools': len([t for t in evaluation_results
                              if t['value_score'] >= 70]),
        'medium_value_tools': len([t for t in evaluation_results
                                if 50 <= t['value_score'] < 70]),
        'low_value_tools': len([t for t in evaluation_results
                             if t['value_score'] < 50]),

        'top_recommendations': evaluation_results[:5],
        'quick_wins': [t for t in evaluation_results
                      if t.get('free_tier') and t['value_score'] >= 70],
        'best_apis': sorted(evaluation_results,
                          key=lambda x: x.get('api_quality', 0),
                          reverse=True)[:3]
    }

    return summary

Best Practices

  1. Always take screenshots - Visual documentation is crucial
  2. Save tool metadata - URL, pricing, features for comparison
  3. Check API docs - Even if not using immediately, assess capability
  4. Look for free tiers - Test before committing budget
  5. Check update frequency - Active maintenance indicates reliability
  6. Test integrations - Verify claims about Zapier, webhooks, etc.
  7. Read recent reviews - Look for patterns in feedback
  8. Assess support quality - Test response time before purchase

Common Pitfalls

Don't:

  • Skip the free trial testing
  • Ignore API documentation quality
  • Overlook data export capabilities
  • Forget to check for rate limits
  • Assume higher price = better quality
  • Neglect community feedback
  • Skip reading the fine print on quotas

Do:

  • Test all critical features during trial
  • Verify API rate limits and quotas
  • Check data portability options
  • Assess support responsiveness
  • Compare 3-5 alternatives before committing
  • Document evaluation criteria
  • Set reminders for trial expirations

Example Usage

Scenario: Discover Marketing Automation Tools

# Step 1: Explore category
openclaw browser open "https://moltok.com/categories/marketing-automation"

# Step 2: Get tool list
openclaw browser snapshot > marketing_tools.json

# Step 3: Batch evaluate
python3 << EOF
from moltok_tools import batch_evaluate_tools

results = batch_evaluate_tools("marketing-automation", limit=15)

for tool in results[:5]:
    print(f"{tool['name']}: {tool['value_score']}/100")
EOF

Scenario: Find AI Writing Assistants

# Target specific capabilities
criteria = {
    'category': 'ai-tools',
    'features': ['writing', 'api', 'batch'],
    'pricing': 'free_tier_required'
}

# Filter and evaluate
filtered_tools = filter_tools(criteria)
ranked = rank_by_value(filtered_tools)

# Top 3 recommendations
for tool in ranked[:3]:
    print(f"\n{tool['name']}")
    print(f"  Value: {tool['value_score']}/100")
    print(f"  Why: {tool['recommendation_reason']}")

Dependencies

# Python packages
pip install keyring requests beautifulsoup4 lxml

# Browser requirements
# Chrome/Chromium with OpenClaw extension

Related Skills

  • data-analyzer - For analyzing tool performance data
  • systematic-debugging - For troubleshooting integration issues
  • search - For researching tool alternatives and comparisons

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/nkchivas-openclaw-skill-moltok-automation/snapshot"
curl -s "https://xpersona.co/api/v1/agents/nkchivas-openclaw-skill-moltok-automation/contract"
curl -s "https://xpersona.co/api/v1/agents/nkchivas-openclaw-skill-moltok-automation/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/nkchivas-openclaw-skill-moltok-automation/snapshot",
    "contractUrl": "https://xpersona.co/api/v1/agents/nkchivas-openclaw-skill-moltok-automation/contract",
    "trustUrl": "https://xpersona.co/api/v1/agents/nkchivas-openclaw-skill-moltok-automation/trust"
  },
  "curlExamples": [
    "curl -s \"https://xpersona.co/api/v1/agents/nkchivas-openclaw-skill-moltok-automation/snapshot\"",
    "curl -s \"https://xpersona.co/api/v1/agents/nkchivas-openclaw-skill-moltok-automation/contract\"",
    "curl -s \"https://xpersona.co/api/v1/agents/nkchivas-openclaw-skill-moltok-automation/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-17T01:30:56.484Z"
    }
  },
  "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"
    },
    {
      "key": "for",
      "type": "capability",
      "support": "supported",
      "confidenceSource": "profile",
      "notes": "Declared in agent profile metadata"
    },
    {
      "key": "response",
      "type": "capability",
      "support": "supported",
      "confidenceSource": "profile",
      "notes": "Declared in agent profile metadata"
    },
    {
      "key": "quality",
      "type": "capability",
      "support": "supported",
      "confidenceSource": "profile",
      "notes": "Declared in agent profile metadata"
    },
    {
      "key": "responsiveness",
      "type": "capability",
      "support": "supported",
      "confidenceSource": "profile",
      "notes": "Declared in agent profile metadata"
    }
  ],
  "flattenedTokens": "protocol:OPENCLEW|unknown|profile capability:for|supported|profile capability:response|supported|profile capability:quality|supported|profile capability:responsiveness|supported|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": "Nkchivas",
    "href": "https://github.com/nkchivas/openclaw-skill-moltok-automation",
    "sourceUrl": "https://github.com/nkchivas/openclaw-skill-moltok-automation",
    "sourceType": "profile",
    "confidence": "medium",
    "observedAt": "2026-02-24T19:44:26.080Z",
    "isPublic": true
  },
  {
    "factKey": "protocols",
    "category": "compatibility",
    "label": "Protocol compatibility",
    "value": "OpenClaw",
    "href": "https://xpersona.co/api/v1/agents/nkchivas-openclaw-skill-moltok-automation/contract",
    "sourceUrl": "https://xpersona.co/api/v1/agents/nkchivas-openclaw-skill-moltok-automation/contract",
    "sourceType": "contract",
    "confidence": "medium",
    "observedAt": "2026-02-24T19:44:26.080Z",
    "isPublic": true
  },
  {
    "factKey": "handshake_status",
    "category": "security",
    "label": "Handshake status",
    "value": "UNKNOWN",
    "href": "https://xpersona.co/api/v1/agents/nkchivas-openclaw-skill-moltok-automation/trust",
    "sourceUrl": "https://xpersona.co/api/v1/agents/nkchivas-openclaw-skill-moltok-automation/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 moltok-automation and adjacent AI workflows.