kesslerio

Do processing...

0
0
# Install this skill:
npx skills add kesslerio/agentmail-openclaw-skill

Or install specific skill: npx add-skill https://github.com/kesslerio/agentmail-openclaw-skill

# Description

AgentMail API skill for OpenClaw - programmatic email for AI agents

# SKILL.md

AgentMail Skill

Purpose: Programmatic email for AI agents via AgentMail API β€” create inboxes, send/receive messages, manage threads, webhooks, and domains.

Trigger phrases: "send email", "create inbox", "check mail", "agentmail", "email agent", "read messages", "email webhook"

Quick Reference

Authentication

Requires AGENTMAIL_API_KEY environment variable. Get your key from https://agentmail.to

Core Concepts

  • Inbox: Email address (e.g., [email protected]) that can send/receive
  • Pod: Container for multiple inboxes with shared domains
  • Thread: Email conversation (grouped by subject/references)
  • Message: Individual email in a thread
  • Draft: Unsent message that can be edited before sending

CLI Wrapper

Use the agentmail-cli script for common operations:

# List inboxes
./scripts/agentmail-cli inboxes list

# Create inbox
./scripts/agentmail-cli inboxes create [--username NAME] [--domain DOMAIN]

# Send email
./scripts/agentmail-cli send --inbox-id ID --to "[email protected]" --subject "Hello" --text "Body"

# List messages
./scripts/agentmail-cli messages list --inbox-id ID

# Get message
./scripts/agentmail-cli messages get --inbox-id ID --message-id MSG_ID

# Reply to message
./scripts/agentmail-cli reply --inbox-id ID --message-id MSG_ID --text "Reply body"

# List threads
./scripts/agentmail-cli threads list --inbox-id ID

# Create webhook
./scripts/agentmail-cli webhooks create --url "https://..." --events "message.received"

# List webhooks
./scripts/agentmail-cli webhooks list

Python SDK (Direct Usage)

from agentmail import AgentMail

client = AgentMail(api_key="YOUR_API_KEY")

# Create inbox
inbox = client.inboxes.create()
print(f"Created: {inbox.address}")

# Send message
response = client.inboxes.messages.send(
    inbox_id=inbox.id,
    to=["[email protected]"],
    subject="Hello from Agent",
    text="This is the message body",
    html="<p>This is the <b>HTML</b> body</p>"  # optional
)

# List messages in inbox
messages = client.inboxes.messages.list(inbox_id=inbox.id)
for msg in messages:
    print(f"{msg.from_} -> {msg.subject}")

# Reply to a message
client.inboxes.messages.reply(
    inbox_id=inbox.id,
    message_id=message_id,
    text="Thanks for your email!"
)

# Forward a message
client.inboxes.messages.forward(
    inbox_id=inbox.id,
    message_id=message_id,
    to=["[email protected]"]
)

Webhooks for Real-Time Events

# Create webhook for new messages
webhook = client.webhooks.create(
    url="https://your-server.com/webhook",
    event_types=["message.received"]
)

# Webhook payload structure:
# {
#   "event": "message.received",
#   "inbox_id": "...",
#   "message_id": "...",
#   "thread_id": "...",
#   "from": "[email protected]",
#   "subject": "...",
#   "timestamp": "..."
# }

Pods (Multi-Inbox Management)

# Create pod
pod = client.pods.create(name="my-project")

# Create inbox in pod
inbox = client.pods.inboxes.create(
    pod_id=pod.id,
    username="support",
    domain="agentmail.to"  # or your verified domain
)

# List all inboxes in pod
inboxes = client.pods.inboxes.list(pod_id=pod.id)

Custom Domains

# Register domain
domain = client.domains.create(
    domain="mail.yourdomain.com",
    feedback_enabled=True
)

# Get DNS records to configure
zone_file = client.domains.get_zone_file(domain_id=domain.id)

# Verify domain after DNS setup
client.domains.verify(domain_id=domain.id)

Working with Drafts

# Create draft
draft = client.inboxes.drafts.create(
    inbox_id=inbox_id,
    to=["[email protected]"],
    subject="Draft Subject",
    text="Draft body..."
)

# Update draft
client.inboxes.drafts.update(
    inbox_id=inbox_id,
    draft_id=draft.id,
    text="Updated body..."
)

# Send draft
client.inboxes.drafts.send(
    inbox_id=inbox_id,
    draft_id=draft.id
)

Attachments

import base64

# Send with attachment
with open("document.pdf", "rb") as f:
    content = base64.b64encode(f.read()).decode()

client.inboxes.messages.send(
    inbox_id=inbox_id,
    to=["[email protected]"],
    subject="Document attached",
    text="Please see attached.",
    attachments=[{
        "filename": "document.pdf",
        "content_type": "application/pdf",
        "content": content
    }]
)

# Get attachment from received message
attachment = client.inboxes.messages.get_attachment(
    inbox_id=inbox_id,
    message_id=message_id,
    attachment_id=attachment_id
)

Labels and Filtering

# List messages with label
messages = client.inboxes.messages.list(
    inbox_id=inbox_id,
    labels=["unread"]
)

