Monday, February 16, 2026

Construct long-running MCP servers on Amazon Bedrock AgentCore with Strands Brokers integration


AI brokers are quickly evolving from mere chat interfaces into subtle autonomous staff that deal with advanced, time-intensive duties. As organizations deploy brokers to coach machine studying (ML) fashions, course of giant datasets, and run prolonged simulations, the Mannequin Context Protocol (MCP) has emerged as a typical for agent-server integrations. However a essential problem stays: these operations can take minutes or hours to finish, far exceeding typical session timeframes. By utilizing Amazon Bedrock AgentCore and Strands Brokers to implement persistent state administration, you may allow seamless, cross-session activity execution in manufacturing environments. Think about your AI agent initiating a multi-hour information processing job, your person closing their laptop computer, and the system seamlessly retrieving accomplished outcomes when the person returns days later—with full visibility into activity progress, outcomes, and errors. This functionality transforms AI brokers from conversational assistants into dependable autonomous staff that may deal with enterprise-scale operations. With out these architectural patterns, you’ll encounter timeout errors, inefficient useful resource utilization, and potential information loss when connections terminate unexpectedly.

On this publish, we give you a complete method to realize this. First, we introduce a context message technique that maintains steady communication between servers and shoppers throughout prolonged operations. Subsequent, we develop an asynchronous activity administration framework that permits your AI brokers to provoke long-running processes with out blocking different operations. Lastly, we show deliver these methods along with Amazon Bedrock AgentCore and Strands Brokers to construct production-ready AI brokers that may deal with advanced, time-intensive operations reliably.

Frequent approaches to deal with long-running duties

When designing MCP servers for long-running duties, you would possibly face a basic architectural resolution: ought to the server preserve an energetic connection and supply real-time updates, or ought to it decouple activity execution from the preliminary request? This selection results in two distinct approaches: context messaging and async activity administration.

Utilizing context messaging

The context messaging method maintains steady communication between the MCP server and shopper all through activity execution. That is achieved through the use of MCP’s built-in context object to ship periodic notifications to the shopper. This method is perfect for eventualities the place duties are usually accomplished inside 10–quarter-hour and community connectivity stays secure. The context messaging method presents these benefits:

  • Simple implementation
  • No further polling logic required
  • Simple shopper implementation
  • Minimal overhead

Utilizing async activity administration

The async activity administration method separates activity initiation from execution and end result retrieval. After executing the MCP device, the device instantly returns a activity initiation message whereas executing the duty within the background. This method excels in demanding enterprise eventualities the place duties would possibly run for hours, customers want flexibility to disconnect and reconnect, and system reliability is paramount. The async activity administration method supplies these advantages:

  • True fire-and-forget operation
  • Secure shopper disconnection whereas duties proceed processing
  • Information loss prevention via persistent storage
  • Help for long-running operations (hours)
  • Resilience towards community interruptions
  • Asynchronous workflows

Context messaging

Let’s start by exploring the context messaging method, which supplies a simple resolution for dealing with reasonably lengthy operations whereas sustaining energetic connections. This method builds instantly on current capabilities of MCP and requires minimal further infrastructure, making it a superb start line for extending your agent’s processing deadlines. Think about you’ve constructed an MCP server for an AI agent that helps information scientists practice ML fashions. When a person asks the agent to coach a posh mannequin, the underlying course of would possibly take 10–quarter-hour—far past the everyday 30-second to 2-minute HTTP timeout restrict in most environments. And not using a correct technique, the connection would drop, the operation would fail, and the person can be left annoyed. In a Streamable HTTP transport for MCP shopper implementation, these timeout constraints are notably limiting. When activity execution exceeds the timeout restrict, the connection aborts and the agent’s workflow interrupts. That is the place context messaging is available in. The next diagram illustrates the workflow when implementing the context messaging method. Context messaging makes use of the built-in context object of MCP to ship periodic alerts from the server to the MCP shopper, successfully protecting the connection alive all through longer operations. Consider it as sending “heartbeat” messages that assist stop the connection from timing out.

Determine 1: Illustration of workflow in context messaging method

Here’s a code instance to implement the context messaging:

