May 13
Today, I announce Muscle Mem, a cache system for AI agents that allows them to learn and efficiently replay complex behaviors.
Muscle Mem records your agent’s tool-calling patterns as it solves tasks, and will deterministically replay those learned trajectories whenever the task is encountered again, falling back to agent mode if edge cases are detected. Like a JIT compiler, for agent behavior.
The goal of this project is to get LLMs out of the hotpath for repetitive tasks, increasing speed, reducing variability, and eliminating token costs for the many cases that could have just been a script.
Muscle Mem is open source and free to use.
See it in action here:
I believe this is a fundamentally new and unexplored category of tool, a “JIT Compiler” for agent behavior.
To my knowledge, Muscle Mem is the first in this category, though we pull inspiration from:
As it’s a new space, the primary goal of this launch is to get feedback!
In the following blog I’ll discuss how I arrived on this problem, what I expect the core primitives to be, and what the API for those primitives would look like.
If you’d like to skip the read and jump straight to action:
Over the last five months at Pig.dev, we’ve been building computer-use agents to help teams automate repetitive tasks on legacy Windows apps, performing workflows such as form filling or data exports.
In the world of legacy app automation:
This makes building automations a bit weird. It’s too dynamic for writing scripts, but too consistent to warrant the use of intelligence APIs.
I call this a “Long Tail Environment”.
A “Long Tail Environment” is an environment that is usually, but not always, predictable.

Most real-world environments are long tail, where you can trust in laws of physics to establish some baseline predictability, but you must always be on the look out for anomalies.
This applies in common automation modalities such as:
Unfortunately, the two options available for building automations are individually imperfect.
Returning to computer-use as an example, the pure-software solution is Robotic Process Automation (”RPA”).
RPA is simply software: scripts for clicking through UIs by coordinate or element ID. All edge cases must be known in advance and handled explicitly.
In these long-tail environments, RPA works flawlessly for the 90% of common cases. It is deterministic, fast, and cheap.
The pain happens in the remaining 10%, where unhandled edge cases break the RPA, leaving the business responsible for that task not getting done. In cases such as lending, a mistake could lead to millions of dollars in liability.
It is this exact fear of edge case breakage that drove users to contact us at Pig.dev. They already have RPA to handle the 90%, but they need something to take them that final 10%.
CUA, or Computer Use Agents, are the cool new alternative to RPA.
CUA uses AI to perform a given task by iteratively looking at screenshots and driving the mouse and keyboard until the task is complete.
By using LLMs at every single step, CUA is a perfectly dynamic system, gracefully navigating novel situations.
But it’s this exact dynamic nature that has its flaws. It becomes incredibly expensive to use LLMs, with current models running up to $40/hr and driving UIs 5x slower than a human.
Software solutions are efficient on the 90% happy path, but breaks in the 10% edge case.
Agentic solutions are horribly inefficient in the 90% happy path, but at least they can handle the 10% edge cases.

Muscle Memory is the logical hybridization of using software scripts and using agents.
Similar to a JIT compiler, the ideal system takes the one-time efficiency hit of using the agent to navigate a dynamic environment, but then stores that behavior as code for reuse later.
This shifts the role of the agent to that of a precision tool, used only for the 10% of edge cases that require intelligence for for discovery, recovery, and self healing.
Once discovered, a cached behavior can run as software, deterministically executing that trajectory during standard repeat operation.
After my time building computer-use agents, I’m convinced that the hybrid approach of Muscle Memory is the only viable way to offer 100% coverage on an RPA workload.
Moreover, I believe that this concept of Muscle Memory can be generalized beyond the domain of computer use, and will emerge as a fundamentally new category of tool in the software stack.
I’ve spent the last month focused exclusively on this problem, first conceptualizing what the core primitives are in a domain-agnostic Muscle Memory system, and then building the first version of it as a python SDK.
I’ve just open sourced my first stab at it:
The job of a Muscle Memory system is to:
It took a great deal of thought to figure out how to design Muscle Mem in a way that is generalizable, extensible, and stays out of your way.
Over time, I arrived at three new constraints:
1. Bring your own agent
I don’t want Muscle Mem to be yet another agent framework. The thesis of the project is to use agents as precision tool, only as needed, which means Muscle Mem must sit one layer below your agent and treat it as a black box.
A call to engine(task) should feel no different from agent(task) . All the engine needs to know is that it can call agent(task).
2. Bring your own environment
The read/write APIs to the environment (such as screenshot / click in computer use) are tightly coupled to your agent and domain. To generalize, Muscle Mem should only ever interact with these APIs through user-defined callbacks.
3. No hidden nondeterminism
In my years as a developer and devtools founder, building projects such as Banana (serverless GPUs) and Fructose (structured generation client), I’ve learned to avoid anything “automagical”.
It’s tempting to create a magical day-0 experience by patching prompts and running LLM calls behind the scenes, but this opinionation adds more reasons to churn at day-100.
Muscle Mem will never run nondeterministic processes, LLMs or otherwise random, except in user-defined callbacks.
Additional assumptions made:
write operations and read operations.
    read tool, like screenshot or get_position should be safe to run at any timewrite tools, like click or move_arm should exclusively use data provided by the LLM’s tool call request. So no methods, no closures, no global state, no tricky ways to sneak other stateful data into that tool. Trajectories are just lists of write tools, and their args, so reexecuting that function in a new context with the same args should produce the same outcome.At this point, you may be catching onto a theme:
