bedrock-agentcore-starter-toolkit 0.1.7__py3-none-any.whl → 0.1.9__py3-none-any.whl

This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.

Potentially problematic release.


This version of bedrock-agentcore-starter-toolkit might be problematic. Click here for more details.

@@ -16,7 +16,6 @@ setup_toolkit_logging(mode="cli")
16
16
  app.command("invoke")(invoke)
17
17
  app.command("status")(status)
18
18
  app.command("launch")(launch)
19
- app.command("import-agent")(import_agent)
20
19
  app.add_typer(configure_app)
21
20
 
22
21
  # gateway
@@ -24,6 +23,9 @@ app.command("create_mcp_gateway")(create_mcp_gateway)
24
23
  app.command("create_mcp_gateway_target")(create_mcp_gateway_target)
25
24
  app.add_typer(gateway_app, name="gateway")
26
25
 
26
+ # import-agent
27
+ app.command("import-agent")(import_agent)
28
+
27
29
 
28
30
  def main():
29
31
  """Entry point for the CLI application."""
@@ -84,7 +84,7 @@ class GatewayClient:
84
84
  "protocolType": "MCP",
85
85
  "authorizerType": "CUSTOM_JWT",
86
86
  "authorizerConfiguration": authorizer_config,
87
- "exceptionLevel": "DEBUG"
87
+ "exceptionLevel": "DEBUG",
88
88
  }
89
89
  if enable_semantic_search:
90
90
  create_request["protocolConfiguration"] = {"mcp": {"searchType": "SEMANTIC"}}