from mcp.server.fastmcp import Context, FastMCP
import asyncio

mcp = FastMCP(host="0.0.0.0", stateless_http=True)

@mcp.device()
async def model_training(model_name: str, epochs: int, ctx: Context) -> str:
    """Execute a activity with progress updates."""

    for i in vary(epochs):
        # Simulate lengthy operating time coaching work
        progress = (i + 1) / epochs
        await asyncio.sleep(5)
        await ctx.report_progress(
            progress=progress,
            complete=1.0,
            message=f"Step {i + 1}/{epochs}",
        )

    return f"{model_name} coaching accomplished. The mannequin artifact is saved in s3://templocation/mannequin.pickle . The mannequin coaching rating is 0.87, validation rating is 0.82."

if __name__ == "__main__":
    mcp.run(transport="streamable-http")

The important thing aspect right here is the Context parameter within the device definition. If you embrace a parameter with the Context kind annotation, FastMCP robotically injects this object, providing you with entry to strategies corresponding to ctx.information() and ctx.report_progress(). These strategies ship messages to the linked shopper with out terminating device execution.

The report_progress() calls throughout the coaching loop function these essential heartbeat messages, ensuring the MCP connection stays energetic all through the prolonged processing interval.

For a lot of real-world eventualities, actual progress can’t be simply quantified—corresponding to when processing unpredictable datasets or making exterior API calls. In these circumstances, you may implement a time-based heartbeat system:

from mcp.server.fastmcp import Context, FastMCP
import time
import asyncio

mcp = FastMCP(host="0.0.0.0", stateless_http=True)

@mcp.device()
async def model_training(model_name: str, epochs: int, ctx: Context) -> str:
    """Execute a activity with progress updates."""
    done_event = asyncio.Occasion()
    start_time = time.time()

    async def timer():
        whereas not done_event.is_set():
            elapsed = time.time() - start_time
            await ctx.information(f"Processing ......: {elapsed:.1f} seconds elapsed")
            await asyncio.sleep(5)  # Examine each 5 seconds
        return

    timer_task = asyncio.create_task(timer())

    ## major activity#####################################
    for i in vary(epochs):
        # Simulate lengthy operating time coaching work
        progress = (i + 1) / epochs
        await asyncio.sleep(5)
    #################################################

    # Sign the timer to cease and clear up
    done_event.set()
    await timer_task

    total_time = time.time() - start_time
    print(f"⏱️ Whole processing time: {total_time:.2f} seconds")

    return f"{model_name} coaching accomplished. The mannequin artifact is saved in s3://templocation/mannequin.pickle . The mannequin coaching rating is 0.87, validation rating is 0.82."

if __name__ == "__main__":
    mcp.run(transport="streamable-http")

This sample creates an asynchronous timer that runs alongside your major activity, sending common standing updates each few seconds. Utilizing asyncio.Occasion() for coordination facilitates clear shutdown of the timer when the primary work is accomplished.

When to make use of context messaging

Context messaging works finest when:

  • Duties take 1–quarter-hour to finish*
  • Community connections are usually secure
  • The shopper session can stay energetic all through the operation
  • You want real-time progress updates throughout processing
  • Duties have predictable, finite execution instances with clear termination circumstances

*Notice: “quarter-hour” relies on the utmost time for synchronous requests Amazon Bedrock AgentCore provided. Extra particulars about Bedrock AgentCore service quotas might be discovered at Quotas for Amazon Bedrock AgentCore. If the infrastructure internet hosting the agent doesn’t implement laborious deadlines, be extraordinarily cautious when utilizing this method for duties that may probably hold or run indefinitely. With out correct safeguards, a caught activity may preserve an open connection indefinitely, resulting in useful resource depletion, unresponsive processes, and probably system-wide stability points.

Listed here are some essential limitations to contemplate:

  • Steady connection required – The shopper session should stay energetic all through all the operation. If the person closes their browser or the community drops, the work is misplaced.
  • Useful resource consumption – Maintaining connections open consumes server and shopper assets, probably growing prices for long-running operations.
  • Community dependency – Community instability can nonetheless interrupt the method, requiring a full restart.
  • Final timeout limits – Most infrastructures have laborious timeout limits that may’t be circumvented with heartbeat messages.