Muscle Mem’s lack of opinionation means you need to write a lot of your own code.
So… what does Muscle Mem actually do?
Muscle Mem does plenty of things, from tool instrumentation to storage to retrieval, but the only question that it needs to answer is:
“Given {some task} in {the current environment}, is it safe to perform this cached action?”
Imagine a muscle memory system that has no perception of the current environment. Such a system could encounter a wildly different environment, yet blindly repeat the same exact actions as before, confidently forging forward with no idea that it’s broken. This would be no different from using scripts (like RPA).
So, the key to muscle memory isn’t just about storing actions. It’s about capturing and storing data about the environment in which those actions were taken.
To answer the question “is it safe to perform this cached action?”, you need three things:
capture(prev_env) -> T
...
capture(this_env) -> T
compare(this: T, prev: T) -> bool # cache hit/miss
This is how Muscle Mem works.
It simply captures environments, and compares the current environment against a list of prior environments.
In its simplest form, Muscle Mem is a database full of environments, with a filter function.
The engine wraps your agent and serves as the primary executor of tasks.
It manages its own cache of previous trajectories, and determines when to invoke your agent.
from muscle_mem import Engine
engine = Engine()
engine.set_agent(your_agent)
# your agent is independently callable
your_agent("do some task")
# the engine gives you the same interface, but with muscle memory
engine("do some task")
engine("do some task") # cache hit
The @engine.tool decorator instruments action-taking tools, so their invocations are recorded to the engine.
from muscle_mem import Engine
engine = Engine()
@engine.tool()
def hello(name: str):
	print(f"hello {name}!")
	
hello("world") # invocation of hello is stored, with arg name="world"
The Check is the fundamental building block for cache validation. They determine if it’s safe to execute a given action.
Each Check encapsulates:
capture callback to extract relevant features from the current environmentcompare callback to determine if current environment is sufficiently close to the cached environmentCheck(
   capture: Callable[P, T],
   compare: Callable[[T, T], Union[bool, float]],
):
You can attach Checks to each tool @engine.tool to enforce cache validation.
This can be done before the tool call as a precheck (also used for query time validation), or after a tool call as a postcheck.
Below is a contrived example, which records use of the hello tool, and uses timestamps and a one second expiration as the Check mechanic for cache validation.
# our capture implementation, taking params and returning T
def capture(name: str) -> T:
    now = time.time()
    return T(name=name, time=now)
# our compare implementation, taking current and candidate T
def compare(current: T, candidate: T) -> bool:
    # cache is valid if happened within the last 1 second
    diff = current.time - candidate.time
    passed = diff <= 1
    return passed
# decorate our tool with a precheck
@engine.tool(pre_check=Check(capture, compare))
def hello(name: str):
    time.sleep(0.1)
    print(f"hello {name}")
Below is the combined script for all of the above code snippets.
from dataclasses import dataclass
from muscle_mem import Check, Engine
import time
engine = Engine()
# our "environment" features, stored in DB
@dataclass
class T:
    name: str
    time: float
# our capture implementation, taking params and returning T
def capture(name: str) -> T:
    now = time.time()
    return T(name=name, time=now)
# our compare implementation, taking current and candidate T
def compare(current: T, candidate: T) -> bool:
    # cache is valid if happened within the last 1 second
    diff = current.time - candidate.time
    passed = diff <= 1
    return passed
# decorate our tool with a precheck
@engine.tool(pre_check=Check(capture, compare))
def hello(name: str):
    time.sleep(0.1)
    print(f"hello {name}")
    
# pretend this is your agent
def agent(name: str):
   for i in range(9):
        hello(name + " + " + str(i))
engine.set_agent(agent)
# Run once
cache_hit = engine("erik")
assert not cache_hit
# Run again 
cache_hit = engine("erik")
assert cache_hit
# Break cache with a sleep, then run again
time.sleep(3)
cache_hit = engine("erik")
assert not cache_hit
For a more real example, see a computer-use agent implementation:
https://github.com/pig-dot-dev/muscle-mem/blob/main/tests/cua.py
I invite all feedback as this system develops!
Please consider: