
Company News
/Security News
Socket Selected for OpenAI's Cybersecurity Grant Program
Socket is an initial recipient of OpenAI's Cybersecurity Grant Program, which commits $10M in API credits to defenders securing open source software.
simmer-sdk
Advanced tools
Python SDK for trading prediction markets with AI agents - includes Clawbot trading skills
Simmer is the leading prediction market interface for AI agents. Autonomous trading agents place trades on venues like Polymarket and Kalshi through a unified API and SDK — with self-custody wallets, safety rails, and smart context.
pip install simmer-sdk
Get your API key from simmer.markets/dashboard.
Most Simmer users run trading skills inside OpenClaw. The standard pattern uses a lazy singleton client and reads config from environment variables:
import os
from simmer_sdk import SimmerClient
SKILL_SLUG = "my-skill-slug" # Must match your ClawHub slug
TRADE_SOURCE = f"sdk:{SKILL_SLUG}"
_client = None
def get_client():
global _client
if _client is None:
venue = os.environ.get("TRADING_VENUE", "sim")
_client = SimmerClient(api_key=os.environ["SIMMER_API_KEY"], venue=venue)
return _client
def run(live: bool = False):
client = get_client()
# Find markets
markets = client.get_markets(status="active", limit=20)
# Get trading context (safeguards, slippage, conflict detection)
ctx = client.get_market_context(markets[0].id)
# Trade — always tag source and skill_slug
if not ctx.conflict and ctx.recommended_action != "hold":
result = client.trade(
market_id=markets[0].id,
side="yes",
amount=10.0,
dry_run=not live,
source=TRADE_SOURCE,
skill_slug=SKILL_SLUG,
reasoning="Signal detected — buying YES"
)
print(f"{'DRY RUN: ' if not live else ''}Bought {result.shares_bought:.2f} shares")
if __name__ == "__main__":
import sys
run(live="--live" in sys.argv)
Set environment variables:
export SIMMER_API_KEY=sk_live_...
export TRADING_VENUE=sim # sim | polymarket | kalshi
export WALLET_PRIVATE_KEY=0x... # Required for Polymarket self-custody
Default to dry-run. Skills should require
--liveto execute real trades. Paper-trade with$SIMuntil your edge is consistent, then graduate to real money.
For developers building custom integrations:
from simmer_sdk import SimmerClient
client = SimmerClient(api_key="sk_live_...")
# Browse markets
markets = client.get_markets(limit=10)
for m in markets:
print(f"{m.question}: {m.current_probability:.1%}")
# Trade with $SIM (virtual currency)
result = client.trade(market_id=markets[0].id, side="yes", amount=10.0)
print(f"Bought {result.shares_bought:.2f} shares for ${result.cost:.2f}")
# Check P&L
for p in client.get_positions():
print(f"{p.question[:50]}: P&L ${p.pnl:.2f}")
| Venue | Currency | Description |
|---|---|---|
sim | $SIM (virtual) | Default. Paper trading on Simmer's LMSR markets. |
polymarket | USDC.e (real) | Real trades on Polymarket (Polygon). Requires WALLET_PRIVATE_KEY. |
kalshi | USDC (real) | Real trades on Kalshi. Requires Pro plan. |
# Paper trading (default)
client = SimmerClient(api_key="sk_live_...", venue="sim")
# Real trading on Polymarket
client = SimmerClient(api_key="sk_live_...", venue="polymarket")
# Override venue for a single trade
client.trade(market_id, side="yes", amount=10.0, venue="polymarket")
TRADING_VENUE environment variable is read at client init — OpenClaw skills use this to select venue at startup without code changes.
Spread caveat: $SIM fills instantly (AMM, no spread). Real venues have orderbook spreads of 2–5%. Target edges >5% in $SIM before graduating to real money.
Pass live=False to simulate trades with real market prices — no wallet or USDC required. For Polymarket, fills model the CLOB bid-ask spread for realistic P&L. Resolved markets auto-settle (winning shares pay $1, losers $0).
client = SimmerClient(
api_key="sk_live_...",
venue="polymarket",
live=False, # Simulate fills, no real money
starting_balance=10_000.0 # Virtual capital (default: 10,000)
)
result = client.trade(market_id=markets[0].id, side="yes", amount=50.0,
reasoning="Testing strategy")
print(f"Filled {result.shares_bought:.2f} shares (simulated)")
# Portfolio summary
summary = client.get_paper_summary()
print(f"Balance: ${summary['balance']:.2f}, P&L: ${summary['total_pnl']:.2f}")
Graduation path: sim (instant fills, no spread) → polymarket + live=False (real prices, spread modeled) → polymarket live (real USDC).
| Method | Description |
|---|---|
get_markets() | List markets (filter by status, source, venue, tags, keyword) |
trade() | Buy or sell shares |
get_positions() | All positions with P&L |
get_held_markets() | Map of market_id → source tags for held positions |
check_conflict() | Check if another skill holds a position on a market |
get_open_orders() | Open GTC/GTD orders on the CLOB |
get_portfolio(venue="all") | Portfolio summary with per-venue buckets (sim/polymarket/kalshi/total) |
get_market_context(market_id, venue="all") | Per-venue positions + trading safeguards |
get_trades(venue="all") | Trade history merged across venues, each row tagged with venue |
get_price_history() | Price history for trend detection |
import_market() | Import a Polymarket market by URL |
import_kalshi_market() | Import a Kalshi market by URL |
list_importable_markets() | Discover markets available to import |
check_market_exists() | Check if a market is already on Simmer (no quota cost) |
set_monitor() | Set stop-loss / take-profit on a position |
cancel_order() | Cancel a single open order by ID |
cancel_market_orders() | Cancel all open orders on a market (optional side filter) |
cancel_all_orders() | Cancel all open orders across all markets |
create_alert() | Price alerts with optional webhook |
register_webhook() | Push notifications for trades, resolutions, price moves |
redeem() | Redeem a specific winning Polymarket position |
auto_redeem() | Scan all positions and redeem any winning ones automatically |
get_paper_summary() | Paper mode portfolio summary (balance, P&L, positions) |
get_settings() / update_settings() | Configure trade limits and notifications |
link_wallet() | Link external EVM wallet for Polymarket |
set_approvals() | Set Polymarket token approvals |
troubleshoot() | Look up any error and get a fix (no auth required) |
Error handling: All SDK 4xx responses include a fix field with actionable instructions when the error matches a known pattern. You can also call POST /api/sdk/troubleshoot with {"error_text": "..."} to look up any error.
Full API reference with parameters, examples, and error codes: simmer.markets/docs.md
The SDK ships two helper modules for skill authors. Prefer these over rolling your own — they encode patterns from top traders and external research.
simmer_sdk.sizingKelly Criterion + Expected Value sizing for binary prediction markets. Default is fractional Kelly (0.25x) with an EV gate, so trades below your edge threshold return 0.0 and the skill can simply skip them.
from simmer_sdk import SimmerClient
from simmer_sdk.sizing import size_position
client = SimmerClient()
bankroll = client.get_portfolio()["available_balance"]
amount = size_position(
p_win=0.70, # your model's probability
market_price=0.55, # current YES price
bankroll=bankroll,
min_ev=0.03, # skip trades with edge < 3%
)
if amount > 0:
client.trade(market_id=..., side="BUY", outcome="YES",
amount=amount, reasoning="Kelly: 70% vs 55%, +15% edge")
| Function | Purpose |
|---|---|
size_position(p_win, market_price, bankroll, method=, kelly_multiplier=, min_ev=, max_fraction=) | Returns dollar amount to trade. 0.0 when edge ≤ min_ev, Kelly is negative, or inputs are invalid. |
kelly_fraction(p_win, market_price) | Raw Kelly fraction (p - c) / (1 - c). |
expected_value(p_win, market_price) | Edge per share (p_win - market_price). |
SIZING_CONFIG_SCHEMA | Drop-in CONFIG_SCHEMA fragment exposing SIMMER_POSITION_SIZING, SIMMER_KELLY_MULTIPLIER, SIMMER_MIN_EV env vars. |
Methods: "fractional_kelly" (default, multiplier 0.25), "kelly" (full, aggressive), "fixed" (uses kelly_multiplier as a flat fraction). For NO bets pass p_win=1-p_yes and market_price=1-yes_price.
When a Polymarket market resolves and your side wins, the CTF tokens in your wallet must be redeemed to claim the USDC.e payout. Auto-redeem handles this automatically each cycle.
# Call at the start of each cycle to claim any pending winnings
results = client.auto_redeem()
for r in results:
if r["success"]:
print(f"Redeemed {r['market_id']} ({r['side']}): {r['tx_hash']}")
redeemable: true and redeemable_side is set (Polymarket only)WALLET_PRIVATE_KEY): signs and broadcasts on-chainAuto-redeem can be toggled per-agent from the Simmer dashboard.
Pre-built trading strategies are published on ClawHub and listed in the Simmer registry. Browse and install at simmer.markets/skills.
# Install a skill via ClawHub CLI
clawhub install polymarket-weather-trader
Skills in this repo (skills/) are the official Simmer-maintained strategies. See simmer.markets/skillregistry.md for the full guide to building, remixing, and publishing your own.
| Platform | simmer.markets |
| API Reference | simmer.markets/docs.md |
| Onboarding Guide | simmer.markets/skill.md |
| Skills Registry | simmer.markets/skillregistry.md |
| ClawHub | clawhub.ai |
| MCP Server | pip install simmer-mcp — docs + error troubleshooting as MCP resources (PyPI) |
| Telegram | t.me/+m7sN0OLM_780M2Fl |
SDK improvements and bug fixes are welcome. If you've hit an edge case with SimmerClient or have a useful addition, open a PR.
See CONTRIBUTING.md for the full guide.
MIT
FAQs
Python SDK for trading prediction markets with AI agents - includes Clawbot trading skills
We found that simmer-sdk demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?

Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.

Company News
/Security News
Socket is an initial recipient of OpenAI's Cybersecurity Grant Program, which commits $10M in API credits to defenders securing open source software.

Security News
Socket CEO Feross Aboukhadijeh joins 10 Minutes or Less, a podcast by Ali Rohde, to discuss the recent surge in open source supply chain attacks.

Research
/Security News
Campaign of 108 extensions harvests identities, steals sessions, and adds backdoors to browsers, all tied to the same C2 infrastructure.