Skip to main content

Call claude / codex / gemini / ollama CLIs fast and reliably — speed flags, MCP stripping, fallback chains, skip-cache.

Project description

cliworker

One sane way to call claude, codex, gemini, ollama as subprocesses — fast, uniform, and reliable.

from cliworker import run, fallback

result = run("claude", "explain async/await in 3 sentences")
print(result.ok, result.duration_s, result.stdout)

results = fallback(["claude", "codex", "gemini"], "summarize this")
first_ok = next((r for r in results if r.ok), None)

The problem it solves

Every LLM CLI has its own flags, its own startup quirks, its own auth behavior. You end up rewriting the same subprocess wrapper in every project. Worse, on a dev machine with a typical MCP setup, claude -p "hi" can take 18+ seconds to say hi — because it loads every configured MCP server, tool, and chrome extension at startup, every single call.

cliworker encapsulates a year of tricks for calling these CLIs efficiently:

Problem cliworker's fix
claude -p boots every MCP server → 18s cold start CLAUDE_FAST flags skip MCP / tools / chrome / session-persistence → ~4s
gemini has no config-override flag Temporarily strips mcpServers from ~/.gemini/settings.json and restores after
CLIs prefer paid API keys over subscriptions when both exist strip_keys=True removes API-key env vars at call time to force subscription use
Broken CLIs (expired auth, quota hit) waste seconds every call 1-hour skip-cache at ~/.cache/cliworker/skip-cache.json
Every CLI uses different prompt-transport conventions Unified run() API; per-CLI recipes in KNOWN_CLIS
Long transcripts bloat argv stdin_content= pipes bulk content via stdin, keeps the instruction on argv

Install

pip install cliworker          # from pypi
# or
pipx install cliworker         # isolated, bin on PATH

Requires Python ≥ 3.10. The actual LLM CLIs (claude, codex, gemini, ollama) are not dependencies — cliworker just invokes them if present.


The mental model

There are exactly two verbs and one result object.

run(cli, prompt, **kwargs)CLIResult

Call ONE CLI, get a CLIResult:

from cliworker import run

r = run("claude", "hello")                    # simplest — defaults applied
r = run("claude", "hi", model="sonnet")       # pick a model
r = run("gemini", "hi", fast=False)           # disable speed tricks
r = run("claude", "hi", timeout_s=60)         # custom timeout
r = run("claude", "summarize:",               # big content via stdin
        stdin_content=open("transcript.txt").read())
r = run("claude", "hi", strip_keys=True)      # force subscription mode

fallback(clis, prompt, **kwargs)list[CLIResult]

Try a chain of CLIs in order, stop at first success:

from cliworker import fallback

results = fallback(["claude", "codex", "gemini"], "summarize this")
first_ok = next((r for r in results if r.ok), None)

# Default behavior: two passes
#   Pass 1: all CLIs with env API keys STRIPPED (free/subscription mode)
#   Pass 2: all CLIs with env API keys PRESENT (paid API mode)
# First .ok returns; list contains every attempt in order.

results = fallback(
    ["claude", "codex"],
    "hi",
    free_first=False,       # flip the default: paid API first
    retry_paid=False,       # don't try a 2nd pass at all
    timeout_s=30,
)

CLIResult — what comes back

@dataclass
class CLIResult:
    spec: CLISpec              # which CLI + config was invoked
    ok: bool                   # True iff subprocess returncode == 0
    stdout: str                # full stdout
    stderr: str                # full stderr
    duration_s: float          # wall-clock seconds
    returncode: int | None     # None on timeout / binary-missing
    argv: list[str]            # the actual argv passed to subprocess
    skipped_reason: str | None # "not_on_path" / "skip_cache" / None

    @property
    def text(self) -> str:     # stdout if ok else stderr — convenience
        ...

That's it. Check r.ok, use r.stdout, read r.duration_s if you care about timing. The dataclass makes everything introspectable: r.argv shows you the exact subprocess call, r.spec shows which config was applied.


Cookbook

One-shot prompt

from cliworker import run

r = run("claude", "what's the time complexity of quicksort?")
if r.ok:
    print(r.stdout)

Long content via stdin + short instruction on argv

transcript = open("meeting.txt").read()
r = run(
    "claude",
    "Summarize this meeting transcript in 5 bullet points:",
    stdin_content=transcript,
)

Fallback chain with budget awareness

# Prefer free tier on all, only burn paid credits as last resort.
results = fallback(
    ["gemini", "ollama", "claude", "codex"],   # order = preference
    "brief summary of the last commit",
    free_first=True,                            # pass 1: no API keys
    retry_paid=True,                            # pass 2: retry w/ keys
    timeout_s=90,
)

Model override without building a CLISpec

r = run("claude", "hi", model="sonnet")
r = run("gemini", "hi", model="gemini-2.5-flash")
r = run("ollama", "hi", model="kimi-k2.5")

Custom spec for an exotic invocation

from cliworker import CLISpec, run