Due to this fact, for really long-running operations that may take hours or for eventualities the place customers have to disconnect and reconnect later, you’ll want the extra strong asynchronous activity administration method.

Async activity administration

In contrast to the context messaging method the place shoppers should preserve steady connections, the async activity administration sample follows a “fireplace and overlook” mannequin:

  1. Process initiation – Consumer makes a request to start out a activity and instantly receives a activity ID
  2. Background processing – Server executes the work asynchronously, with no shopper connection required
  3. Standing checking – Consumer can reconnect each time to test progress utilizing the duty ID
  4. End result retrieval – After they’re accomplished, outcomes stay obtainable for retrieval each time the shopper reconnects

The next determine illustrates the workflow within the asynchronous activity administration method.

Sequence diagram showing Model Context Protocol (MCP) architecture with asynchronous task handling. Six components: User, Agent (AI processor), MCP Server, MCP Tool (task executor), Check Task Tool (status checker), and Cache (result storage). Flow: User queries Agent → Agent requests MCP Server → Server invokes MCP Tool → User receives immediate notice with Task ID → Tool executes and stores result in Cache → User checks task status via Agent → Agent requests Check Task Tool through MCP Server → Check Task Tool retrieves result from Cache using Task ID → Result returns through Server to Agent → Agent responds to User. Demonstrates asynchronous processing with task tracking and caching

Determine 2: Illustration of workflow in asynchronous activity administration method

This sample mirrors the way you work together with batch processing programs in enterprise environments—submit a job, disconnect, and test again later when handy. Right here’s a sensible implementation that demonstrates these rules:

from mcp.server.fastmcp import Context, FastMCP
import asyncio
import uuid
from typing import Dict, Any

mcp = FastMCP(host="0.0.0.0", stateless_http=True)

# activity storage
duties: Dict[str, Dict[str, Any]] = {}

async def _execute_model_training(
        task_id: str, 
        model_name: str, 
        epochs: int
    ):
    """Background activity execution."""
    duties[task_id]["status"] = "operating"
    
    for i in vary(epochs):
        duties[task_id]["progress"] = (i + 1) / epochs
        await asyncio.sleep(2)

    duties[task_id]["result"] = f"{model_name} coaching accomplished. The mannequin artifact is saved in s3://templocation/mannequin.pickle . The mannequin coaching rating is 0.87, validation rating is 0.82."
    
    duties[task_id]["status"] = "accomplished"

@mcp.device()
def model_training(
    model_name: str, 
    epochs: int = 10
    ) -> str:
    """Begin mannequin coaching activity."""
    task_id = str(uuid.uuid4())
    duties[task_id] = {
        "standing": "began", 
        "progress": 0.0, 
        "task_type": "model_training"
    }
    asyncio.create_task(_execute_model_training(task_id, model_name, epochs))
    return f"Mannequin Coaching activity has been initiated with activity ID: {task_id}. Please test again later to observe completion standing and retrieve outcomes."

@mcp.device()
def check_task_status(task_id: str) -> Dict[str, Any]:
    """Examine the standing of a operating activity."""
    if task_id not in duties:
        return {"error": "activity not discovered"}
    
    activity = duties[task_id]
    return {
        "task_id": task_id,
        "standing": activity["status"],
        "progress": activity["progress"],
        "task_type": activity.get("task_type", "unknown")
    }

@mcp.device()
def get_task_results(task_id: str) -> Dict[str, Any]:
    """Get outcomes from a accomplished activity."""
    if task_id not in duties:
        return {"error": "activity not discovered"}
    
    activity = duties[task_id]
    if activity["status"] != "accomplished":
        return {"error": f"activity not accomplished. Present standing: {activity['status']}"}
    
    return {
        "task_id": task_id,
        "standing": activity["status"],
        "end result": activity["result"]
    }

if __name__ == "__main__":
    mcp.run(transport="streamable-http")

