Close Menu

    Subscribe to Updates

    Get the latest creative news from FooBar about art, design and business.

    What's Hot

    “FUTURE PHASES” showcases new frontiers in music technology and interactive performance | MIT News

    July 29, 2025

    Anchorage warns hikers after 2 bear attacks in a week

    July 29, 2025

    WATCH: 'Freakier Friday' cast share its dream Friday

    July 29, 2025
    Facebook X (Twitter) Instagram
    • Demos
    • Buy Now
    Facebook X (Twitter) Instagram YouTube
    14 Trends14 Trends
    Demo
    • Home
    • Features
      • View All On Demos
    • Buy Now
    14 Trends14 Trends
    Home » Build a drug discovery research assistant using Strands Agents and Amazon Bedrock
    AI AWS

    Build a drug discovery research assistant using Strands Agents and Amazon Bedrock

    adminBy adminJuly 29, 2025No Comments9 Mins Read0 Views
    Facebook Twitter Pinterest LinkedIn Telegram Tumblr Email
    Share
    Facebook Twitter LinkedIn Pinterest Email


    Drug discovery is a complex, time-intensive process that requires researchers to navigate vast amounts of scientific literature, clinical trial data, and molecular databases. Life science customers like Genentech and AstraZeneca are using AI agents and other generative AI tools to increase the speed of scientific discovery. Builders at these organizations are already using the fully managed features of Amazon Bedrock to quickly deploy domain-specific workflows for a variety of use cases, from early drug target identification to healthcare provider engagement.

    However, more complex use cases might benefit from using the open source Strands Agents SDK. Strands Agents takes a model-driven approach to develop and run AI agents. It works with most model providers, including custom and internal large language model (LLM) gateways, and agents can be deployed where you would host a Python application.

    In this post, we demonstrate how to create a powerful research assistant for drug discovery using Strands Agents and Amazon Bedrock. This AI assistant can search multiple scientific databases simultaneously using the Model Context Protocol (MCP), synthesize its findings, and generate comprehensive reports on drug targets, disease mechanisms, and therapeutic areas. This assistant is available as an example in the open-source healthcare and life sciences agent toolkit for you to use and adapt.

    Solution overview

    This solution uses Strands Agents to connect high-performing foundation models (FMs) with common life science data sources like arXiv, PubMed, and ChEMBL. It demonstrates how to quickly create MCP servers to query data and view the results in a conversational interface.

    Small, focused AI agents that work together can often produce better results than a single, monolithic agent. This solution uses a team of sub-agents, each with their own FM, instructions, and tools. The following flowchart shows how the orchestrator agent (shown in orange) handles user queries and routes them to sub-agents for either information retrieval (green) or planning, synthesis, and report generation (purple).

    Research system architecture diagram connecting web, academic, and medical databases through an orchestrator to produce synthesized reports

    This post focuses on building with Strands Agents in your local development environment. Refer to the Strands Agents documentation to deploy production agents on AWS Lambda, AWS Fargate, Amazon Elastic Kubernetes Service (Amazon EKS), or Amazon Elastic Compute Cloud (Amazon EC2).

    In the following sections, we show how to create the research assistant in Strands Agents by defining an FM, MCP tools, and sub-agents.

    Prerequisites

    This solution requires Python 3.10+, strands-agents, and several additional Python packages. We strongly recommend using a virtual environment like venv or uv to manage these dependencies.

    Complete the following steps to deploy the solution to your local environment:

    1. Clone the code repository from GitHub.
    2. Install the required Python dependencies with pip install -r requirements.txt.
    3. Configure your AWS credentials by setting them as environment variables, adding them to a credentials file, or following another supported process.
    4. Save your Tavily API key to a .env file in the following format: TAVILY_API_KEY="YOUR_API_KEY".

    You also need access to the following Amazon Bedrock FMs in your AWS account:

    • Anthropic’s Claude 3.7 Sonnet
    • Anthropic’s Claude 3.5 Sonnet
    • Anthropic’s Claude 3.5 Haiku

    Define the foundation model

    We start by defining a connection to an FM in Amazon Bedrock using the Strands Agents BedrockModel class. We use Anthropic’s Claude 3.7 Sonnet as the default model. See the following code:

    from strands import Agent, tool
    from strands.models import BedrockModel
    from strands.agent.conversation_manager import SlidingWindowConversationManager
    from strands.tools.mcp import MCPClient
    # Model configuration with Strands using Amazon Bedrock's foundation models
    def get_model():
        model = BedrockModel(
            boto_client_config=Config(
                read_timeout=900,
                connect_timeout=900,
                retries=dict(max_attempts=3, mode="adaptive"),
            ),
            model_id="us.anthropic.claude-3-7-sonnet-20250219-v1:0",
            max_tokens=64000,
            temperature=0.1,
            top_p=0.9,
            additional_request_fields={
                "thinking": {
                    "type": "disabled"  # Can be enabled for reasoning mode
                }
            }
        )
        return model

    Define MCP tools

    MCP provides a standard for how AI applications interact with their external environments. Thousands of MCP servers already exist, including those for life science tools and datasets. This solution provides example MCP servers for:

    • arXiv – Open-access repository of scholarly articles
    • PubMed – Peer-reviewed citations for biomedical literature
    • ChEMBL – Curated database of bioactive molecules with drug-like properties
    • ClinicalTrials.gov – US government database of clinical research studies
    • Tavily Web Search – API to find recent news and other content from the public internet

    Strands Agents streamlines the definition of MCP clients for our agent. In this example, you connect to each tool using standard I/O. However, Strands Agents also supports remote MCP servers with Streamable-HTTP Events transport. See the following code:

    # MCP Clients for various scientific databases
    tavily_mcp_client = MCPClient(lambda: stdio_client(
        StdioServerParameters(command="python", args=["application/mcp_server_tavily.py"])
    ))
    arxiv_mcp_client = MCPClient(lambda: stdio_client(
        StdioServerParameters(command="python", args=["application/mcp_server_arxiv.py"])
    ))
    pubmed_mcp_client = MCPClient(lambda: stdio_client(
        StdioServerParameters(command="python", args=["application/mcp_server_pubmed.py"])
    ))
    chembl_mcp_client = MCPClient(lambda: stdio_client(
        StdioServerParameters(command="python", args=["application/mcp_server_chembl.py"])
    ))
    clinicaltrials_mcp_client = MCPClient(lambda: stdio_client(
        StdioServerParameters(command="python", args=["application/mcp_server_clinicaltrial.py"])
    ))

    Define specialized sub-agents

    The planning agent looks at user questions and creates a plan for which sub-agents and tools to use:

    @tool
    def planning_agent(query: str) -> str:
        """
        A specialized planning agent that analyzes the research query and determines
        which tools and databases should be used for the investigation.
        """
        planning_system = """
        You are a specialized planning agent for drug discovery research. Your role is to:
        
        1. Analyze research questions to identify target proteins, compounds, or biological mechanisms
        2. Determine which databases would be most relevant (Arxiv, PubMed, ChEMBL, ClinicalTrials.gov)
        3. Generate specific search queries for each relevant database
        4. Create a structured research plan
        """
        model = get_model()
        planner = Agent(
            model=model,
            system_prompt=planning_system,
        )
        response = planner(planning_prompt)
        return str(response)

    Similarly, the synthesis agent integrates findings from multiple sources into a single, comprehensive report:

    @tool
    def synthesis_agent(research_results: str) -> str:
        """
        Specialized agent for synthesizing research findings into a comprehensive report.
        """
        system_prompt = """
        You are a specialized synthesis agent for drug discovery research. Your role is to:
        
        1. Integrate findings from multiple research databases
        2. Create a comprehensive, coherent scientific report
        3. Highlight key insights, connections, and opportunities
        4. Organize information in a structured format:
           - Executive Summary (300 words)
           - Target Overview
           - Research Landscape
           - Drug Development Status
           - References
        """
        model = get_model()
        synthesis = Agent(
            model=model,
            system_prompt=system_prompt,
        )
        response = synthesis(synthesis_prompt)
        return str(response)

    Define the orchestration agent

    We also define an orchestration agent to coordinate the entire research workflow. This agent uses the SlidingWindowConversationManager class from Strands Agents to store the last 10 messages in the conversation. See the following code:

    def create_orchestrator_agent(
        history_mode,
        tavily_client=None,
        arxiv_client=None,
        pubmed_client=None,
        chembl_client=None,
        clinicaltrials_client=None,
    ):
        system = """
        You are an orchestrator agent for drug discovery research. Your role is to coordinate a multi-agent workflow:
        
        1. COORDINATION PHASE:
           - For simple queries: Answer directly WITHOUT using specialized tools
           - For complex research requests: Initiate the multi-agent research workflow
        
        2. PLANNING PHASE:
           - Use the planning_agent to determine which databases to search and with what queries
        
        3. EXECUTION PHASE:
           - Route specialized search tasks to the appropriate research agents
        
        4. SYNTHESIS PHASE:
           - Use the synthesis_agent to integrate findings into a comprehensive report
           - Generate a PDF report when appropriate
        """
        # Aggregate all tools from specialized agents and MCP clients
        tools = [planning_agent, synthesis_agent, generate_pdf_report, file_write]
        # Dynamically load tools from each MCP client
        if tavily_client:
            tools.extend(tavily_client.list_tools_sync())
        # ... (similar for other clients)
        conversation_manager = SlidingWindowConversationManager(
            window_size=10,  # Maintains context for the last 10 exchanges
        )
        orchestrator = Agent(
            model=model,
            system_prompt=system,
            tools=tools,
            conversation_manager=conversation_manager
        )
        return orchestrator

    Example use case: Explore recent breast cancer research

    To test out the new assistant, launch the chat interface by running streamlit run application/app.py and opening the local URL (typically http://localhost:8501) in your web browser. The following screenshot shows a typical conversation with the research agent. In this example, we ask the assistant, “Please generate a report for HER2 including recent news, recent research, related compounds, and ongoing clinical trials.” The assistant first develops a comprehensive research plan using the various tools at its disposal. It decides to start with a web search for recent news about HER2, as well as scientific articles on PubMed and arXiv. It also looks at HER2-related compounds in ChEMBL and ongoing clinical trials. It synthesizes these results into a single report and generates an output file of its findings, including citations.

    Amazon Bedrock-powered Drug Discovery Agent chat showing systematic approach to HER2 research report generation

    The following is an excerpt of a generated report:

    Comprehensive Scientific Report: HER2 in Breast Cancer Research and Treatment
    1. Executive Summary
    Human epidermal growth factor receptor 2 (HER2) continues to be a critical target in breast cancer research and treatment development. This report synthesizes recent findings across the HER2 landscape highlighting significant advances in understanding HER2 biology and therapeutic approaches. The emergence of antibody-drug conjugates (ADCs) represents a paradigm shift in HER2-targeted therapy, with trastuzumab deruxtecan (T-DXd, Enhertu) demonstrating remarkable efficacy in both early and advanced disease settings. The DESTINY-Breast11 trial has shown clinically meaningful improvements in pathologic complete response rates when T-DXd is followed by standard therapy in high-risk, early-stage HER2+ breast cancer, potentially establishing a new treatment paradigm.

    Notably, you don’t have to define a step-by-step process to accomplish this task. By providing the assistant with a well-documented list of tools, it can decide which to use and in what order.

    Clean up

    If you followed this example on your local computer, you will not create new resources in your AWS account that you need to clean up. If you deployed the research assistant using one of those services, refer to the relevant service documentation for cleanup instructions.

    Conclusion

    In this post, we showed how Strands Agents streamlines the creation of powerful, domain-specific AI assistants. We encourage you to try this solution with your own research questions and extend it with new scientific tools. The combination of Strands Agents’s orchestration capabilities, streaming responses, and flexible configuration with the powerful language models of Amazon Bedrock creates a new paradigm for AI-assisted research. As the volume of scientific information continues to grow exponentially, frameworks like Strands Agents will become essential tools for drug discovery.

    To learn more about building intelligent agents with Strands Agents, refer to Introducing Strands Agents, an Open Source AI Agents SDK, Strands Agents SDK, and the GitHub repository. You can also find more sample agents for healthcare and life sciences built on Amazon Bedrock.

    For more information about implementing AI-powered solutions for drug discovery on AWS, visit us at AWS for Life Sciences.


    About the authors

    Headshot of Hasun YuHasun Yu is an AI/ML Specialist Solutions Architect with extensive expertise in designing, developing, and deploying AI/ML solutions for healthcare and life sciences. He supports the adoption of advanced AWS AI/ML services, including generative and agentic AI.

    Head shot of Brian LoyalBrian Loyal is a Principal AI/ML Solutions Architect in the Global Healthcare and Life Sciences team at Amazon Web Services. He has more than 20 years’ experience in biotechnology and machine learning and is passionate about using AI to improve human health and well-being.



    Source link

    Share. Facebook Twitter Pinterest LinkedIn Tumblr Email
    admin
    • Website

    Related Posts

    Streamline deep learning environments with Amazon Q Developer and MCP

    July 28, 2025

    Enhance generative AI solutions using Amazon Q index with Model Context Protocol – Part 1

    July 27, 2025

    Benchmarking Amazon Nova: A comprehensive analysis through MT-Bench and Arena-Hard-Auto

    July 27, 2025

    How PerformLine uses prompt engineering on Amazon Bedrock to detect compliance violations 

    July 26, 2025

    Build an intelligent eDiscovery solution using Amazon Bedrock Agents

    July 25, 2025

    Boost cold-start recommendations with vLLM on AWS Trainium

    July 25, 2025
    Leave A Reply Cancel Reply

    Demo
    Top Posts

    ChatGPT’s viral Studio Ghibli-style images highlight AI copyright concerns

    March 28, 20254 Views

    Best Cyber Forensics Software in 2025: Top Tools for Windows Forensics and Beyond

    February 28, 20253 Views

    An ex-politician faces at least 20 years in prison in killing of Las Vegas reporter

    October 16, 20243 Views

    Laws, norms, and ethics for AI in health

    May 1, 20252 Views
    Don't Miss

    “FUTURE PHASES” showcases new frontiers in music technology and interactive performance | MIT News

    July 29, 2025

    Music technology took center stage at MIT during “FUTURE PHASES,” an evening of works for…

    Anchorage warns hikers after 2 bear attacks in a week

    July 29, 2025

    WATCH: 'Freakier Friday' cast share its dream Friday

    July 29, 2025

    Microsoft Authenticator is ending password autofill soon

    July 29, 2025
    Stay In Touch
    • Facebook
    • Twitter
    • Pinterest
    • Instagram
    • YouTube
    • Vimeo

    Subscribe to Updates

    Get the latest creative news from SmartMag about art & design.

    Demo
    Top Posts

    ChatGPT’s viral Studio Ghibli-style images highlight AI copyright concerns

    March 28, 20254 Views

    Best Cyber Forensics Software in 2025: Top Tools for Windows Forensics and Beyond

    February 28, 20253 Views

    An ex-politician faces at least 20 years in prison in killing of Las Vegas reporter

    October 16, 20243 Views
    Stay In Touch
    • Facebook
    • YouTube
    • TikTok
    • WhatsApp
    • Twitter
    • Instagram
    Latest Reviews
    Demo
    About Us
    About Us

    Your source for the lifestyle news. This demo is crafted specifically to exhibit the use of the theme as a lifestyle site. Visit our main page for more demos.

    We're accepting new partnerships right now.

    Email Us: info@example.com
    Contact: +1-320-0123-451

    Facebook X (Twitter) Pinterest YouTube WhatsApp
    Our Picks

    “FUTURE PHASES” showcases new frontiers in music technology and interactive performance | MIT News

    July 29, 2025

    Anchorage warns hikers after 2 bear attacks in a week

    July 29, 2025

    WATCH: 'Freakier Friday' cast share its dream Friday

    July 29, 2025
    Most Popular

    ChatGPT’s viral Studio Ghibli-style images highlight AI copyright concerns

    March 28, 20254 Views

    Best Cyber Forensics Software in 2025: Top Tools for Windows Forensics and Beyond

    February 28, 20253 Views

    An ex-politician faces at least 20 years in prison in killing of Las Vegas reporter

    October 16, 20243 Views

    Subscribe to Updates

    Get the latest creative news from FooBar about art, design and business.

    14 Trends
    Facebook X (Twitter) Instagram Pinterest YouTube Dribbble
    • Home
    • Buy Now
    © 2025 ThemeSphere. Designed by ThemeSphere.

    Type above and press Enter to search. Press Esc to cancel.