# Update message labels
client.inboxes.messages.update(
    inbox_id=inbox_id,
    message_id=message_id,
    add_labels=["processed"],
    remove_labels=["unread"]
)

Metrics

from datetime import datetime, timedelta

# Get inbox metrics
metrics = client.inboxes.metrics.get(
    inbox_id=inbox_id,
    start_timestamp=datetime.now() - timedelta(days=7),
    end_timestamp=datetime.now()
)

Async Client

import asyncio
from agentmail import AsyncAgentMail

async def main():
    client = AsyncAgentMail(api_key="YOUR_API_KEY")
    inbox = await client.inboxes.create()
    await client.inboxes.messages.send(
        inbox_id=inbox.id,
        to=["[email protected]"],
        subject="Async Hello",
        text="Sent asynchronously!"
    )

asyncio.run(main())

WebSocket for Real-Time Updates

import threading

with client.websockets.connect() as socket:
    socket.on("message.received", lambda msg: print(f"New: {msg}"))

    listener = threading.Thread(target=socket.start_listening, daemon=True)
    listener.start()

    # Keep running...

Common Patterns

Inbox-per-User Pattern

def get_or_create_user_inbox(user_id: str) -> str:
    """Create a dedicated inbox for each user."""
    inbox = client.inboxes.create(
        username=f"user-{user_id}",
        display_name=f"User {user_id}'s Inbox"
    )
    return inbox.id

Poll for New Messages

import time

def poll_inbox(inbox_id: str, callback, interval: int = 60):
    """Poll inbox for new messages."""
    last_check = None
    while True:
        messages = client.inboxes.messages.list(
            inbox_id=inbox_id,
            after=last_check,
            labels=["unread"]
        )
        for msg in messages:
            callback(msg)
        last_check = datetime.now().isoformat()
        time.sleep(interval)

Process and Archive

def process_message(inbox_id: str, message_id: str):
    """Process message and mark as handled."""
    msg = client.inboxes.messages.get(
        inbox_id=inbox_id,
        message_id=message_id
    )

    # Do processing...

    client.inboxes.messages.update(
        inbox_id=inbox_id,
        message_id=message_id,
        add_labels=["processed"],
        remove_labels=["unread"]
    )

Error Handling

from agentmail.core.api_error import ApiError

try:
    client.inboxes.messages.send(...)
except ApiError as e:
    if e.status_code == 404:
        print("Inbox not found")
    elif e.status_code == 429:
        print("Rate limited, retry later")
    else:
        print(f"Error {e.status_code}: {e.body}")

Installation

pip install agentmail

Resources

  • Docs: https://docs.agentmail.to
  • Python SDK: https://github.com/agentmail-to/agentmail-python
  • Dashboard: https://agentmail.to

# README.md

AgentMail OpenClaw Skill

Programmatic email for AI agents via the AgentMail API.

Features

  • Create and manage email inboxes for AI agents
  • Send, receive, reply, and forward emails
  • Thread-based conversation management
  • Webhooks for real-time notifications
  • Custom domain support
  • Pods for multi-inbox organization
  • Async client support
  • WebSocket streaming

Installation

1. Install the Python SDK

pip install agentmail

2. Set up authentication

Get your API key from agentmail.to and set it:

export AGENTMAIL_API_KEY="your-api-key"

3. Add to OpenClaw

Copy this skill to your OpenClaw skills directory:

# For global skills
cp -r agentmail ~/.openclaw/skills/

# Or symlink
ln -s $(pwd)/agentmail ~/.openclaw/skills/agentmail

Quick Start

CLI Usage

# Create an inbox
./scripts/agentmail-cli inboxes create

# Send an email
./scripts/agentmail-cli send \
  --inbox-id "inbox_..." \
  --to "[email protected]" \
  --subject "Hello" \
  --text "Message body"

# List messages
./scripts/agentmail-cli messages list --inbox-id "inbox_..."

# Reply to a message
./scripts/agentmail-cli reply \
  --inbox-id "inbox_..." \
  --message-id "msg_..." \
  --text "Reply text"

Python Usage

from agentmail import AgentMail

client = AgentMail(api_key="YOUR_API_KEY")

# Create inbox
inbox = client.inboxes.create()

# Send message
client.inboxes.messages.send(
    inbox_id=inbox.id,
    to=["[email protected]"],
    subject="Hello from Agent",
    text="This is the message body"
)

# Check for new messages
for msg in client.inboxes.messages.list(inbox_id=inbox.id, labels=["unread"]):
    print(f"From: {msg.from_} - Subject: {msg.subject}")

Use Cases

  • Customer Support Agents: Automated email handling and responses
  • Signup Verification: Receive verification emails during web automation
  • Newsletter Processing: Ingest and analyze email content
  • Multi-tenant Apps: Dedicated inboxes per user/agent
  • Notification Systems: Send transactional emails from AI workflows

Documentation

See SKILL.md for complete API reference and examples.

Resources

License

MIT

# Supported AI Coding Agents

This skill is compatible with the SKILL.md standard and works with all major AI coding agents:

Learn more about the SKILL.md standard and how to use these skills with your preferred AI coding agent.