This implementation creates a activity administration system with three distinct MCP instruments:

  • model_training() – The entry level that initiates a brand new activity. Relatively than performing the work instantly, it:
    • Generates a novel activity identifier utilizing Universally Distinctive Identifier (UUID)
    • Creates an preliminary activity report within the storage dictionary
    • Launches the precise processing as a background activity utilizing asyncio.create_task()
    • Returns instantly with the duty ID, permitting the shopper to disconnect
  • check_task_status() – Permits shoppers to observe progress at their comfort by:
    • Wanting up the duty by ID within the storage dictionary
    • Returning present standing and progress data
    • Offering acceptable error dealing with for lacking duties
  • get_task_results()– Retrieves accomplished outcomes when prepared by:
    • Verifying the duty exists and is accomplished
    • Returning the outcomes saved throughout background processing
    • Offering clear error messages when outcomes aren’t prepared

The precise work occurs within the personal _execute_model_training() perform, which runs independently within the background after the preliminary shopper request is accomplished. It updates the duty’s standing and progress within the shared storage because it progresses, making this data obtainable for subsequent standing checks.

Limitations to contemplate

Though the async activity administration method helps clear up connectivity points, it introduces its personal set of limitations:

  • Person expertise friction – The method requires customers to manually test activity standing, keep in mind activity IDs throughout classes, and explicitly request outcomes, growing interplay complexity.
  • Risky reminiscence storage – Utilizing in-memory storage (as in our instance) means the duties and outcomes are misplaced if the server restarts, making the answer unsuitable for manufacturing with out persistent storage.
  • Serverless surroundings constraints – In ephemeral serverless environments, cases are robotically terminated after intervals of inactivity, inflicting the in-memory activity state to be completely misplaced. This creates a paradoxical state of affairs the place the answer designed to deal with long-running operations turns into weak to the precise length it goals to assist. Until customers preserve common check-ins to assist stop session deadlines, each duties and outcomes may vanish.

Shifting towards a sturdy resolution

To handle these essential limitations, it’s worthwhile to embrace exterior persistence that survives each server restarts and occasion terminations. That is the place integration with devoted storage companies turns into important. By utilizing exterior agent reminiscence storage programs, you may essentially change the place and the way activity data is maintained. As an alternative of counting on the MCP server’s unstable reminiscence, this method makes use of persistent exterior agent reminiscence storage companies that stay obtainable no matter server state.

The important thing innovation on this enhanced method is that when the MCP server runs a long-running activity, it writes the interim or remaining outcomes instantly into exterior reminiscence storage, corresponding to Amazon Bedrock AgentCore Reminiscence that the agent can entry, as illustrated within the following determine. This helps create resilience towards two forms of runtime failures:

  1. The occasion operating the MCP server might be terminated attributable to inactivity after activity completion
  2. The occasion internet hosting the agent itself might be recycled in ephemeral serverless environments
Sequence diagram showing Model Context Protocol (MCP) architecture with event-driven synchronization and memory management. Five components: User, Agent (AI processor), AgentCore Memory (event storage), MCP Server, and MCP Tool (task executor). Flow: User queries Agent → Agent requests MCP Server with Event Sync to AgentCore Memory → Server invokes MCP Tool → Tool sends immediate notice → User receives notification → Tool executes and outputs result, adding event to AgentCore Memory → Multiple Event Sync operations occur between Agent and AgentCore Memory → User checks task status → Agent retrieves information via Event Sync → Agent responds to User. Demonstrates event-driven architecture with synchronized memory management across agent sessions.

Determine 3. MCP integration with exterior reminiscence

With exterior reminiscence storage, when customers return to work together with the agent—whether or not minutes, hours, or days later—the agent can retrieve the finished activity outcomes from persistent storage. This method minimizes runtime dependencies: even when each the MCP server and agent cases are terminated, the duty outcomes stay safely preserved and accessible when wanted.

The following part will discover implement this strong resolution utilizing Amazon Bedrock AgentCore Runtime as a serverless internet hosting surroundings, AgentCore Reminiscence for persistent agent reminiscence storage, and the Strands Brokers framework to orchestrate these parts right into a cohesive system that maintains activity state throughout session boundaries.

Amazon Bedrock AgentCore and Strands Brokers implementation