@@ -73,18 +73,59 @@ def _attach_policy(
73
73
  :param policy_name: the policy name (if not using a policy_arn).
74
74
  :return:
75
75
  """
76
- if policy_arn and policy_document:
77
- raise Exception("Cannot specify both policy arn and policy document.")
76
+ # Check for invalid combinations of parameters
77
+ if policy_arn:
78
+ if policy_document or policy_name:
79
+ raise Exception("Cannot specify both policy arn and policy document/name")
80
+ elif not (policy_document and policy_name):
81
+ raise Exception("Must specify both policy document and policy name, or just a policy arn")
82
+
78
83
  try:
79
- if policy_arn:
80
- iam_client.attach_role_policy(RoleName=role_name, PolicyArn=policy_arn)
81
- elif policy_document and policy_name:
82
- policy = iam_client.create_policy(
83
- PolicyName=policy_name,
84
- PolicyDocument=policy_document,
85
- )
86
- iam_client.attach_role_policy(RoleName=role_name, PolicyArn=policy["Policy"]["Arn"])
87
- else:
88
- raise Exception("Must specify both policy document and policy name or just a policy arn")
84
+ if policy_document and policy_name:
85
+ policy_arn = _try_create_policy(iam_client, policy_name, policy_document)
86
+ iam_client.attach_role_policy(RoleName=role_name, PolicyArn=policy_arn)
89
87
  except ClientError as e:
90
88
  raise RuntimeError(f"Failed to attach AgentCore policy: {e}") from e
89
+
90
+ def _try_create_policy(
91
+ iam_client: BaseClient,
92
+ policy_name: str,
93
+ policy_document: str
94
+ ) -> str:
95
+ """Try to create a new policy, or return the arn if the policy already exists.
96
+
97
+ :param iam_client: the IAM client to use.
98
+ :param policy_name: the name of the policy to create.
99
+ :param policy_document: the policy document to create.
100
+ :return: the arn of the policy.
101
+ """
102
+ try:
103
+ policy = iam_client.create_policy(
104
+ PolicyName=policy_name,
105
+ PolicyDocument=policy_document,
106
+ )
107
+ return policy["Policy"]["Arn"]
108
+ except ClientError as e:
109
+ if e.response["Error"]["Code"] == "EntityAlreadyExists":
110
+ return _get_existing_policy_arn(iam_client, policy_name)
111
+ else:
112
+ raise e
113
+
114
+ def _get_existing_policy_arn(
115
+ iam_client: BaseClient,
116
+ policy_name: str
117
+ ) -> str:
118
+ """Get the arn of an existing policy.
119
+
120
+ :param iam_client: the IAM client to use.
121
+ :param policy_name: the name of the policy to get.
122
+ :return: the arn of the policy.
123
+ """
124
+ paginator = iam_client.get_paginator("list_policies")
125
+ try:
126
+ for page in paginator.paginate(Scope="Local"):
127
+ for policy in page["Policies"]:
128
+ if policy["PolicyName"] == policy_name:
129
+ return policy["Arn"]
130
+ except ClientError as e:
131
+ raise RuntimeError(f"Failed to get existing policy arn: {e}") from e
@@ -395,7 +395,7 @@ def get_or_create_codebuild_execution_role(
395
395
  logger.info("Waiting for IAM role propagation...")
396
396
  import time
397
397
 
398
- time.sleep(15)
398
+ time.sleep(10)
399
399
 
400
400
  logger.info("CodeBuild execution role creation complete: %s", role_arn)
401
401
  return role_arn
@@ -101,15 +101,6 @@ def _ensure_execution_role(agent_config, project_config, config_path, agent_name
101
101
  # Step 1: Check if we already have a role in config
102
102
  if execution_role_arn:
103
103
  log.info("Using execution role from config: %s", execution_role_arn)
104
-
105
- # Step 2: Basic validation for existing roles
106
- if not _validate_execution_role(execution_role_arn, session):
107
- raise ValueError(
108
- f"Execution role {execution_role_arn} has invalid trust policy. "
109
- "Ensure it allows bedrock-agentcore.amazonaws.com service to assume the role."
110
- )
111
-
112
- log.info("✅ Execution role validation passed: %s", execution_role_arn)
113
104
  return execution_role_arn
114
105
 
115
106
  # Step 3: Create role if needed (idempotent)
@@ -431,18 +422,28 @@ def _execute_codebuild_workflow(
431
422
  log.info("Preparing CodeBuild project and uploading source...")
432
423
  codebuild_service = CodeBuildService(session)
433
424
 
434
- codebuild_execution_role = codebuild_service.create_codebuild_execution_role(
435
- account_id=account_id, ecr_repository_arn=ecr_repository_arn, agent_name=agent_name
436
- )
425
+ # Use cached CodeBuild role from config if available
426
+ if hasattr(agent_config, "codebuild") and agent_config.codebuild.execution_role:
427
+ log.info("Using CodeBuild role from config: %s", agent_config.codebuild.execution_role)
428
+ codebuild_execution_role = agent_config.codebuild.execution_role
429
+ else:
430
+ codebuild_execution_role = codebuild_service.create_codebuild_execution_role(
431
+ account_id=account_id, ecr_repository_arn=ecr_repository_arn, agent_name=agent_name
432
+ )
437
433
 
438
434
  source_location = codebuild_service.upload_source(agent_name=agent_name)
439
435
 
440
- project_name = codebuild_service.create_or_update_project(
441
- agent_name=agent_name,
442
- ecr_repository_uri=ecr_uri,
443
- execution_role=codebuild_execution_role,
444
- source_location=source_location,
445
- )
436
+ # Use cached project name from config if available
437
+ if hasattr(agent_config, "codebuild") and agent_config.codebuild.project_name:
438
+ log.info("Using CodeBuild project from config: %s", agent_config.codebuild.project_name)
439
+ project_name = agent_config.codebuild.project_name
440
+ else:
441
+ project_name = codebuild_service.create_or_update_project(
442
+ agent_name=agent_name,
443
+ ecr_repository_uri=ecr_uri,
444
+ execution_role=codebuild_execution_role,
445
+ source_location=source_location,
446
+ )
446
447
 
447
448
  # Execute CodeBuild
448
449
  log.info("Starting CodeBuild build (this may take several minutes)...")
@@ -475,13 +476,6 @@ def _launch_with_codebuild(
475
476
  env_vars: Optional[dict] = None,
476
477
  ) -> LaunchResult:
477
478
  """Launch using CodeBuild for ARM64 builds."""
478
- log.info(
479
- "Starting CodeBuild ARM64 deployment for agent '%s' to account %s (%s)",
480
- agent_name,
481
- agent_config.aws.account,
482
- agent_config.aws.region,
483
- )
484
-
485
479
  # Execute shared CodeBuild workflow with full deployment mode
486
480
  build_id, ecr_uri, region, account_id = _execute_codebuild_workflow(
487
481
  config_path=config_path,
@@ -6,7 +6,6 @@ import os
6
6
  import tempfile
7
7
  import time
8
8
  import zipfile
9
- from datetime import datetime, timezone
10
9
  from pathlib import Path
11
10
  from typing import List
12
11
 
@@ -99,9 +98,8 @@ class CodeBuildService:
99
98
  file_path = Path(root) / file
100
99
  zipf.write(file_path, file_rel_path)
101
100
 
102
- # Create agent-organized S3 key: agentname/timestamp.zip
103
- timestamp = datetime.now(timezone.utc).strftime("%Y%m%d-%H%M%S")
104
- s3_key = f"{agent_name}/{timestamp}.zip"
101
+ # Create agent-organized S3 key: agentname/source.zip (fixed naming for cache consistency)
102
+ s3_key = f"{agent_name}/source.zip"
105
103
 
106
104
  self.s3_client.upload_file(temp_zip.name, bucket_name, s3_key)
107
105
 
@@ -152,7 +150,7 @@ class CodeBuildService:
152
150
  "environment": {
153
151
  "type": "ARM_CONTAINER", # ARM64 images require ARM_CONTAINER environment type
154
152
  "image": "aws/codebuild/amazonlinux2-aarch64-standard:3.0",
155
- "computeType": "BUILD_GENERAL1_LARGE", # 4 vCPUs, 7GB RAM for faster builds
153
+ "computeType": "BUILD_GENERAL1_MEDIUM", # 4 vCPUs, 7GB RAM - optimal for I/O workloads
156
154
  "privilegedMode": True, # Required for Docker
157
155
  },
158
156
  "serviceRole": execution_role,
@@ -228,37 +226,46 @@ class CodeBuildService:
228
226
  self.logger.error("❌ Build failed during %s phase", current_phase)
229
227
  raise RuntimeError(f"CodeBuild failed with status: {status}")
230
228
 
231
- time.sleep(5)
229
+ time.sleep(1)
232
230
 
233
231
  total_duration = time.time() - build_start_time
234
232
  minutes, seconds = divmod(int(total_duration), 60)
235
233
  raise TimeoutError(f"CodeBuild timed out after {minutes}m {seconds}s (current phase: {current_phase})")
236
234
 
237
235
  def _get_arm64_buildspec(self, ecr_repository_uri: str) -> str:
238
- """Get optimized buildspec for ARM64 Docker."""
236
+ """Get optimized buildspec with parallel ECR authentication."""
239
237
  return f"""
240
238
  version: 0.2
241
239
  phases:
242
- pre_build:
243
- commands:
244
- - echo Logging in to Amazon ECR...
245
- - aws ecr get-login-password --region $AWS_DEFAULT_REGION |
246
- docker login --username AWS --password-stdin {ecr_repository_uri}
247
- - export DOCKER_BUILDKIT=1
248
- - export BUILDKIT_PROGRESS=plain
249
240
  build:
250
241
  commands:
251
- - echo Build started on `date`
252
- - echo Building ARM64 Docker image with BuildKit processing...
253
- - export DOCKER_BUILDKIT=1
254
- - docker buildx create --name arm64builder --use || true
255
- - docker buildx build --platform linux/arm64 --load -t bedrock-agentcore-arm64 .
242
+ - echo "Starting parallel Docker build and ECR authentication..."
243
+ - |
244
+ docker build -t bedrock-agentcore-arm64 . &
245
+ BUILD_PID=$!
246
+ aws ecr get-login-password --region $AWS_DEFAULT_REGION | \\
247
+ docker login --username AWS --password-stdin {ecr_repository_uri} &
248
+ AUTH_PID=$!
249
+ echo "Waiting for Docker build to complete..."
250
+ wait $BUILD_PID
251
+ if [ $? -ne 0 ]; then
252
+ echo "Docker build failed"
253
+ exit 1
254
+ fi
255
+ echo "Waiting for ECR authentication to complete..."
256
+ wait $AUTH_PID
257
+ if [ $? -ne 0 ]; then
258
+ echo "ECR authentication failed"
259
+ exit 1
260
+ fi
261
+ echo "Both build and auth completed successfully"
262
+ - echo "Tagging image..."
256
263
  - docker tag bedrock-agentcore-arm64:latest {ecr_repository_uri}:latest
257
264
  post_build:
258
265
  commands:
259
- - echo Build completed on `date`
260
- - echo Pushing ARM64 image to ECR...
266
+ - echo "Pushing ARM64 image to ECR..."
261
267
  - docker push {ecr_repository_uri}:latest
268
+ - echo "Build completed at $(date)"
262
269
  """
263
270
 
264
271
  def _parse_dockerignore(self) -> List[str]:
@@ -1031,6 +1031,10 @@ class BaseBedrockTranslator:
1031
1031
 
1032
1032
  return code_1p
1033
1033
 
1034
+ def _get_url_regex_pattern(self) -> str:
1035
+ """Get the URL regex pattern for source extraction."""
1036
+ return r'(?:https?://|www\.)(?:[a-zA-Z0-9-]+\.)+[a-zA-Z]{2,}(?:/[^/\s]*)*'
1037
+
1034
1038
  def generate_entrypoint_code(self, platform: str) -> str:
1035
1039
  """Generate entrypoint code for the agent."""
1036
1040
  entrypoint_code = ""
@@ -1059,6 +1063,7 @@ class BaseBedrockTranslator:
1059
1063
  else "tools_used.update([msg.name for msg in agent_result if isinstance(msg, ToolMessage)])"
1060
1064
  )
1061
1065
  response_content_code = "str(agent_result)" if platform == "strands" else "agent_result[-1].content"
1066
+ url_pattern = self._get_url_regex_pattern()
1062
1067
 
1063
1068
  entrypoint_code += f"""
1064
1069
  def endpoint(payload, context):
@@ -1079,7 +1084,7 @@ class BaseBedrockTranslator:
1079
1084
 
1080
1085
  # Gathering sources from the response
1081
1086
  sources = []
1082
- urls = re.findall(r'(?:https?://|www\.)(?:[a-zA-Z0-9\-]+\.)+[a-zA-Z]{{2,}}(?:/[^/\s]*)*', response_content)
1087
+ urls = re.findall({repr(url_pattern)}, response_content)
1083
1088
  source_tags = re.findall(r"<source>(.*?)</source>", response_content)
1084
1089
  sources.extend(urls)
1085
1090
  sources.extend(source_tags)
@@ -343,7 +343,7 @@ class BedrockAgentCoreClient:
343
343
  except Exception as e:
344
344
  if "ResourceNotFoundException" not in str(e):
345
345
  raise
346
- time.sleep(2)
346
+ time.sleep(1)
347
347
  return (
348
348
  f"Endpoint is taking longer than {max_wait} seconds to be ready, "
349
349
  f"please check status and try to invoke after some time"
@@ -15,7 +15,7 @@ def get_agent_log_paths(agent_id: str, endpoint_name: Optional[str] = None) -> T
15
15
  """
16
16
  endpoint_name = endpoint_name or "DEFAULT"
17
17
  runtime_log_group = f"/aws/bedrock-agentcore/runtimes/{agent_id}-{endpoint_name}"
18
- otel_log_group = f"/aws/bedrock-agentcore/runtimes/{agent_id}-{endpoint_name}/runtime-logs"
18
+ otel_log_group = f"/aws/bedrock-agentcore/runtimes/{agent_id}-{endpoint_name} --log-stream-names otel-rt-logs"
19
19
  return runtime_log_group, otel_log_group
20
20
 
21
21
 
@@ -1,20 +1,23 @@
1
- FROM public.ecr.aws/docker/library/python:{{ python_version }}-slim
1
+ FROM ghcr.io/astral-sh/uv:python{{ python_version }}-bookworm-slim
2
2
  WORKDIR /app
3
3
 
4
+ # Configure UV for container environment
5
+ ENV UV_SYSTEM_PYTHON=1 UV_COMPILE_BYTECODE=1
6
+
4
7
  {% if dependencies_file %}
5
8
  {% if dependencies_install_path %}
6
9
  COPY {{ dependencies_install_path }} {{ dependencies_install_path }}
7
10
  # Install from pyproject.toml directory
8
- RUN pip install {{ dependencies_install_path }}
11
+ RUN uv pip install {{ dependencies_install_path }}
9
12
  {% else %}
10
13
  COPY {{ dependencies_file }} {{ dependencies_file }}
11
14
  # Install from requirements file
12
- RUN pip install -r {{ dependencies_file }}
15
+ RUN uv pip install -r {{ dependencies_file }}
13
16
  {% endif %}
14
17
  {% endif %}
15
18
 
16
19
  {% if observability_enabled %}
17
- RUN pip install aws-opentelemetry-distro>=0.10.1
20
+ RUN uv pip install aws-opentelemetry-distro>=0.10.1
18
21
  {% endif %}
19
22
 
20
23
  # Set AWS region environment variable
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.4
2
2
  Name: bedrock-agentcore-starter-toolkit
3
- Version: 0.1.7
3
+ Version: 0.1.9
4
4
  Summary: A starter toolkit for using Bedrock AgentCore
5
5
  Project-URL: Homepage, https://github.com/aws/bedrock-agentcore-starter-toolkit
6
6
  Project-URL: Bug Tracker, https://github.com/aws/bedrock-agentcore-starter-toolkit/issues
@@ -22,7 +22,7 @@ Classifier: Topic :: Scientific/Engineering :: Artificial Intelligence
22
22
  Classifier: Topic :: Software Development :: Libraries :: Python Modules
23
23
  Requires-Python: >=3.10
24
24
  Requires-Dist: autopep8>=2.3.2
25
- Requires-Dist: bedrock-agentcore>=0.1.2
25
+ Requires-Dist: bedrock-agentcore>=0.1.3
26
26
  Requires-Dist: boto3>=1.39.7
27
27
  Requires-Dist: botocore>=1.39.7
28
28
  Requires-Dist: docstring-parser<1.0,>=0.15
@@ -67,7 +67,7 @@ Description-Content-Type: text/markdown
67
67
  <a href="https://docs.aws.amazon.com/bedrock-agentcore/latest/devguide/what-is-bedrock-agentcore.html">Documentation</a>
68
68
  ◆ <a href="https://github.com/awslabs/amazon-bedrock-agentcore-samples">Samples</a>
69
69
  ◆ <a href="https://discord.gg/bedrockagentcore-preview">Discord</a>
70
- ◆ <a href="https://boto3.amazonaws.com/v1/documentation/api/latest/reference/services/bedrock-agentcore-control.html">Setup Python SDK</a>
70
+ ◆ <a href="https://boto3.amazonaws.com/v1/documentation/api/latest/reference/services/bedrock-agentcore-control.html">Boto3 Python SDK</a>
71
71
  ◆ <a href="https://github.com/aws/bedrock-agentcore-sdk-python">Runtime Python SDK</a>
72
72
  ◆ <a href="https://github.com/aws/bedrock-agentcore-starter-toolkit">Starter Toolkit</a>
73
73
 
@@ -82,38 +82,43 @@ Amazon Bedrock AgentCore includes the following modular Services that you can us
82
82
  ## 🚀 Amazon Bedrock AgentCore Runtime
83
83
  AgentCore Runtime is a secure, serverless runtime purpose-built for deploying and scaling dynamic AI agents and tools using any open-source framework including LangGraph, CrewAI, and Strands Agents, any protocol, and any model. Runtime was built to work for agentic workloads with industry-leading extended runtime support, fast cold starts, true session isolation, built-in identity, and support for multi-modal payloads. Developers can focus on innovation while Amazon Bedrock AgentCore Runtime handles infrastructure and security -- accelerating time-to-market
84
84
 
85
- **[Runtime Quick Start](documentation/docs/user-guide/runtime/quickstart.md)**
85
+ **[Runtime Quick Start](https://aws.github.io/bedrock-agentcore-starter-toolkit/user-guide/runtime/quickstart.html)**
86
86
 
87
87
  ## 🧠 Amazon Bedrock AgentCore Memory
88
88
  AgentCore Memory makes it easy for developers to build context aware agents by eliminating complex memory infrastructure management while providing full control over what the AI agent remembers. Memory provides industry-leading accuracy along with support for both short-term memory for multi-turn conversations and long-term memory that can be shared across agents and sessions.
89
89
 
90
- **[Memory Quick Start](documentation/docs/user-guide/memory/quickstart.md)**
90
+ **[Memory Quick Start](https://aws.github.io/bedrock-agentcore-starter-toolkit/user-guide/memory/quickstart.html)**
91
91
 
92
92
  ## 🔗 Amazon Bedrock AgentCore Gateway
93
93
  Amazon Bedrock AgentCore Gateway acts as a managed Model Context Protocol (MCP) server that converts APIs and Lambda functions into MCP tools that agents can use. Gateway manages the complexity of OAuth ingress authorization and secure egress credential exchange, making standing up remote MCP servers easier and more secure. Gateway also offers composition and built-in semantic search over tools, enabling developers to scale their agents to use hundreds or thousands of tools.
94
94
 
95
- **[Gateway Quick Start](documentation/docs/user-guide/gateway/quickstart.md)**
95
+ **[Gateway Quick Start](https://aws.github.io/bedrock-agentcore-starter-toolkit/user-guide/gateway/quickstart.html)**
96
96
 
97
97
  ## 💻 Amazon Bedrock AgentCore Code Interpreter
98
98
  AgentCore Code Interpreter tool enables agents to securely execute code in isolated sandbox environments. It offers advanced configuration support and seamless integration with popular frameworks. Developers can build powerful agents for complex workflows and data analysis while meeting enterprise security requirements.
99
99
 
100
- **[Code Interpreter Quick Start](documentation/docs/user-guide/builtin-tools/quickstart-code-interpreter.md)**
100
+ **[Code Interpreter Quick Start](https://aws.github.io/bedrock-agentcore-starter-toolkit/user-guide/builtin-tools/quickstart-code-interpreter.html)**
101
101
 
102
102
 
103
103
  ## 🌐 Amazon Bedrock AgentCore Browser
104
104
  AgentCore Browser tool provides a fast, secure, cloud-based browser runtime to enable AI agents to interact with websites at scale. It provides enterprise-grade security, comprehensive observability features, and automatically scales— all without infrastructure management overhead.
105
105
 
106
- **[Browser Quick Start](documentation/docs/user-guide/builtin-tools/quickstart-browser.md)**
106
+ **[Browser Quick Start](https://aws.github.io/bedrock-agentcore-starter-toolkit/user-guide/builtin-tools/quickstart-browser.html)**
107
107
 
108
108
  ## 📊 Amazon Bedrock AgentCore Observability
109
109
  AgentCore Observability helps developers trace, debug, and monitor agent performance in production through unified operational dashboards. With support for OpenTelemetry compatible telemetry and detailed visualizations of each step of the agent workflow, AgentCore enables developers to easily gain visibility into agent behavior and maintain quality standards at scale.
110
110
 
111
- **[Observability Quick Start](documentation/docs/user-guide/observability/quickstart.md)**
111
+ **[Observability Quick Start](https://aws.github.io/bedrock-agentcore-starter-toolkit/user-guide/observability/quickstart.html)**
112
112
 
113
113
  ## 🔐 Amazon Bedrock AgentCore Identity
114
114
  AgentCore Identity provides a secure, scalable agent identity and access management capability accelerating AI agent development. It is compatible with existing identity providers, eliminating needs for user migration or rebuilding authentication flows. AgentCore Identity's helps to minimize consent fatigue with a secure token vault and allows you to build streamlined AI agent experiences. Just-enough access and secure permission delegation allow agents to securely access AWS resources and third-party tools and services.
115
115
 
116
- **[Identity Quick Start](documentation/docs/user-guide/identity/quickstart.md)**
116
+ **[Identity Quick Start](https://aws.github.io/bedrock-agentcore-starter-toolkit/user-guide/identity/quickstart.html)**
117
+
118
+ ## 🔐 Import Amazon Bedrock Agents to Bedrock AgentCore
119
+ AgentCore Import-Agent enables seamless migration of existing Amazon Bedrock Agents to LangChain/LangGraph or Strands frameworks while automatically integrating AgentCore primitives like Memory, Code Interpreter, and Gateway. Developers can migrate agents in minutes with full feature parity and deploy directly to AgentCore Runtime for serverless operation.
120
+
121
+ **[Import Agent Quick Start](https://aws.github.io/bedrock-agentcore-starter-toolkit/user-guide/import-agent/quickstart.html)**
117
122
 
118
123
 
119
124
  ## ⚠️ Preview Status
@@ -1,6 +1,6 @@
1
1
  bedrock_agentcore_starter_toolkit/__init__.py,sha256=tN3-JWKvxk4ZSJQJIHQ4mMsDtt8J_cDCz-drcGU9USA,120
2
2
  bedrock_agentcore_starter_toolkit/cli/__init__.py,sha256=WuIWfHtJKD9gQA-mE49bq8OHGb0Ugt8upRGaOp6-H90,62
3
- bedrock_agentcore_starter_toolkit/cli/cli.py,sha256=h7lb9htskppokMShmrfzna_8qic49q0nYG6BCWY13fQ,965
3
+ bedrock_agentcore_starter_toolkit/cli/cli.py,sha256=rmPi14B8WDbbJbrcUIKjXHtbFyfV2cJ7K8yG2_C1kuM,981
4
4
  bedrock_agentcore_starter_toolkit/cli/common.py,sha256=R9ZRKmW9gq7u7gkTiCUOTCQTno2lXnsplnq2x0-k2v8,1311
5
5
  bedrock_agentcore_starter_toolkit/cli/gateway/__init__.py,sha256=8IZ0kSe6Kz5s2j-SBsoc6qy04MbK85RMTQwZCiR2wmo,68
6
6
  bedrock_agentcore_starter_toolkit/cli/gateway/commands.py,sha256=3DuXCvqXlmHU2cmjGzDruyc2Fkrpgoi158myj0vc3nA,3265
@@ -16,22 +16,22 @@ bedrock_agentcore_starter_toolkit/notebook/runtime/__init__.py,sha256=DoGfB_uGFL
16
16
  bedrock_agentcore_starter_toolkit/notebook/runtime/bedrock_agentcore.py,sha256=UvG-X9Ny_z4VhMG8BNTy-OaZMFU4VIQ8QIHz2lm7Dyo,15328
17
17
  bedrock_agentcore_starter_toolkit/operations/__init__.py,sha256=L7sCNjfZviiVVoh2f3NEs2sbjNqFkmIRI3ZPYMMWMz0,51
18
18
  bedrock_agentcore_starter_toolkit/operations/gateway/__init__.py,sha256=5Qo1GeN-DghNp9g0coFUs7WpUJDboJoidOVs-5Co7fo,233
19
- bedrock_agentcore_starter_toolkit/operations/gateway/client.py,sha256=udkwl15s6gmpHgmZfJKHy9sO1NulL3ByRignZkFwzoM,20067
19
+ bedrock_agentcore_starter_toolkit/operations/gateway/client.py,sha256=8WP2E_u6h1-mPfz4TgNMloD6bcXfoXQDL3UCrbyhT7g,20068
20
20
  bedrock_agentcore_starter_toolkit/operations/gateway/constants.py,sha256=0_4J6BN4VAE4-XTQhPTEACkhilRrFqu_iKiuHSm2pYk,4610
21
21
  bedrock_agentcore_starter_toolkit/operations/gateway/create_lambda.py,sha256=MQsBJfUj26zBh7LqYWLoekHuvbAHIJE8qcXwrmJOhM0,2875
22
- bedrock_agentcore_starter_toolkit/operations/gateway/create_role.py,sha256=a38JE28PbdRabskTgLXsiqHqWS1vt06jxEEGneYPO_g,3145
22
+ bedrock_agentcore_starter_toolkit/operations/gateway/create_role.py,sha256=Z02OtPyuilulX0DnA5vMfGVyn6KUB9wL1mmKeNOCblw,4511
23
23
  bedrock_agentcore_starter_toolkit/operations/gateway/exceptions.py,sha256=WjsrE7lT2708CJniM_ISMzkfNX4IUteGgvOxleD9JZY,272
24
24
  bedrock_agentcore_starter_toolkit/operations/runtime/__init__.py,sha256=7ucAtIbabrDmEaHOfGqHtEr2CkQlEsb5O2tkHirXCqU,673
25
25
  bedrock_agentcore_starter_toolkit/operations/runtime/configure.py,sha256=7xjNN6fn1U2cv20W2tmHdlbSjc-RU953tnbOaH5iXPQ,9056
26
- bedrock_agentcore_starter_toolkit/operations/runtime/create_role.py,sha256=5-BL_EA1LFy6vSTl5Rppj1et7Y0tuaB8C9-Ze4ESt1A,15952
26
+ bedrock_agentcore_starter_toolkit/operations/runtime/create_role.py,sha256=o3rimy-9SDOS0r-DKHctKSS6dAVIGelhn1zUhrSeolY,15952
27
27
  bedrock_agentcore_starter_toolkit/operations/runtime/invoke.py,sha256=ZcPXI7Zx7NO7G7fM2xY6JKVoo2CR2sdyBlBJ63Pd6MI,4559
28
- bedrock_agentcore_starter_toolkit/operations/runtime/launch.py,sha256=rpTdbqYdTCRTwCmqDIR3nZWCSgXSoE1anfLC4MexOfY,19216
28
+ bedrock_agentcore_starter_toolkit/operations/runtime/launch.py,sha256=RbQt76m1a3TZCWDuMBAP91AA4eH35nW3jk7He8Yqlf8,19260
29
29
  bedrock_agentcore_starter_toolkit/operations/runtime/models.py,sha256=Qr45hc73a25cqmiSErq9-degckPXuVhnENyDSshU_mU,3673
30
30
  bedrock_agentcore_starter_toolkit/operations/runtime/status.py,sha256=tpOtzAq1S3z_7baxR_WOT8Avo3MtWKGpelVOOfb-uMA,2516
31
31
  bedrock_agentcore_starter_toolkit/services/__init__.py,sha256=s7QtYYFCCX2ff0gZHUdDxCDI3zhUq0fPsjevZbF9xdA,66
32
- bedrock_agentcore_starter_toolkit/services/codebuild.py,sha256=7g64f5uEAyn7cFpwxB0drWWlaPobFaIwtYuVODTKy04,13478
32
+ bedrock_agentcore_starter_toolkit/services/codebuild.py,sha256=77aagVvjSMQxBfNmwYTO6lwE_2izXGqgc6kWp9Bf98U,13618
33
33
  bedrock_agentcore_starter_toolkit/services/ecr.py,sha256=nW9wIZcXI6amZeLVSmM9F6awVBQP1-zrFXTozSNEDjo,2805
34
- bedrock_agentcore_starter_toolkit/services/runtime.py,sha256=ZLQ8X48mOb4xqzvbVf8vqOZR5AAA9atf89va6tW3-uo,18601
34
+ bedrock_agentcore_starter_toolkit/services/runtime.py,sha256=zGC-p4fagXHWemtdncg1K1h0MFkqd9CsvI3Px_tmAX8,18601
35
35
  bedrock_agentcore_starter_toolkit/services/import_agent/__init__.py,sha256=ig-xanZqA3oJdRTucYz9xF9_2yi31ADRVIKFsnIw_l4,68
36
36
  bedrock_agentcore_starter_toolkit/services/import_agent/utils.py,sha256=ErY-J0hClJbt5D-pQ99ma-1Fll35tHjqOttM-h0bKKw,15675
37
37
  bedrock_agentcore_starter_toolkit/services/import_agent/assets/memory_manager_template.py,sha256=RKrtTxir5XxyMg6cim4CAEbguaxb4mg1Qb31pd7D_kY,7892
@@ -39,7 +39,7 @@ bedrock_agentcore_starter_toolkit/services/import_agent/assets/requirements_lang
39
39
  bedrock_agentcore_starter_toolkit/services/import_agent/assets/requirements_strands.j2,sha256=ZAWzCFwdj8Mbq8aBGO3Jnxz0G8XJZPNpIsPf_2Jetfk,100
40
40
  bedrock_agentcore_starter_toolkit/services/import_agent/assets/template_fixtures_merged.json,sha256=Xem7jS8n96QEyHBmnPAvWHM4AyTLyma7Nq9sCVHuXJA,175239
41
41
  bedrock_agentcore_starter_toolkit/services/import_agent/scripts/__init__.py,sha256=UmhcnsfIo2P1Z9VAJ6Ua2mSkxs4BOeTxgFMcgQXQWCQ,79
42
- bedrock_agentcore_starter_toolkit/services/import_agent/scripts/base_bedrock_translate.py,sha256=xAqf0Rrhb4QWE_6WBk98NkQdHbCyy2uFzKbiw_9cWA4,72520
42
+ bedrock_agentcore_starter_toolkit/services/import_agent/scripts/base_bedrock_translate.py,sha256=zmI1e-1pYhP4SroQ4r_k8KmdncaXmJPsYvsDKPCcvtU,72713
43
43
  bedrock_agentcore_starter_toolkit/services/import_agent/scripts/bedrock_to_langchain.py,sha256=xwoZcmZ27CfYohwSfLIgbFxa2ubiBFhvufgQEWZkmLk,14950
44
44
  bedrock_agentcore_starter_toolkit/services/import_agent/scripts/bedrock_to_strands.py,sha256=eC3v2Ts7B_RUGl4bkUim2uFYYuZZYP9syYBlylJ2gXs,14642
45
45
  bedrock_agentcore_starter_toolkit/utils/endpoints.py,sha256=1gIDRd1oO1fymYpiedVit7m6zl5k6N8Ns9N-2ix7ZaE,1153
@@ -47,16 +47,16 @@ bedrock_agentcore_starter_toolkit/utils/logging_config.py,sha256=NtZDyndNKCAbz7j
47
47
  bedrock_agentcore_starter_toolkit/utils/runtime/config.py,sha256=qRQid59rD3zJ0d0hcBY4-8R52PNIWEIUt9iR3biuz_c,4495
48
48
  bedrock_agentcore_starter_toolkit/utils/runtime/container.py,sha256=wGJLxwT2mhTGPxSoFb6x9lW7Tyz37YghIvSs4jBnO8A,15679
49
49
  bedrock_agentcore_starter_toolkit/utils/runtime/entrypoint.py,sha256=d-XjEwvQOdpRHvBGLdIBCs1fgUwNwB0EL_WkcdQXwXQ,5893
50
- bedrock_agentcore_starter_toolkit/utils/runtime/logs.py,sha256=RUP5W2rbkXf33Kis4MnaI8xIjkpidO1at3kiXmxAw0I,1082
50
+ bedrock_agentcore_starter_toolkit/utils/runtime/logs.py,sha256=zRNYiNtEEYatZSRbc5VrUNgWhyP3Pl6p-hMl8AEUx_o,1101
51
51
  bedrock_agentcore_starter_toolkit/utils/runtime/policy_template.py,sha256=CgER7YXPh0BpR6JcTcumDL_k8bhmfLSEok1sf09-31I,2054
52
52
  bedrock_agentcore_starter_toolkit/utils/runtime/schema.py,sha256=gZ0zPvry-ZkXwqUEAy6Izz1RJvmZaXA6a2twnSdk1AY,6418
53
- bedrock_agentcore_starter_toolkit/utils/runtime/templates/Dockerfile.j2,sha256=-HQM15yR-EPhkyQBaO4qRKqaqYdpTAOprMTOzUWkTU8,1166
53
+ bedrock_agentcore_starter_toolkit/utils/runtime/templates/Dockerfile.j2,sha256=0KmVBMP3ZeCrt7dQ5cR8WTvI8ZVt_SFgHYRxn6DYMfA,1261
54
54
  bedrock_agentcore_starter_toolkit/utils/runtime/templates/dockerignore.template,sha256=b_70sBi0MwkTuA9TqxPqFcWK7TcmpaXBJ6M2Ipox65Q,691
55
55
  bedrock_agentcore_starter_toolkit/utils/runtime/templates/execution_role_policy.json.j2,sha256=-0AXT46IYVQr4fwueXTQ0FVXcCshZFNx7-2mViR34Co,4941
56
56
  bedrock_agentcore_starter_toolkit/utils/runtime/templates/execution_role_trust_policy.json.j2,sha256=PPJF6Ofq70W5DUE0NlbmnZjw5RkgepPgkskxEgEG28o,473
57
- bedrock_agentcore_starter_toolkit-0.1.7.dist-info/METADATA,sha256=miG3Cx7vZJq9WSk5fEerDI8lSJnsIsxDVNoME7C4KIA,8886
58
- bedrock_agentcore_starter_toolkit-0.1.7.dist-info/WHEEL,sha256=qtCwoSJWgHk21S1Kb4ihdzI2rlJ1ZKaIurTj_ngOhyQ,87
59
- bedrock_agentcore_starter_toolkit-0.1.7.dist-info/entry_points.txt,sha256=Tf94DkUf2Tp8P7p8MEXLxre7A7Pp_XNukteiz0wHnk8,77
60
- bedrock_agentcore_starter_toolkit-0.1.7.dist-info/licenses/LICENSE.txt,sha256=nNPOMinitYdtfbhdQgsPgz1UowBznU6QVN3Xs0pSTKU,10768
61
- bedrock_agentcore_starter_toolkit-0.1.7.dist-info/licenses/NOTICE.txt,sha256=rkBsg8DbKqfIoQbveqX9foR4uJPUVAokbkr02pRPilE,8674
62
- bedrock_agentcore_starter_toolkit-0.1.7.dist-info/RECORD,,
57
+ bedrock_agentcore_starter_toolkit-0.1.9.dist-info/METADATA,sha256=TLmOIQhVBcBCBt2IUzBt4eU4PXKLFxLGvVBxVOh3POo,9706
58
+ bedrock_agentcore_starter_toolkit-0.1.9.dist-info/WHEEL,sha256=qtCwoSJWgHk21S1Kb4ihdzI2rlJ1ZKaIurTj_ngOhyQ,87
59
+ bedrock_agentcore_starter_toolkit-0.1.9.dist-info/entry_points.txt,sha256=Tf94DkUf2Tp8P7p8MEXLxre7A7Pp_XNukteiz0wHnk8,77
60
+ bedrock_agentcore_starter_toolkit-0.1.9.dist-info/licenses/LICENSE.txt,sha256=nNPOMinitYdtfbhdQgsPgz1UowBznU6QVN3Xs0pSTKU,10768
61
+ bedrock_agentcore_starter_toolkit-0.1.9.dist-info/licenses/NOTICE.txt,sha256=rkBsg8DbKqfIoQbveqX9foR4uJPUVAokbkr02pRPilE,8674
62
+ bedrock_agentcore_starter_toolkit-0.1.9.dist-info/RECORD,,