spec = CLISpec(
    cli="claude",
    model="opus",
    fast=False,                    # disable CLAUDE_FAST (e.g., needs MCP tools)
    extra_args=["--allowedTools", "Bash,Read"],
    env_strip=[],                  # keep API key env vars intact
)
r = run(spec, "hi", timeout_s=300)

Inspect what argv WOULD be sent, without running

from cliworker import get_spec
spec = get_spec("claude", model="sonnet")
print(spec.build_argv("hello"))
# ['claude', '-p', '--model', 'sonnet', '--tools', '', '--no-chrome',
#  '--strict-mcp-config', '--mcp-config', '{"mcpServers":{}}',
#  '--no-session-persistence', 'hello']

Clear skip-cache programmatically

from cliworker.skipcache import clear
clear("claude")      # unsuppress claude
clear(None)          # nuke entire cache

CLI usage

The Python library is the main interface. The CLI exists for debugging, health checks, and quick shell-level one-offs.

cliworker --help                       # full overview
cliworker run claude -p "hi"           # invoke one CLI
cliworker run claude -p "hi" -m sonnet
cliworker run claude -p "hi" --no-fast # disable CLAUDE_FAST for debugging
cliworker run claude -p "summarize:" --stdin < transcript.txt
cliworker run claude -p "hi" -v        # verbose: show argv + timing

cliworker fallback claude codex gemini -p "summarize"
cliworker fallback claude codex -p "hi" --paid-first
cliworker fallback claude codex -p "hi" --no-retry

cliworker info                         # show default spec for every CLI
cliworker info claude                  # show one CLI's spec
cliworker doctor                       # scan PATH for installed CLIs
cliworker doctor --probe               # also ping each with "hi" to measure cold start

cliworker skip-cache                   # inspect broken-engine cache
cliworker skip-cache --clear claude
cliworker skip-cache --clear ALL

Every subcommand has its own -h / --help with full examples and exit-code docs.


The techniques, explained

CLAUDE_FAST flags

Five flags that disable everything claude-code loads on cold start:

CLAUDE_FAST_FLAGS = [
    "--tools", "",                        # disable all tools
    "--no-chrome",                        # skip chrome-extension load
    "--strict-mcp-config",                # enforce the following MCP config
    "--mcp-config", '{"mcpServers":{}}',  # override MCP config to EMPTY
    "--no-session-persistence",           # skip session state I/O
]

The MCP override (--strict-mcp-config + empty --mcp-config) is the big one. If your ~/.claude/ has 4 MCP servers configured (starforge, atlassian, prodboost, etc.), each spins up on every call. Stripping them for one-shot subprocess calls saves 10+ seconds and doesn't lose anything — your main Claude Code session still has all of them.

When to turn off (fast=False): if your prompt genuinely needs a specific MCP tool or session continuity. Rare in one-shot orchestrator calls.

Gemini MCP strip-and-restore

Gemini CLI has no --mcp-config flag. cliworker monkey-patches at the filesystem level:

  1. Back up ~/.gemini/settings.json~/.gemini/settings.json.cliworker-bak
  2. Remove mcpServers key from the live file
  3. Invoke gemini -p ...
  4. Restore the backup — even if the subprocess raised

The context manager gemini_stripped_mcp() handles this with try/finally. If cliworker crashes mid-flight, the backup file is still on disk and can be manually restored.

Subscription-mode-via-key-strip

Counter-intuitive discovery from navcom: many LLM CLIs prefer your paid API key over your subscription when both are available. Claude Code with ANTHROPIC_API_KEY set burns API credits instead of using your Claude.ai subscription.

The fix: strip the env var at call time:

r = run("claude", "hi", strip_keys=True)
# Internally: env.pop("ANTHROPIC_API_KEY") before subprocess.run(..., env=env)

The stripped env vars are defined per-spec:

CLI Env vars stripped
claude ANTHROPIC_API_KEY
codex OPENAI_API_KEY
gemini GOOGLE_API_KEY, GEMINI_API_KEY
ollama (none — local, no subscription concept)

fallback() uses this in its pass 1 by default (free_first=True), then retries with keys intact on pass 2 (retry_paid=True). Maximizes free-tier usage without losing reliability.

Skip-cache

When a CLI fails (auth expired, subscription lapsed, quota hit), cliworker records it at ~/.cache/cliworker/skip-cache.json with a timestamp. Next run() bails early with skipped_reason="skip_cache" if the entry is less than 1h old. Stale entries auto-clear.

You can inspect and clear the cache via cliworker skip-cache [--clear <name>|ALL] or programmatically via cliworker.skipcache.{is_skipped, mark_broken, clear}.

Respects XDG_CACHE_HOME if set.

Prompt via stdin, instruction via argv

Best for long content. Keeps shell logs clean, avoids argv length limits:

r = run(
    "claude",
    "Summarize this in 5 bullets. Ignore XML/tool noise.",   # short, goes to argv
    stdin_content=big_transcript,                             # long, goes to stdin
)

The CLI mode equivalent: cliworker run claude -p "instruction" --stdin < file.txt.


Per-CLI recipes (what's baked into KNOWN_CLIS)

CLI argv template fast flags env strip prompt transport
claude claude -p [--model M] [FAST_FLAGS] <prompt> ON ANTHROPIC_API_KEY positional
codex codex exec --dangerously-bypass-approvals-and-sandbox <prompt> off OPENAI_API_KEY positional
gemini gemini [-m M] -p <prompt> + fs-level MCP strip ON (filesystem hack) GOOGLE_API_KEY, GEMINI_API_KEY flag -p
ollama ollama run <model> <prompt> off (none) positional after model

Run cliworker info to see the exact argv each one would build.


Python API surface

from cliworker import (
    run,            # call one CLI
    fallback,       # chain of CLIs, first success wins
    CLIResult,      # dataclass: ok/stdout/stderr/duration_s/spec/argv
    CLISpec,        # dataclass: cli/model/fast/env_strip/...
    get_spec,       # look up spec by CLI name + optional overrides
    KNOWN_CLIS,     # dict of built-in specs
)

# Back-compat aliases (original names, same signatures):
from cliworker import run_cli            # alias for run
from cliworker import run_with_fallback  # alias for fallback

Sub-modules worth knowing about:

  • cliworker.fastflagsCLAUDE_FAST_FLAGS, gemini_stripped_mcp() context manager.
  • cliworker.skipcacheis_skipped(), mark_broken(), clear().
  • cliworker.detectdetect() returns presence info for every known CLI.
  • cliworker.registryCLISpec, KNOWN_CLIS, get_spec().

FAQ

Q: Why not just use the LLM SDKs (anthropic, openai, google-generativeai)? A: SDKs bypass the user's subscription entirely and always burn API credits. cliworker deliberately uses the user's installed CLI (claude -p, codex exec, gemini -p) so paid subscriptions get used when available.

Q: Why not use MCP / AiExecutors / some agent framework? A: Those are for building agents. cliworker is for orchestrating subprocess calls. Lower-level, smaller blast radius, zero lock-in. Use both if you want.

Q: Doesn't stripping env vars in a subprocess leak somehow? A: No. env.pop() operates on a copy passed to subprocess.run(env=...) — your real shell env is untouched. Verified in tests/test_core.py::test_run_cli_strip_keys_removes_env_var.

Q: What if I want to send text to a prompt and ALSO pipe content? A: cliworker uses stdin for stdin_content. If you need both, concatenate into one argument or feed via a file flag in extra_args. Most CLIs don't support both gracefully.

Q: Can I use cliworker asynchronously? A: Not in 0.x. Spawn threads yourself if you need parallel calls — concurrent.futures.ThreadPoolExecutor works fine. A real async API is on the roadmap.

Q: What about aider / continue / other CLIs? A: Easy to add — build your own CLISpec and call run(spec, prompt). PRs welcome to add them to KNOWN_CLIS.


Roadmap

  • async API (arun, afallback)
  • cliworker doctor --probe comparison table showing fast-flag impact per CLI
  • streaming mode (subprocess stdout line-by-line) for long responses
  • more CLIs in KNOWN_CLIS: aider, continue, sgpt
  • retry-with-backoff for transient failures (different from skip-cache)

Provenance

The techniques here were reverse-engineered from navcom after a 31-iteration peer-review loop in a sibling project kept spending minutes waiting for cold starts. paircode now depends on cliworker for all CLI invocations.


License

MIT. See LICENSE.

Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

cliworker-0.2.1.tar.gz (21.9 kB view details)

Uploaded Source

Built Distribution

If you're not sure about the file name format, learn more about wheel file names.

cliworker-0.2.1-py3-none-any.whl (22.7 kB view details)

Uploaded Python 3

File details

Details for the file cliworker-0.2.1.tar.gz.

File metadata

  • Download URL: cliworker-0.2.1.tar.gz
  • Upload date:
  • Size: 21.9 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/6.2.0 CPython/3.13.7

File hashes

Hashes for cliworker-0.2.1.tar.gz
Algorithm Hash digest
SHA256 f856a8443e333a5bc1c2ac56c0e23595ff9ea2acbb0a2385fa483a65dab66538
MD5 3cd8d3aa5025b11126db339ef22201b7
BLAKE2b-256 f0162b97ff31c0fe1b80f049373f0671fb0187a21e327b8a47709fc739491354

See more details on using hashes here.

File details

Details for the file cliworker-0.2.1-py3-none-any.whl.

File metadata

  • Download URL: cliworker-0.2.1-py3-none-any.whl
  • Upload date:
  • Size: 22.7 kB
  • Tags: Python 3
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/6.2.0 CPython/3.13.7

File hashes

Hashes for cliworker-0.2.1-py3-none-any.whl
Algorithm Hash digest
SHA256 365d26a6fb594142b0b8977a1f5889220434983c9420090e12685ea4e0176b9d
MD5 f406d1e735ec86cf1d08772c47dddb48
BLAKE2b-256 da4e394f7b932657217c9b7091ff017a20a7c81939409273f6088f8d664b0dda

See more details on using hashes here.

Supported by

AWS Cloud computing and Security Sponsor Datadog Monitoring Depot Continuous Integration Fastly CDN Google Download Analytics Pingdom Monitoring Sentry Error logging StatusPage Status page