Earlier than diving into the implementation particulars, it’s essential to grasp the deployment choices obtainable for MCP servers on Amazon Bedrock AgentCore. There are two major approaches: Amazon Bedrock AgentCore Gateway and AgentCore Runtime. AgentCore Gateway has a 5-minute timeout for invocations, making it unsuitable for internet hosting MCP servers that present instruments requiring prolonged response instances or long-running operations. AgentCore Runtime presents considerably extra flexibility with a 15-minute request timeout (for synchronous requests) and adjustable most session length (for asynchronous processes; the default length is 8 hours) and idle session timeout. Though you might host an MCP server in a conventional serverful surroundings for limitless execution time, AgentCore Runtime supplies an optimum steadiness for many manufacturing eventualities. You acquire serverless advantages corresponding to computerized scaling, pay-per-use pricing, and no infrastructure administration, whereas the adjustable maximums session length covers most real-world lengthy operating duties—from information processing and mannequin coaching to report era and sophisticated simulations. You should utilize this method to construct subtle AI brokers with out the operational overhead of managing servers whereas reserving serverful deployments just for the uncommon circumstances that genuinely require multiday executions. For extra details about AgentCore Runtime and AgentCore Gateway service quotas, check with Quotas for Amazon Bedrock AgentCore.

Subsequent, we stroll via the implementation, which is illustrated within the following diagram. This implementation consists of two interconnected parts: the MCP server that executes long-running duties and writes outcomes to AgentCore Reminiscence, and the agent that manages the dialog circulate and retrieves these outcomes when wanted. This structure creates a seamless expertise the place customers can disconnect throughout prolonged processes and return later to seek out their outcomes ready for them.

Architecture diagram showing AgentCore Runtime system with three main components and their interactions. Left: User interacts with Agent (dollar sign icon) within AgentCore Runtime, exchanging queries and responses. Agent connects to MCP Client which sends tasks and receives tool results. Center-right: AgentCore Runtime contains MCP Server with Tools component. Bottom-left: Bedrock LLM (brain icon) connects to Agent. Bottom-center: AgentCore Memory component stores session data. Three numbered interaction flows: (1) MCP Client connects to MCP Server using bearer token, content-type, and session/memory/actor IDs in request header; (2) Tools write results to AgentCore Memory upon task completion using session/memory/actor IDs for seamless continuity across disconnections; (3) Agent synchronizes with AgentCore Memory when new conversations are added for timely retrieval of tool-generated results. Demonstrates integrated architecture for agent-based task processing with persistent memory and LLM capabilities.

MCP server implementation

Let’s study how our MCP server implementation makes use of AgentCore Reminiscence to realize persistence:

from mcp.server.fastmcp import Context, FastMCP
import asyncio
import uuid
from typing import Dict, Any
import json
from bedrock_agentcore.reminiscence import MemoryClient

mcp = FastMCP(host="0.0.0.0", stateless_http=True)
agentcore_memory_client = MemoryClient()

async def _execute_model_training(
        model_name: str, 
        epochs: int,
        session_id: str,
        actor_id: str,
        memory_id: str
    ):
    """Background activity execution."""
    
    for i in vary(epochs):
        await asyncio.sleep(2)

    strive:
        response = agentcore_memory_client.create_event(
            memory_id=memory_id,
            actor_id=actor_id,
            session_id=session_id,
            messages=[
                (
                    json.dumps({
                        "message": {
                            "role": "user",
                            "content": [
                                {
                                    "text": f"{model_name} training completed. The model artifact is stored in s3://templocation/model.pickle . The model training score is 0.87, validation score is 0.82."
                                }
                            ]
                        },
                        "message_id": 0
                    }),
                    'USER'
                )
            ]
        )
        print(response)
    besides Exception as e:
        print(f"Reminiscence save error: {e}")

    return

