Close Menu
    DevStackTipsDevStackTips
    • Home
    • News & Updates
      1. Tech & Work
      2. View All

      A Week In The Life Of An AI-Augmented Designer

      August 22, 2025

      This week in AI updates: Gemini Code Assist Agent Mode, GitHub’s Agents panel, and more (August 22, 2025)

      August 22, 2025

      Microsoft adds Copilot-powered debugging features for .NET in Visual Studio

      August 21, 2025

      Blackstone portfolio company R Systems Acquires Novigo Solutions, Strengthening its Product Engineering and Full-Stack Agentic-AI Capabilities

      August 21, 2025

      The best AirTag alternative for Samsung users is currently 30% off

      August 24, 2025

      One of the biggest new features on the Google Pixel 10 is also one of the most overlooked

      August 24, 2025

      I tested these viral ‘crush-proof’ Bluetooth speakers, and they’re not your average portables

      August 24, 2025

      I compared the best smartwatches from Google and Apple – and there’s a clear winner

      August 24, 2025
    • Development
      1. Algorithms & Data Structures
      2. Artificial Intelligence
      3. Back-End Development
      4. Databases
      5. Front-End Development
      6. Libraries & Frameworks
      7. Machine Learning
      8. Security
      9. Software Engineering
      10. Tools & IDEs
      11. Web Design
      12. Web Development
      13. Web Security
      14. Programming Languages
        • PHP
        • JavaScript
      Featured

      MongoDB Data Types

      August 23, 2025
      Recent

      MongoDB Data Types

      August 23, 2025

      Building Cross-Platform Alerts with Laravel’s Notification Framework

      August 23, 2025

      Add Notes Functionality to Eloquent Models With the Notable Package

      August 23, 2025
    • Operating Systems
      1. Windows
      2. Linux
      3. macOS
      Featured

      Microsoft Teams updated with a feature you probably thought already existed — “Can you hear me?” is now a thing of the past

      August 24, 2025
      Recent

      Microsoft Teams updated with a feature you probably thought already existed — “Can you hear me?” is now a thing of the past

      August 24, 2025

      Xbox Game Pass gets Gears of War: Reloaded, Dragon Age: The Veilguard, and more — here’s what is coming through the rest of August

      August 24, 2025

      Resident Evil ‘9’ Requiem has some of the most incredible lighting I’ve seen in a game — and Capcom uses it as a weapon

      August 24, 2025
    • Learning Resources
      • Books
      • Cheatsheets
      • Tutorials & Guides
    Home»Development»Machine Learning»Accelerate AI development with Amazon Bedrock API keys

    Accelerate AI development with Amazon Bedrock API keys

    July 8, 2025

    Today, we’re excited to announce a significant improvement to the developer experience of Amazon Bedrock: API keys. API keys provide quick access to the Amazon Bedrock APIs, streamlining the authentication process so that developers can focus on building rather than configuration.

    CamelAI is an open-source, modular framework for building intelligent multi-agent systems for data generation, world simulation, and task automation.

    “As a startup with limited resources, streamlined customer onboarding is critical to our success. The Amazon Bedrock API keys enable us to onboard enterprise customers in minutes rather than hours. With Bedrock, our customers can quickly provision access to leading AI models and seamlessly integrate them into CamelAI,”

    said Miguel Salinas, CTO, CamelAI.

    In this post, explore how API keys work and how you can start using them today.

    API key authentication

    Amazon Bedrock now provides API key access to streamline integration with tools and frameworks that expect API key-based authentication. The Amazon Bedrock and Amazon Bedrock runtime SDKs support API key authentication for methods including on-demand inference, provisioned throughput inference, model fine-tuning, distillation, and evaluation.

    The diagram compares the default authentication process to Amazon Bedrock (in orange) with the API keys approach (in blue). In the default process, you must create an identity in AWS IAM Identity Center or IAM, attach IAM policies to provide permissions to perform API operations, and generate credentials, which you can then use to make API calls. The grey boxes in the diagram highlight the steps that Amazon Bedrock now streamlines when generating an API key. Developers can now authenticate and access Amazon Bedrock APIs with minimal setup overhead.

    You can generate API keys in the Amazon Bedrock console, choosing between two types.

    With long-term API keys, you can set expiration times ranging from 1 day to no expiration. These keys are associated with an IAM user that Amazon Bedrock automatically creates for you. The system attaches the AmazonBedrockLimitedAccess managed policy to this IAM user, and you can then modify permissions as needed through the IAM service. We recommend using long-term keys primarily for exploration of Amazon Bedrock.

    Short-term API keys use the IAM permissions from your current IAM principal and expire when your account’s session ends or can last up to 12 hours. Short-term API keys use AWS Signature Version 4 for authentication. For continuous application use, you can implement API key refreshing with a script as shown in this example. We recommend that you use short-term API keys for setups that require a higher level of security.

    Making Your First API Call

    Once you have access to foundation models, getting started with Amazon Bedrock API key is straightforward. Here’s how to make your first API call using the AWS SDK for Python (Boto3 SDK) and API keys:

    Generate an API key

    To generate an API key, follow these steps:

    1. Sign in to the AWS Management Console and open the Amazon Bedrock console
    2. In the left navigation panel, select API keys
    3. Choose either Generate short-term API key or Generate long-term API key
    4. For long-term keys, set your desired expiration time and optionally configure advanced permissions
    5. Choose Generate and copy your API key

    Set Your API Key as Environment Variable

    You can set your API key as an environment variable so that it’s automatically recognized when you make API requests:

    # To set the API key as an environment variable, you can open a terminal and run the following command:
    export AWS_BEARER_TOKEN_BEDROCK=${api-key}

    The Boto3 SDK automatically detects your environment variable when you create an Amazon Bedrock client.

    Make Your First API Call

    You can now make API calls to Amazon Bedrock in multiple ways:

    1. Using curl
      curl -X POST "https://bedrock-runtime.us-east-1.amazonaws.com/model/us.anthropic.claude-3-5-haiku-20241022-v1:0/converse" 
        -H "Content-Type: application/json" 
        -H "Authorization: Bearer $AWS_BEARER_TOKEN_BEDROCK" 
        -d '{
          "messages": [
              {
                  "role": "user",
                  "content": [{"text": "Hello"}]
              }
          ]
        }'
    2. Using the Amazon Bedrock SDK:
      import boto3
      
      # Create an Amazon Bedrock client
      client = boto3.client(
          service_name="bedrock-runtime",
          region_name="us-east-1"     # If you've configured a default region, you can omit this line
      ) 
      
      # Define the model and message
      model_id = "us.anthropic.claude-3-5-haiku-20241022-v1:0"
      messages = [{"role": "user", "content": [{"text": "Hello"}]}]
         
      response = client.converse(
          modelId=model_id,
          messages=messages,
      )
      
      # Print the response
      print(response['output']['message']['content'][0]['text'])
    3. You can also use native libraries like Python Requests:
      import requests
      import os
      
      url = "https://bedrock-runtime.us-east-1.amazonaws.com/model/us.anthropic.claude-3-5-haiku-20241022-v1:0/converse"
      
      payload = {
          "messages": [
              {
                  "role": "user",
                  "content": [{"text": "Hello"}]
              }
          ]
      }
      
      headers = {
          "Content-Type": "application/json",
          "Authorization": f"Bearer {os.environ['AWS_BEARER_TOKEN_BEDROCK']}"
      }
      
      response = requests.request("POST", url, json=payload, headers=headers)
      
      print(response.text)

    Bridging developer experience and enterprise security requirements

    Enterprise administrators can now streamline their user onboarding to Amazon Bedrock foundation models. With setups that require a higher level of security, administrators can enable short-term API keys for their users. Short-term API keys use AWS Signature Version 4 and existing IAM principals, maintaining established access controls implemented by administrators.

    For audit and compliance purposes, all API calls are logged in AWS CloudTrail. API keys are passed as authorization headers to API requests and aren’t logged.

    Conclusion

    Amazon Bedrock API keys are available in 20 AWS Regions where Amazon Bedrock is available: US East (N. Virginia, Ohio), US West (Oregon), Asia Pacific (Hyderabad, Mumbai, Osaka, Seoul, Singapore, Sydney, Tokyo), Canada (Central), Europe (Frankfurt, Ireland, London, Milan, Paris, Spain, Stockholm, Zurich), and South America (São Paulo). To learn more about API keys in Amazon Bedrock, visit the API Keys documentation in the Amazon Bedrock user guide.

    Give API keys a try in the Amazon Bedrock console today and send feedback to AWS re:Post for Amazon Bedrock or through your usual AWS Support contacts.


    About the Authors

    Sofian Hamiti is a technology leader with over 10 years of experience building AI solutions, and leading high-performing teams to maximize customer outcomes. He is passionate in empowering diverse talent to drive global impact and achieve their career aspirations.

    Ajit Mahareddy is an experienced Product and Go-To-Market (GTM) leader with over 20 years of experience in product management, engineering, and go-to-market. Prior to his current role, Ajit led product management building AI/ML products at leading technology companies, including Uber, Turing, and eHealth. He is passionate about advancing generative AI technologies and driving real-world impact with generative AI.

    Nakul Vankadari Ramesh is a Software Development Engineer with over 7 years of experience building large-scale distributed systems. He currently works on the Amazon Bedrock team, helping accelerate the development of generative AI capabilities. Previously, he contributed to Amazon Managed Blockchain, focusing on scalable and reliable infrastructure.

    Huong Nguyen is a Principal Product Manager at AWS. She is a product leader at Amazon Bedrock, with 18 years of experience building customer-centric and data-driven products. She is passionate about democratizing responsible machine learning and generative AI to enable customer experience and business innovation. Outside of work, she enjoys spending time with family and friends, listening to audiobooks, traveling, and gardening.

    Massimiliano Angelino is Lead Architect for the EMEA Prototyping team. During the last 3 and half years he has been an IoT Specialist Solution Architect with a particular focus on edge computing, and he contributed to the launch of AWS IoT Greengrass v2 service and its integration with Amazon SageMaker Edge Manager. Based in Stockholm, he enjoys skating on frozen lakes.

    Source: Read More 

    Facebook Twitter Reddit Email Copy Link
    Previous ArticleAddressing Misspecification in Simulation-based Inference through Data-driven Calibration
    Next Article Carnegie Mellon University at ICML 2025

    Related Posts

    Machine Learning

    How to Evaluate Jailbreak Methods: A Case Study with the StrongREJECT Benchmark

    August 24, 2025
    Machine Learning

    Checklists Are Better Than Reward Models For Aligning Language Models

    August 23, 2025
    Leave A Reply Cancel Reply

    For security, use of Google's reCAPTCHA service is required which is subject to the Google Privacy Policy and Terms of Use.

    Continue Reading

    This Week in Laravel: NativePHP for Mobile, Cursor Tips and Stress Testing

    Development

    Stratbook – strategies, tips, and tricks

    Linux

    Legacy OneNote for Windows 10 app is retiring on October 14, 2025

    Operating Systems

    CVE-2025-47662 – Woobox Stored Cross-site Scripting (XSS)

    Common Vulnerabilities and Exposures (CVEs)

    Highlights

    Conversational AI in 2025: From Chatbots to Intelligent Virtual Agents💬

    May 22, 2025

    Post Content Source: Read More 

    CVE-2025-8169 – D-Link DIR-513 HTTP POST Request Handler Buffer Overflow

    July 28, 2025

    ⚡ Weekly Recap: APT Campaigns, Browser Hijacks, AI Malware, Cloud Breaches and Critical CVEs

    May 26, 2025

    The evolution of five of Adobe’s iconic icons

    August 14, 2025
    © DevStackTips 2025. All rights reserved.
    • Contact
    • Privacy Policy

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