@mcp.device()
def model_training(
        model_name: str, 
        epochs: int,
        ctx: Context
    ) -> str:
    """Begin mannequin coaching activity."""

    print(ctx.request_context.request.headers)
    mcp_session_id = ctx.request_context.request.headers.get("mcp-session-id", "")
    temp_id_list = mcp_session_id.cut up("@@@")
    session_id = temp_id_list[0]
    memory_id= temp_id_list[1]
    actor_id  = temp_id_list[2]

    asyncio.create_task(_execute_model_training(
            model_name, 
            epochs, 
            session_id, 
            actor_id, 
            memory_id
        )
    )
    return f"Mannequin {model_name}Coaching activity has been initiated. Whole coaching epochs are {epochs}. The outcomes might be up to date as soon as the coaching is accomplished."


if __name__ == "__main__":
    mcp.run(transport="streamable-http")

The implementation depends on two key parts that allow persistence and session administration.

  1. The agentcore_memory_client.create_event() technique serves because the bridge between device execution and chronic reminiscence storage. When a background activity is accomplished, this technique saves the outcomes on to the agent’s reminiscence in AgentCore Reminiscence utilizing the required reminiscence ID, actor ID, and session ID. In contrast to conventional approaches the place outcomes may be saved quickly or require handbook retrieval, this integration allows activity outcomes to turn into everlasting components of the agent’s conversational reminiscence. The agent can then reference these leads to future interactions, making a steady knowledge-building expertise throughout a number of classes.
  2. The second essential element includes extracting session context via ctx.request_context.request.headers.get("mcp-session-id", ""). The "Mcp-Session-Id" is a part of commonplace MCP protocol. You should utilize this header to cross a composite identifier containing three important items of data in a delimited format: session_id@@@memory_id@@@actor_id. This method permits our implementation to retrieve the required context identifiers from a single header worth. Headers are used as an alternative of surroundings variables by necessity—these identifiers change dynamically with every dialog, whereas surroundings variables stay static from container startup. This design selection is especially essential in multi-tenant eventualities the place a single MCP server concurrently handles requests from a number of customers, every with their very own distinct session context.

One other essential side on this instance includes correct message formatting when storing occasions. Every message saved to AgentCore Reminiscence requires two parts: the content material and a job identifier. These two parts have to be formatted in a method that the agent framework might be acknowledged. Right here is an instance for Strands Brokers framework:

messages=[
    (
        json.dumps({
            "message": {
                "role": "user",
                "content": [
                    {
                        "text": 
                    }
                ]
            },
            "message_id": 0
        }),
        'USER'
    )
]

The content material is an inside JSON object (serialized with json.dumps()) that accommodates the message particulars, together with function, textual content content material, and message ID. The outer function identifier (USER on this instance) helps AgentCore Reminiscence categorize the message supply.

Strands Brokers implementation

Integrating Amazon Bedrock AgentCore Reminiscence with Strands Brokers is remarkably easy utilizing the AgentCoreMemorySessionManager class from the Bedrock AgentCore SDK. As proven within the following code instance, implementation requires minimal configuration—create an AgentCoreMemoryConfig together with your session identifiers, initialize the session supervisor with this config, and cross it on to your agent constructor. The session supervisor transparently handles the reminiscence operations behind the scenes, sustaining dialog historical past and context throughout interactions whereas organizing reminiscences utilizing the mix of session_id, memory_id, and actor_id. For extra data, check with AgentCore Reminiscence Session Supervisor.

from bedrock_agentcore.reminiscence.integrations.strands.config import AgentCoreMemoryConfig
from bedrock_agentcore.reminiscence.integrations.strands.session_manager import AgentCoreMemorySessionManager

@app.entrypoint
async def strands_agent_main(payload, context):

    session_id = context.session_id
    if not session_id:
        session_id = str(uuid.uuid4())
    print(f"Session ID: {session_id}")

    memory_id = payload.get("memory_id")
    if not memory_id:
        memory_id = ""
    print(f"? Reminiscence ID: {memory_id}")

    actor_id = payload.get("actor_id")
    if not actor_id:
        actor_id = "default"
        
    agentcore_memory_config = AgentCoreMemoryConfig(
        memory_id=memory_id,
        session_id=session_id,
        actor_id=actor_id
    )

    session_manager = AgentCoreMemorySessionManager(
        agentcore_memory_config=agentcore_memory_config
    )
    
    user_input = payload.get("immediate")

    headers = {
        "authorization": f"Bearer {bearer_token}",
        "Content material-Kind": "utility/json",
        "Mcp-Session-Id": session_id + "@@@" + memory_id + "@@@" + actor_id
    }

    # Connect with an MCP server utilizing SSE transport
    streamable_http_mcp_client = MCPClient(
        lambda: streamablehttp_client(
                mcp_url,
                headers,
                timeout=30
            )
        )

    with streamable_http_mcp_client:
        # Get the instruments from the MCP server
        instruments = streamable_http_mcp_client.list_tools_sync()

        # Create an agent with these instruments        
        agent = Agent(
            instruments = instruments,
            callback_handler=call_back_handler,
            session_manager=session_manager
        )

The session context administration is especially elegant right here. The agent receives session identifiers via the payload and context parameters provided by AgentCore Runtime. These identifiers type an important contextual bridge that connects person interactions throughout a number of classes. The session_id might be extracted from the context object (producing a brand new one if wanted), and the memory_id and actor_id might be retrieved from the payload. These identifiers are then packaged right into a customized HTTP header (Mcp-Session-Id) that’s handed to the MCP server throughout connection institution.

To keep up this persistent expertise throughout a number of interactions, shoppers should constantly present the identical identifiers when invoking the agent:

# invoke agentcore via boto3
boto3_response = agentcore_client.invoke_agent_runtime(
    agentRuntimeArn=agent_arn,
    qualifier="DEFAULT",
    payload=json.dumps(
            {
                "immediate": user_input,
                "actor_id": actor_id,
                "memory_id": memory_id
            }
        ),
    runtimeSessionId = session_id,
)

By constantly offering the identical memory_id, actor_id, and runtimeSessionId throughout invocations, customers can create a steady conversational expertise the place activity outcomes persist independently of session boundaries. When a person returns days later, the agent can robotically retrieve each dialog historical past and the duty outcomes that have been accomplished throughout their absence.

This structure represents a major development in AI agent capabilities—reworking long-running operations from fragile, connection-dependent processes into strong, persistent duties that proceed working no matter connection state. The result’s a system that may ship really asynchronous AI help, the place advanced work continues within the background and outcomes are seamlessly built-in each time the person returns to the dialog.

Conclusion

On this publish, we’ve explored sensible methods to assist AI brokers deal with duties that take minutes and even hours to finish. Whether or not utilizing the extra easy method of protecting connections alive or the extra superior technique of injecting activity outcomes to agent’s reminiscence, these methods allow your AI agent to sort out priceless advanced work with out irritating deadlines or misplaced outcomes.

We invite you to strive these approaches in your personal AI agent initiatives. Begin with context messaging for reasonable duties, then transfer to async administration as your wants develop. The options we’ve shared might be shortly tailored to your particular wants, serving to you construct AI that delivers outcomes reliably—even when customers disconnect and return days later. What long-running duties may your AI assistants deal with higher with these methods?

To be taught extra, see the Amazon Bedrock AgentCore documentation and discover our pattern pocket book.


Concerning the Authors

Haochen Xie is a Senior Information Scientist at AWS Generative AI Innovation Heart. He’s an extraordinary individual.

Flora Wang is an Utilized Scientist at AWS Generative AI Innovation Heart, the place she works with clients to architect and implement scalable Generative AI options that tackle their distinctive enterprise challenges. She makes a speciality of mannequin customization methods and agent-based AI programs, serving to organizations harness the total potential of generative AI know-how.

Yuan Tian is an Utilized Scientist on the AWS Generative AI Innovation Heart, the place he works with clients throughout various industries—together with healthcare, life sciences, finance, and vitality—to architect and implement generative AI options corresponding to agentic programs. He brings a novel interdisciplinary perspective, combining experience in machine studying with computational biology.

Hari Prasanna Das is an Utilized Scientist on the AWS Generative AI Innovation Heart, the place he works with AWS clients throughout totally different verticals to expedite their use of Generative AI. Hari holds a PhD in Electrical Engineering and Laptop Sciences from the College of California, Berkeley. His analysis pursuits embrace Generative AI, Deep Studying, Laptop Imaginative and prescient, and Information-Environment friendly Machine Studying.

Related Articles

Latest Articles