ModelChimp is an experiment tracker for Deep Learning and Machine Learning experiments.

Overview

ModelChimp

CircleCI Codacy Badge Join ModelChimp Slack channel

modelchimp-gif

What is ModelChimp?

ModelChimp is an experiment tracker for Deep Learning and Machine Learning experiments.

ModelChimp provides the following features:

  • Real-time tracking of parameters and metrics
  • Realtime charts for experiment metrics at epoch level
  • Code used for the experiment
  • Experiment comparison
  • Collaborate and share experiments with team members
  • Python objects storage such as data objects and model objects which can be used pulled for other experiments
  • Storage of test and validation images for computer vision use cases. Useful for post experiment forensics of deep learning models
  • Server based solution with user registration and authentication

Why ModelChimp?

The idea for ModelChimp came up when I was building a recommendation algorithm for a large retail company based in India. Along with my 6 member team, we would store the meta information related to each experiment in an excel sheet. Two of the biggest problems we encountered while using this approach were:

  1. Sometimes, we would miss out on logging the details while fine-tuning and analysing the model
  2. Sharing these excel sheets over email amongst the team members and the client was a cumbersome process

ModelChimp is a solution to this problem faced by data scientists and machine learning engineers/enthusiasts. They can spend more time on experiments and not on managing the data related to the experiments.

Installation

Choose either Docker based installation or the manual approach.

  • Docker
  • Production Deployment

Docker

  1. Docker is a prerequisite. You can download it from here - https://docs.docker.com/install/
$ git clone https://github.com/ModelChimp/modelchimp
$ cd modelchimp
$ bash docker.sh
  1. After starting ModelChimp server, you can access it at http://localhost:8000

  2. Use the following credentials to log in

username: [email protected]
password: modelchimp123
  1. (Optional) If you are using modelchimp on a remote server then add the hostname or ip address in the .env file for the following variables
DOMAIN=<hostname/ip>
ALLOWED_HOSTS=.localhost,127.0.0.1,<hostname/ip>
  1. (Optional) For inviting team members, email credentials have to be added for the following variables in .env file
EMAIL_HOST=
EMAIL_HOST_USER=
EMAIL_HOST_PASSWORD=
EMAIL_PORT=587
DEFAULT_FROM_EMAIL="[email protected]"

Production Deployment

  1. Modelchimp can be deployed referring the docker-compose.local.yml with the container orchestration of your choice. If you are not using any container orchestration and want to start it manually then you can use the following command
docker-compose -f docker-compose.local.yml up --build -d

This will start the containers in daemon mode on the machine where Modelchimp resides. Modelchimp can be accessed from port 8000

  1. (Optional) To store the data in an external postgres database. Add the following credentials to the .env file
DB_HOST=<DB_HOST>
DB_NAME=<DB_NAME>
DB_USER=<DB_USER>
DB_PASSWORD=<DB_PASSWORD>
DBPORT=
  1. (Optional) To store the file assets in an s3 bucket. Add the following credentials to the .env file
AWS_STORAGE_FLAG=True
AWS_ACCESS_KEY_ID=<ID>
AWS_SECRET_ACCESS_KEY=<KEY>
AWS_STORAGE_BUCKET_NAME=<bucket_name>
  1. (Optional) To invite team members to a project. Add the following email credentials to the .env file
EMAIL_HOST=
EMAIL_HOST_USER=
EMAIL_HOST_PASSWORD=
EMAIL_PORT=587
DEFAULT_FROM_EMAIL="[email protected]"

Documentation

Comments
  • Reverse proxy using Nginx doesn't work

    Reverse proxy using Nginx doesn't work

    I used modelchimp behind an Nginx proxy (used on port 443). It is defined as:

    location / {
                    proxy_pass http://localhost:8000;
                    proxy_http_version 1.1;
                    proxy_set_header Upgrade $http_upgrade;
                    proxy_set_header Connection 'upgrade';
                    proxy_set_header Host $host;
                    proxy_cache_bypass $http_upgrade;
            }
    

    When using the domain of the website as the "host" in the tracker definition, I get the following error:

    INFO - 2019-03-13 10:47:44,036 - modelchimp.connection_thread - Establishing connection with ModelChimp Server.
    2019-03-13 10:47:44,043 DEBUG Starting new HTTPS connection (1): https:443
    2019-03-13 10:47:46,302 DEBUG Starting new HTTP connection (1): https:80
    INFO - 2019-03-13 10:47:48,557 - modelchimp.connection_thread - ModelChimp Server is not accessible. Current experiment won't be logged.
    2019-03-13 10:47:48,557 INFO ModelChimp Server is not accessible. Current experiment won't be logged.
    
    opened by asafl 7
  • Which host should be specified when server is running on localhost

    Which host should be specified when server is running on localhost

    I've started modelchimp server using docker and can open it on localhost:8000. After creating project, inserting key and running keras_example.py any new information appears on server.

    As I understand for resolving this, host name in keras_example.py should be changed. I've tried:

    1. demo.modelchimp.com
    2. localhost
    3. localhost:8000

    But any run make changes on server.

    Which host should be specified for local run?

    opened by NickShargan 5
  • Compared to MLFlow / ModelDB / Polyaxon

    Compared to MLFlow / ModelDB / Polyaxon

    How does this project compares to MLFlow / ModelDB / Polyaxon?

    Is it better support for real-time? or multi-tenancy? something else?

    Thanks in advance.

    opened by elgalu 3
  • local volume for redis in docker-compose

    local volume for redis in docker-compose

    Is there any way to mount local volume for Redis data in docker-compose? i have already tried this:

    services:
      db:
        image: postgres
        restart: always
        ports:
          - 5432:5432
        volumes:
          - postgres-data:/var/lib/postgresql/data
    volumes:
      postgres-data:
        driver: local
        driver_opts:
          o: bind
          type: none
          device: ${PWD}/pgdata
    
    

    and this:

    services:
      db:
        image: postgres
         ...
        volumes:
          - ${PWD}/postgres-data:/var/lib/postgresql/data
    

    and always get same error:

    web_1     | django.db.utils.OperationalError: could not connect to server: Connection refused
    web_1     | 	Is the server running on host "db" (172.25.0.3) and accepting
    web_1     | 	TCP/IP connections on port 5432?
    

    if i not specify path on host machine - it works. Like this:

    services:
      db:
        image: postgres
         ...
        volumes:
          - postgres-data:/var/lib/postgresql/data
    volumes:
      postgres-data:
    

    But its not useful - Docker creates volumes somewhere in /var/lib/docker/volumes/modelchimp_postgres-data/_data (on Mac). It would be better to store all data in project folder.

    opened by cnstntn-kndrtv 3
  • ImportError: cannot import name 'Tracker'

    ImportError: cannot import name 'Tracker'

    Following documentation I have installed modelchimp:

    pip3 install -U modelchimp

    But when I am trying to import Tracker from modelchimp receive ImportError:

    >>> import modelchimp
    >>> from modelchimp import Tracker
    Traceback (most recent call last):
      File "<stdin>", line 1, in <module>
    ImportError: cannot import name 'Tracker'
    

    Also I can't find Tracker class in modelchimp repository and modelchimp-client repository

    opened by NickShargan 3
  • 'InMemoryUploadedFile' object has no attribute '_size'

    'InMemoryUploadedFile' object has no attribute '_size'

    Hi,

    I cloned the master branch, and run the server using docker. When I tried to update my profile with a jpg 175 KB photo, I got the following error:

    Request Method: | POST -- | -- http://localhost:8000/profile/ 2.1.3 AttributeError 'InMemoryUploadedFile' object has no attribute '_size' /code/modelchimp/forms/profile.py in clean_avatar, line 47 /usr/local/bin/python3 3.6.7 ['/code', '/usr/local/lib/python36.zip', '/usr/local/lib/python3.6', '/usr/local/lib/python3.6/lib-dynload', '/usr/local/lib/python3.6/site-packages', '/code']

    opened by agalst 2
  • Update boto3 to 1.26.42

    Update boto3 to 1.26.42

    This PR updates boto3 from 1.9.182 to 1.26.42.

    Changelog

    1.26.42

    =======
    
    * api-change:``securitylake``: [``botocore``] Allow CreateSubscriber API to take string input that allows setting more descriptive SubscriberDescription field. Make souceTypes field required in model level for UpdateSubscriberRequest as it is required for every API call on the backend. Allow ListSubscribers take any String as nextToken param.
    

    1.26.41

    =======
    
    * api-change:``cloudfront``: [``botocore``] Extend response headers policy to support removing headers from viewer responses
    * api-change:``iotfleetwise``: [``botocore``] Update documentation - correct the epoch constant value of default value for expiryTime field in CreateCampaign request.
    

    1.26.40

    =======
    
    * api-change:``apigateway``: [``botocore``] Documentation updates for Amazon API Gateway
    * api-change:``emr``: [``botocore``] Update emr client to latest version
    * api-change:``secretsmanager``: [``botocore``] Added owning service filter, include planned deletion flag, and next rotation date response parameter in ListSecrets.
    * api-change:``wisdom``: [``botocore``] This release extends Wisdom CreateContent and StartContentUpload APIs to support PDF and MicrosoftWord docx document uploading.
    

    1.26.39

    =======
    
    * api-change:``elasticache``: [``botocore``] This release allows you to modify the encryption in transit setting, for existing Redis clusters. You can now change the TLS configuration of your Redis clusters without the need to re-build or re-provision the clusters or impact application availability.
    * api-change:``network-firewall``: [``botocore``] AWS Network Firewall now provides status messages for firewalls to help you troubleshoot when your endpoint fails.
    * api-change:``rds``: [``botocore``] This release adds support for Custom Engine Version (CEV) on RDS Custom SQL Server.
    * api-change:``route53-recovery-control-config``: [``botocore``] Added support for Python paginators in the route53-recovery-control-config List* APIs.
    

    1.26.38

    =======
    
    * api-change:``memorydb``: [``botocore``] This release adds support for MemoryDB Reserved nodes which provides a significant discount compared to on-demand node pricing. Reserved nodes are not physical nodes, but rather a billing discount applied to the use of on-demand nodes in your account.
    * api-change:``transfer``: [``botocore``] Add additional operations to throw ThrottlingExceptions
    

    1.26.37

    =======
    
    * api-change:``connect``: [``botocore``] Support for Routing Profile filter, SortCriteria, and grouping by Routing Profiles for GetCurrentMetricData API. Support for RoutingProfiles, UserHierarchyGroups, and Agents as filters, NextStatus and AgentStatusName for GetCurrentUserData. Adds ApproximateTotalCount to both APIs.
    * api-change:``connectparticipant``: [``botocore``] Amazon Connect Chat introduces the Message Receipts feature. This feature allows agents and customers to receive message delivered and read receipts after they send a chat message.
    * api-change:``detective``: [``botocore``] This release adds a missed AccessDeniedException type to several endpoints.
    * api-change:``fsx``: [``botocore``] Fix a bug where a recent release might break certain existing SDKs.
    * api-change:``inspector2``: [``botocore``] Amazon Inspector adds support for scanning NodeJS 18.x and Go 1.x AWS Lambda function runtimes.
    

    1.26.36

    =======
    
    * api-change:``compute-optimizer``: [``botocore``] This release enables AWS Compute Optimizer to analyze and generate optimization recommendations for ecs services running on Fargate.
    * api-change:``connect``: [``botocore``] Amazon Connect Chat introduces the Idle Participant/Autodisconnect feature, which allows users to set timeouts relating to the activity of chat participants, using the new UpdateParticipantRoleConfig API.
    * api-change:``iotdeviceadvisor``: [``botocore``] This release adds the following new features: 1) Documentation updates for IoT Device Advisor APIs. 2) Updated required request parameters for IoT Device Advisor APIs. 3) Added new service feature: ability to provide the test endpoint when customer executing the StartSuiteRun API.
    * api-change:``kinesis-video-webrtc-storage``: [``botocore``] Amazon Kinesis Video Streams offers capabilities to stream video and audio in real-time via WebRTC to the cloud for storage, playback, and analytical processing. Customers can use our enhanced WebRTC SDK and cloud APIs to enable real-time streaming, as well as media ingestion to the cloud.
    * api-change:``rds``: [``botocore``] Add support for managing master user password in AWS Secrets Manager for the DBInstance and DBCluster.
    * api-change:``secretsmanager``: [``botocore``] Documentation updates for Secrets Manager
    

    1.26.35

    =======
    
    * api-change:``connect``: [``botocore``] Amazon Connect Chat now allows for JSON (application/json) message types to be sent as part of the initial message in the StartChatContact API.
    * api-change:``connectparticipant``: [``botocore``] Amazon Connect Chat now allows for JSON (application/json) message types to be sent in the SendMessage API.
    * api-change:``license-manager-linux-subscriptions``: [``botocore``] AWS License Manager now offers cross-region, cross-account tracking of commercial Linux subscriptions on AWS. This includes subscriptions purchased as part of EC2 subscription-included AMIs, on the AWS Marketplace, or brought to AWS via Red Hat Cloud Access Program.
    * api-change:``macie2``: [``botocore``] This release adds support for analyzing Amazon S3 objects that use the S3 Glacier Instant Retrieval (Glacier_IR) storage class.
    * api-change:``sagemaker``: [``botocore``] This release enables adding RStudio Workbench support to an existing Amazon SageMaker Studio domain. It allows setting your RStudio on SageMaker environment configuration parameters and also updating the RStudioConnectUrl and RStudioPackageManagerUrl parameters for existing domains
    * api-change:``scheduler``: [``botocore``] Updated the ListSchedules and ListScheduleGroups APIs to allow the NamePrefix field to start with a number. Updated the validation for executionRole field to support any role name.
    * api-change:``ssm``: [``botocore``] Doc-only updates for December 2022.
    * api-change:``support``: [``botocore``] Documentation updates for the AWS Support API
    * api-change:``transfer``: [``botocore``] This release adds support for Decrypt as a workflow step type.
    

    1.26.34

    =======
    
    * api-change:``batch``: [``botocore``] Adds isCancelled and isTerminated to DescribeJobs response.
    * api-change:``ec2``: [``botocore``] Adds support for pagination in the EC2 DescribeImages API.
    * api-change:``lookoutequipment``: [``botocore``] This release adds support for listing inference schedulers by status.
    * api-change:``medialive``: [``botocore``] This release adds support for two new features to AWS Elemental MediaLive. First, you can now burn-in timecodes to your MediaLive outputs. Second, we now now support the ability to decode Dolby E audio when it comes in on an input.
    * api-change:``nimble``: [``botocore``] Amazon Nimble Studio now supports configuring session storage volumes and persistence, as well as backup and restore sessions through launch profiles.
    * api-change:``resource-explorer-2``: [``botocore``] Documentation updates for AWS Resource Explorer.
    * api-change:``route53domains``: [``botocore``] Use Route 53 domain APIs to change owner, create/delete DS record, modify IPS tag, resend authorization. New: AssociateDelegationSignerToDomain, DisassociateDelegationSignerFromDomain, PushDomain, ResendOperationAuthorization. Updated: UpdateDomainContact, ListOperations, CheckDomainTransferability.
    * api-change:``sagemaker``: [``botocore``] Amazon SageMaker Autopilot adds support for new objective metrics in CreateAutoMLJob API.
    * api-change:``transcribe``: [``botocore``] Enable our batch transcription jobs for Swedish and Vietnamese.
    

    1.26.33

    =======
    
    * api-change:``athena``: [``botocore``] Add missed InvalidRequestException in GetCalculationExecutionCode,StopCalculationExecution APIs. Correct required parameters (Payload and Type) in UpdateNotebook API. Change Notebook size from 15 Mb to 10 Mb.
    * api-change:``ecs``: [``botocore``] This release adds support for alarm-based rollbacks in ECS, a new feature that allows customers to add automated safeguards for Amazon ECS service rolling updates.
    * api-change:``kinesis-video-webrtc-storage``: [``botocore``] Amazon Kinesis Video Streams offers capabilities to stream video and audio in real-time via WebRTC to the cloud for storage, playback, and analytical processing. Customers can use our enhanced WebRTC SDK and cloud APIs to enable real-time streaming, as well as media ingestion to the cloud.
    * api-change:``kinesisvideo``: [``botocore``] Amazon Kinesis Video Streams offers capabilities to stream video and audio in real-time via WebRTC to the cloud for storage, playback, and analytical processing. Customers can use our enhanced WebRTC SDK and cloud APIs to enable real-time streaming, as well as media ingestion to the cloud.
    * api-change:``rds``: [``botocore``] Add support for --enable-customer-owned-ip to RDS create-db-instance-read-replica API for RDS on Outposts.
    * api-change:``sagemaker``: [``botocore``] AWS Sagemaker - Sagemaker Images now supports Aliases as secondary identifiers for ImageVersions. SageMaker Images now supports additional metadata for ImageVersions for better images management.
    

    1.26.32

    =======
    
    * enhancement:s3: s3.transfer methods accept path-like objects as input
    * api-change:``appflow``: [``botocore``] This release updates the ListConnectorEntities API action so that it returns paginated responses that customers can retrieve with next tokens.
    * api-change:``cloudfront``: [``botocore``] Updated documentation for CloudFront
    * api-change:``datasync``: [``botocore``] AWS DataSync now supports the use of tags with task executions. With this new feature, you can apply tags each time you execute a task, giving you greater control and management over your task executions.
    * api-change:``efs``: [``botocore``] Update efs client to latest version
    * api-change:``guardduty``: [``botocore``] This release provides the valid characters for the Description and Name field.
    * api-change:``iotfleetwise``: [``botocore``] Updated error handling for empty resource names in &quot;UpdateSignalCatalog&quot; and &quot;GetModelManifest&quot; operations.
    * api-change:``sagemaker``: [``botocore``] AWS sagemaker - Features: This release adds support for random seed, it&#x27;s an integer value used to initialize a pseudo-random number generator. Setting a random seed will allow the hyperparameter tuning search strategies to produce more consistent configurations for the same tuning job.
    

    1.26.31

    =======
    
    * api-change:``backup-gateway``: [``botocore``] This release adds support for VMware vSphere tags, enabling customer to protect VMware virtual machines using tag-based policies for AWS tags mapped from vSphere tags. This release also adds support for customer-accessible gateway-hypervisor interaction log and upload bandwidth rate limit schedule.
    * api-change:``connect``: [``botocore``] Added support for &quot;English - New Zealand&quot; and &quot;English - South African&quot; to be used with Amazon Connect Custom Vocabulary APIs.
    * api-change:``ecs``: [``botocore``] This release adds support for container port ranges in ECS, a new capability that allows customers to provide container port ranges to simplify use cases where multiple ports are in use in a container. This release updates TaskDefinition mutation APIs and the Task description APIs.
    * api-change:``eks``: [``botocore``] Add support for Windows managed nodes groups.
    * api-change:``glue``: [``botocore``] This release adds support for AWS Glue Crawler with native DeltaLake tables, allowing Crawlers to classify Delta Lake format tables and catalog them for query engines to query against.
    * api-change:``kinesis``: [``botocore``] Added StreamARN parameter for Kinesis Data Streams APIs. Added a new opaque pagination token for ListStreams. SDKs will auto-generate Account Endpoint when accessing Kinesis Data Streams.
    * api-change:``location``: [``botocore``] This release adds support for a new style, &quot;VectorOpenDataStandardLight&quot; which can be used with the new data source, &quot;Open Data Maps (Preview)&quot;.
    * api-change:``m2``: [``botocore``] Adds an optional create-only `KmsKeyId` property to Environment and Application resources.
    * api-change:``sagemaker``: [``botocore``] SageMaker Inference Recommender now allows customers to load tests their models on various instance types using private VPC.
    * api-change:``securityhub``: [``botocore``] Added new resource details objects to ASFF, including resources for AwsEc2LaunchTemplate, AwsSageMakerNotebookInstance, AwsWafv2WebAcl and AwsWafv2RuleGroup.
    * api-change:``translate``: [``botocore``] Raised the input byte size limit of the Text field in the TranslateText API to 10000 bytes.
    

    1.26.30

    =======
    
    * api-change:``ce``: [``botocore``] This release supports percentage-based thresholds on Cost Anomaly Detection alert subscriptions.
    * api-change:``cloudwatch``: [``botocore``] Update cloudwatch client to latest version
    * api-change:``networkmanager``: [``botocore``] Appliance Mode support for AWS Cloud WAN.
    * api-change:``redshift-data``: [``botocore``] This release adds a new --client-token field to ExecuteStatement and BatchExecuteStatement operations. Customers can now run queries with the additional client token parameter to ensures idempotency.
    * api-change:``sagemaker-metrics``: [``botocore``] Update SageMaker Metrics documentation.
    

    1.26.29

    =======
    
    * api-change:``cloudtrail``: [``botocore``] Merging mainline branch for service model into mainline release branch. There are no new APIs.
    * api-change:``rds``: [``botocore``] This deployment adds ClientPasswordAuthType field to the Auth structure of the DBProxy.
    

    1.26.28

    =======
    
    * bugfix:Endpoint provider: [``botocore``] Updates ARN parsing ``resourceId`` delimiters
    * api-change:``customer-profiles``: [``botocore``] This release allows custom strings in PartyType and Gender through 2 new attributes in the CreateProfile and UpdateProfile APIs: PartyTypeString and GenderString.
    * api-change:``ec2``: [``botocore``] This release updates DescribeFpgaImages to show supported instance types of AFIs in its response.
    * api-change:``kinesisvideo``: [``botocore``] This release adds support for public preview of Kinesis Video Stream at Edge enabling customers to provide configuration for the Kinesis Video Stream EdgeAgent running on an on-premise IoT device. Customers can now locally record from cameras and stream videos to the cloud on configured schedule.
    * api-change:``lookoutvision``: [``botocore``] This documentation update adds kms:GenerateDataKey as a required permission to StartModelPackagingJob.
    * api-change:``migration-hub-refactor-spaces``: [``botocore``] This release adds support for Lambda alias service endpoints. Lambda alias ARNs can now be passed into CreateService.
    * api-change:``rds``: [``botocore``] Update the RDS API model to support copying option groups during the CopyDBSnapshot operation
    * api-change:``rekognition``: [``botocore``] Adds support for &quot;aliases&quot; and &quot;categories&quot;, inclusion and exclusion filters for labels and label categories, and aggregating labels by video segment timestamps for Stored Video Label Detection APIs.
    * api-change:``sagemaker-metrics``: [``botocore``] This release introduces support SageMaker Metrics APIs.
    * api-change:``wafv2``: [``botocore``] Documents the naming requirement for logging destinations that you use with web ACLs.
    

    1.26.27

    =======
    
    * api-change:``iotfleetwise``: [``botocore``] Deprecated assignedValue property for actuators and attributes.  Added a message to invalid nodes and invalid decoder manifest exceptions.
    * api-change:``logs``: [``botocore``] Doc-only update for CloudWatch Logs, for Tagging Permissions clarifications
    * api-change:``medialive``: [``botocore``] Link devices now support buffer size (latency) configuration. A higher latency value means a longer delay in transmitting from the device to MediaLive, but improved resiliency. A lower latency value means a shorter delay, but less resiliency.
    * api-change:``mediapackage-vod``: [``botocore``] This release provides the approximate number of assets in a packaging group.
    

    1.26.26

    =======
    
    * enhancement:Endpoint Provider Standard Library: [``botocore``] Correct spelling of &#x27;library&#x27; in ``StandardLibrary`` class
    * api-change:``autoscaling``: [``botocore``] Adds support for metric math for target tracking scaling policies, saving you the cost and effort of publishing a custom metric to CloudWatch. Also adds support for VPC Lattice by adding the Attach/Detach/DescribeTrafficSources APIs and a new health check type to the CreateAutoScalingGroup API.
    * api-change:``iottwinmaker``: [``botocore``] This release adds the following new features: 1) New APIs for managing a continuous sync of assets and asset models from AWS IoT SiteWise. 2) Support user friendly names for component types (ComponentTypeName) and properties (DisplayName).
    * api-change:``migrationhubstrategy``: [``botocore``] This release adds known application filtering, server selection for assessments, support for potential recommendations, and indications for configuration and assessment status. For more information, see the AWS Migration Hub documentation at https://docs.aws.amazon.com/migrationhub/index.html
    

    1.26.25

    =======
    
    * api-change:``ce``: [``botocore``] This release adds the LinkedAccountName field to the GetAnomalies API response under RootCause
    * api-change:``cloudfront``: [``botocore``] Introducing UpdateDistributionWithStagingConfig that can be used to promote the staging configuration to the production.
    * api-change:``eks``: [``botocore``] Adds support for EKS add-ons configurationValues fields and DescribeAddonConfiguration function
    * api-change:``kms``: [``botocore``] Updated examples and exceptions for External Key Store (XKS).
    

    1.26.24

    =======
    
    * api-change:``billingconductor``: [``botocore``] This release adds the Tiering Pricing Rule feature.
    * api-change:``connect``: [``botocore``] This release provides APIs that enable you to programmatically manage rules for Contact Lens conversational analytics and third party applications. For more information, see   https://docs.aws.amazon.com/connect/latest/APIReference/rules-api.html
    * api-change:``dynamodb``: [``botocore``] Endpoint Ruleset update: Use http instead of https for the &quot;local&quot; region.
    * api-change:``dynamodbstreams``: [``botocore``] Update dynamodbstreams client to latest version
    * api-change:``rds``: [``botocore``] This release adds the BlueGreenDeploymentNotFoundFault to the AddTagsToResource, ListTagsForResource, and RemoveTagsFromResource operations.
    * api-change:``sagemaker-featurestore-runtime``: [``botocore``] For online + offline Feature Groups, added ability to target PutRecord and DeleteRecord actions to only online store, or only offline store. If target store parameter is not specified, actions will apply to both stores.
    

    1.26.23

    =======
    
    * api-change:``ce``: [``botocore``] This release introduces two new APIs that offer a 1-click experience to refresh Savings Plans recommendations. The two APIs are StartSavingsPlansPurchaseRecommendationGeneration and ListSavingsPlansPurchaseRecommendationGeneration.
    * api-change:``ec2``: [``botocore``] Documentation updates for EC2.
    * api-change:``ivschat``: [``botocore``] Adds PendingVerification error type to messaging APIs to block the resource usage for accounts identified as being fraudulent.
    * api-change:``rds``: [``botocore``] This release adds the InvalidDBInstanceStateFault to the RestoreDBClusterFromSnapshot operation.
    * api-change:``transcribe``: [``botocore``] Amazon Transcribe now supports creating custom language models in the following languages: Japanese (ja-JP) and German (de-DE).
    

    1.26.22

    =======
    
    * api-change:``appsync``: [``botocore``] Fixes the URI for the evaluatecode endpoint to include the /v1 prefix (ie. &quot;/v1/dataplane-evaluatecode&quot;).
    * api-change:``ecs``: [``botocore``] Documentation updates for Amazon ECS
    * api-change:``fms``: [``botocore``] AWS Firewall Manager now supports Fortigate Cloud Native Firewall as a Service as a third-party policy type.
    * api-change:``mediaconvert``: [``botocore``] The AWS Elemental MediaConvert SDK has added support for configurable ID3 eMSG box attributes and the ability to signal them with InbandEventStream tags in DASH and CMAF outputs.
    * api-change:``medialive``: [``botocore``] Updates to Event Signaling and Management (ESAM) API and documentation.
    * api-change:``polly``: [``botocore``] Add language code for Finnish (fi-FI)
    * api-change:``proton``: [``botocore``] CreateEnvironmentAccountConnection RoleArn input is now optional
    * api-change:``redshift-serverless``: [``botocore``] Add Table Level Restore operations for Amazon Redshift Serverless. Add multi-port support for Amazon Redshift Serverless endpoints. Add Tagging support to Snapshots and Recovery Points in Amazon Redshift Serverless.
    * api-change:``sns``: [``botocore``] This release adds the message payload-filtering feature to the SNS Subscribe, SetSubscriptionAttributes, and GetSubscriptionAttributes API actions
    

    1.26.21

    =======
    
    * api-change:``codecatalyst``: [``botocore``] This release adds operations that support customers using the AWS Toolkits and Amazon CodeCatalyst, a unified software development service that helps developers develop, deploy, and maintain applications in the cloud. For more information, see the documentation.
    * api-change:``comprehend``: [``botocore``] Comprehend now supports semi-structured documents (such as PDF files or image files) as inputs for custom analysis using the synchronous APIs (ClassifyDocument and DetectEntities).
    * api-change:``gamelift``: [``botocore``] GameLift introduces a new feature, GameLift Anywhere. GameLift Anywhere allows you to integrate your own compute resources with GameLift. You can also use GameLift Anywhere to iteratively test your game servers without uploading the build to GameLift for every iteration.
    * api-change:``pipes``: [``botocore``] AWS introduces new Amazon EventBridge Pipes which allow you to connect sources (SQS, Kinesis, DDB, Kafka, MQ) to Targets (14+ EventBridge Targets) without any code, with filtering, batching, input transformation, and an optional Enrichment stage (Lambda, StepFunctions, ApiGateway, ApiDestinations)
    * api-change:``stepfunctions``: [``botocore``] Update stepfunctions client to latest version
    

    1.26.20

    =======
    
    * api-change:``accessanalyzer``: [``botocore``] This release adds support for S3 cross account access points. IAM Access Analyzer will now produce public or cross account findings when it detects bucket delegation to external account access points.
    * api-change:``athena``: [``botocore``] This release includes support for using Apache Spark in Amazon Athena.
    * api-change:``dataexchange``: [``botocore``] This release enables data providers to license direct access to data in their Amazon S3 buckets or AWS Lake Formation data lakes through AWS Data Exchange. Subscribers get read-only access to the data and can use it in downstream AWS services, like Amazon Athena, without creating or managing copies.
    * api-change:``docdb-elastic``: [``botocore``] Launched Amazon DocumentDB Elastic Clusters. You can now use the SDK to create, list, update and delete Amazon DocumentDB Elastic Cluster resources
    * api-change:``glue``: [``botocore``] This release adds support for AWS Glue Data Quality, which helps you evaluate and monitor the quality of your data and includes the API for creating, deleting, or updating data quality rulesets, runs and evaluations.
    * api-change:``s3control``: [``botocore``] Amazon S3 now supports cross-account access points. S3 bucket owners can now allow trusted AWS accounts to create access points associated with their bucket.
    * api-change:``sagemaker-geospatial``: [``botocore``] This release provides Amazon SageMaker geospatial APIs to build, train, deploy and visualize geospatial models.
    * api-change:``sagemaker``: [``botocore``] Added Models as part of the Search API. Added Model shadow deployments in realtime inference, and shadow testing in managed inference. Added support for shared spaces, geospatial APIs, Model Cards, AutoMLJobStep in pipelines, Git repositories on user profiles and domains, Model sharing in Jumpstart.
    

    1.26.19

    =======
    
    * api-change:``ec2``: [``botocore``] This release adds support for AWS Verified Access and the Hpc6id Amazon EC2 compute optimized instance type, which features 3rd generation Intel Xeon Scalable processors.
    * api-change:``firehose``: [``botocore``] Allow support for the Serverless offering for Amazon OpenSearch Service as a Kinesis Data Firehose delivery destination.
    * api-change:``kms``: [``botocore``] AWS KMS introduces the External Key Store (XKS), a new feature for customers who want to protect their data with encryption keys stored in an external key management system under their control.
    * api-change:``omics``: [``botocore``] Amazon Omics is a new, purpose-built service that can be used by healthcare and life science organizations to store, query, and analyze omics data. The insights from that data can be used to accelerate scientific discoveries and improve healthcare.
    * api-change:``opensearchserverless``: [``botocore``] Publish SDK for Amazon OpenSearch Serverless
    * api-change:``securitylake``: [``botocore``] Amazon Security Lake automatically centralizes security data from cloud, on-premises, and custom sources into a purpose-built data lake stored in your account. Security Lake makes it easier to analyze security data, so you can improve the protection of your workloads, applications, and data
    * api-change:``simspaceweaver``: [``botocore``] AWS SimSpace Weaver is a new service that helps customers build spatial simulations at new levels of scale - resulting in virtual worlds with millions of dynamic entities. See the AWS SimSpace Weaver developer guide for more details on how to get started. https://docs.aws.amazon.com/simspaceweaver
    

    1.26.18

    =======
    
    * api-change:``arc-zonal-shift``: [``botocore``] Amazon Route 53 Application Recovery Controller Zonal Shift is a new service that makes it easy to shift traffic away from an Availability Zone in a Region. See the developer guide for more information: https://docs.aws.amazon.com/r53recovery/latest/dg/what-is-route53-recovery.html
    * api-change:``compute-optimizer``: [``botocore``] Adds support for a new recommendation preference that makes it possible for customers to optimize their EC2 recommendations by utilizing an external metrics ingestion service to provide metrics.
    * api-change:``config``: [``botocore``] With this release, you can use AWS Config to evaluate your resources for compliance with Config rules before they are created or updated. Using Config rules in proactive mode enables you to test and build compliant resource templates or check resource configurations at the time they are provisioned.
    * api-change:``ec2``: [``botocore``] Introduces ENA Express, which uses AWS SRD and dynamic routing to increase throughput and minimize latency, adds support for trust relationships between Reachability Analyzer and AWS Organizations to enable cross-account analysis, and adds support for Infrastructure Performance metric subscriptions.
    * api-change:``eks``: [``botocore``] Adds support for additional EKS add-ons metadata and filtering fields
    * api-change:``fsx``: [``botocore``] This release adds support for 4GB/s / 160K PIOPS FSx for ONTAP file systems and 10GB/s / 350K PIOPS FSx for OpenZFS file systems (Single_AZ_2). For FSx for ONTAP, this also adds support for DP volumes, snapshot policy, copy tags to backups, and Multi-AZ route table updates.
    * api-change:``glue``: [``botocore``] This release allows the creation of Custom Visual Transforms (Dynamic Transforms) to be created via AWS Glue CLI/SDK.
    * api-change:``inspector2``: [``botocore``] This release adds support for Inspector to scan AWS Lambda.
    * api-change:``lambda``: [``botocore``] Adds support for Lambda SnapStart, which helps improve the startup performance of functions. Customers can now manage SnapStart based functions via CreateFunction and UpdateFunctionConfiguration APIs
    * api-change:``license-manager-user-subscriptions``: [``botocore``] AWS now offers fully-compliant, Amazon-provided licenses for Microsoft Office Professional Plus 2021 Amazon Machine Images (AMIs) on Amazon EC2. These AMIs are now available on the Amazon EC2 console and on AWS Marketplace to launch instances on-demand without any long-term licensing commitments.
    * api-change:``macie2``: [``botocore``] Added support for configuring Macie to continually sample objects from S3 buckets and inspect them for sensitive data. Results appear in statistics, findings, and other data that Macie provides.
    * api-change:``quicksight``: [``botocore``] This release adds new Describe APIs and updates Create and Update APIs to support the data model for Dashboards, Analyses, and Templates.
    * api-change:``s3control``: [``botocore``] Added two new APIs to support Amazon S3 Multi-Region Access Point failover controls: GetMultiRegionAccessPointRoutes and SubmitMultiRegionAccessPointRoutes. The failover control APIs are supported in the following Regions: us-east-1, us-west-2, eu-west-1, ap-southeast-2, and ap-northeast-1.
    * api-change:``securityhub``: [``botocore``] Adding StandardsManagedBy field to DescribeStandards API response
    

    1.26.17

    =======
    
    * bugfix:dynamodb: Fixes duplicate serialization issue in DynamoDB BatchWriter
    * api-change:``backup``: [``botocore``] AWS Backup introduces support for legal hold and application stack backups. AWS Backup Audit Manager introduces support for cross-Region, cross-account reports.
    * api-change:``cloudwatch``: [``botocore``] Update cloudwatch client to latest version
    * api-change:``drs``: [``botocore``] Non breaking changes to existing APIs, and additional APIs added to support in-AWS failing back using AWS Elastic Disaster Recovery.
    * api-change:``ecs``: [``botocore``] This release adds support for ECS Service Connect, a new capability that simplifies writing and operating resilient distributed applications. This release updates the TaskDefinition, Cluster, Service mutation APIs with Service connect constructs and also adds a new ListServicesByNamespace API.
    * api-change:``efs``: [``botocore``] Update efs client to latest version
    * api-change:``iot-data``: [``botocore``] This release adds support for MQTT5 properties to AWS IoT HTTP Publish API.
    * api-change:``iot``: [``botocore``] Job scheduling enables the scheduled rollout of a Job with start and end times and a customizable end behavior when end time is reached. This is available for continuous and snapshot jobs. Added support for MQTT5 properties to AWS IoT TopicRule Republish Action.
    * api-change:``iotwireless``: [``botocore``] This release includes a new feature for customers to calculate the position of their devices by adding three new APIs: UpdateResourcePosition, GetResourcePosition, and GetPositionEstimate.
    * api-change:``kendra``: [``botocore``] Amazon Kendra now supports preview of table information from HTML tables in the search results. The most relevant cells with their corresponding rows, columns are displayed as a preview in the search result. The most relevant table cell or cells are also highlighted in table preview.
    * api-change:``logs``: [``botocore``] Updates to support CloudWatch Logs data protection and CloudWatch cross-account observability
    * api-change:``mgn``: [``botocore``] This release adds support for Application and Wave management. We also now support custom post-launch actions.
    * api-change:``oam``: [``botocore``] Amazon CloudWatch Observability Access Manager is a new service that allows configuration of the CloudWatch cross-account observability feature.
    * api-change:``organizations``: [``botocore``] This release introduces delegated administrator for AWS Organizations, a new feature to help you delegate the management of your Organizations policies, enabling you to govern your AWS organization in a decentralized way. You can now allow member accounts to manage Organizations policies.
    * api-change:``rds``: [``botocore``] This release enables new Aurora and RDS feature called Blue/Green Deployments that makes updates to databases safer, simpler and faster.
    * api-change:``textract``: [``botocore``] This release adds support for classifying and splitting lending documents by type, and extracting information by using the Analyze Lending APIs. This release also includes support for summarized information of the processed lending document package, in addition to per document results.
    * api-change:``transcribe``: [``botocore``] This release adds support for &#x27;inputType&#x27; for post-call and real-time (streaming) Call Analytics within Amazon Transcribe.
    

    1.26.16

    =======
    
    * api-change:``grafana``: [``botocore``] This release includes support for configuring a Grafana workspace to connect to a datasource within a VPC as well as new APIs for configuring Grafana settings.
    * api-change:``rbin``: [``botocore``] This release adds support for Rule Lock for Recycle Bin, which allows you to lock retention rules so that they can no longer be modified or deleted.
    

    1.26.15

    =======
    
    * bugfix:Endpoints: [``botocore``] Resolve endpoint with default partition when no region is set
    * bugfix:s3: [``botocore``] fixes missing x-amz-content-sha256 header for s3 object lambda
    * api-change:``appflow``: [``botocore``] Adding support for Amazon AppFlow to transfer the data to Amazon Redshift databases through Amazon Redshift Data API service. This feature will support the Redshift destination connector on both public and private accessible Amazon Redshift Clusters and Amazon Redshift Serverless.
    * api-change:``kinesisanalyticsv2``: [``botocore``] Support for Apache Flink 1.15 in Kinesis Data Analytics.
    

    1.26.14

    =======
    
    * api-change:``route53``: [``botocore``] Amazon Route 53 now supports the Asia Pacific (Hyderabad) Region (ap-south-2) for latency records, geoproximity records, and private DNS for Amazon VPCs in that region.
    

    1.26.13

    =======
    
    * api-change:``appflow``: [``botocore``] AppFlow provides a new API called UpdateConnectorRegistration to update a custom connector that customers have previously registered. With this API, customers no longer need to unregister and then register a connector to make an update.
    * api-change:``auditmanager``: [``botocore``] This release introduces a new feature for Audit Manager: Evidence finder. You can now use evidence finder to quickly query your evidence, and add the matching evidence results to an assessment report.
    * api-change:``chime-sdk-voice``: [``botocore``] Amazon Chime Voice Connector, Voice Connector Group and PSTN Audio Service APIs are now available in the Amazon Chime SDK Voice namespace. See https://docs.aws.amazon.com/chime-sdk/latest/dg/sdk-available-regions.html for more details.
    * api-change:``cloudfront``: [``botocore``] CloudFront API support for staging distributions and associated traffic management policies.
    * api-change:``connect``: [``botocore``] Added AllowedAccessControlTags and TagRestrictedResource for Tag Based Access Control on Amazon Connect Webpage
    * api-change:``dynamodb``: [``botocore``] Updated minor fixes for DynamoDB documentation.
    * api-change:``dynamodbstreams``: [``botocore``] Update dynamodbstreams client to latest version
    * api-change:``ec2``: [``botocore``] This release adds support for copying an Amazon Machine Image&#x27;s tags when copying an AMI.
    * api-change:``glue``: [``botocore``] AWSGlue Crawler - Adding support for Table and Column level Comments with database level datatypes for JDBC based crawler.
    * api-change:``iot-roborunner``: [``botocore``] AWS IoT RoboRunner is a new service that makes it easy to build applications that help multi-vendor robots work together seamlessly. See the IoT RoboRunner developer guide for more details on getting started. https://docs.aws.amazon.com/iotroborunner/latest/dev/iotroborunner-welcome.html
    * api-change:``quicksight``: [``botocore``] This release adds the following: 1) Asset management for centralized assets governance 2) QuickSight Q now supports public embedding 3) New Termination protection flag to mitigate accidental deletes 4) Athena data sources now accept a custom IAM role 5) QuickSight supports connectivity to Databricks
    * api-change:``sagemaker``: [``botocore``] Added DisableProfiler flag as a new field in ProfilerConfig
    * api-change:``servicecatalog``: [``botocore``] This release 1. adds support for Principal Name Sharing with Service Catalog portfolio sharing. 2. Introduces repo sourced products which are created and managed with existing SC APIs. These products are synced to external repos and auto create new product versions based on changes in the repo.
    * api-change:``ssm-sap``: [``botocore``] AWS Systems Manager for SAP provides simplified operations and management of SAP applications such as SAP HANA. With this release, SAP customers and partners can automate and simplify their SAP system administration tasks such as backup/restore of SAP HANA.
    * api-change:``stepfunctions``: [``botocore``] Update stepfunctions client to latest version
    * api-change:``transfer``: [``botocore``] Adds a NONE encryption algorithm type to AS2 connectors, providing support for skipping encryption of the AS2 message body when a HTTPS URL is also specified.
    

    1.26.12

    =======
    
    * api-change:``amplify``: [``botocore``] Adds a new value (WEB_COMPUTE) to the Platform enum that allows customers to create Amplify Apps with Server-Side Rendering support.
    * api-change:``appflow``: [``botocore``] AppFlow simplifies the preparation and cataloging of SaaS data into the AWS Glue Data Catalog where your data can be discovered and accessed by AWS analytics and ML services. AppFlow now also supports data field partitioning and file size optimization to improve query performance and reduce cost.
    * api-change:``appsync``: [``botocore``] This release introduces the APPSYNC_JS runtime, and adds support for JavaScript in AppSync functions and AppSync pipeline resolvers.
    * api-change:``dms``: [``botocore``] Adds support for Internet Protocol Version 6 (IPv6) on DMS Replication Instances
    * api-change:``ec2``: [``botocore``] This release adds a new optional parameter &quot;privateIpAddress&quot; for the CreateNatGateway API. PrivateIPAddress will allow customers to select a custom Private IPv4 address instead of having it be auto-assigned.
    * api-change:``elbv2``: [``botocore``] Update elbv2 client to latest version
    * api-change:``emr-serverless``: [``botocore``] Adds support for AWS Graviton2 based applications. You can now select CPU architecture when creating new applications or updating existing ones.
    * api-change:``ivschat``: [``botocore``] Adds LoggingConfiguration APIs for IVS Chat - a feature that allows customers to store and record sent messages in a chat room to S3 buckets, CloudWatch logs, or Kinesis firehose.
    * api-change:``lambda``: [``botocore``] Add Node 18 (nodejs18.x) support to AWS Lambda.
    * api-change:``personalize``: [``botocore``] This release provides support for creation and use of metric attributions in AWS Personalize
    * api-change:``polly``: [``botocore``] Add two new neural voices - Ola (pl-PL) and Hala (ar-AE).
    * api-change:``rum``: [``botocore``] CloudWatch RUM now supports custom events. To use custom events, create an app monitor or update an app monitor with CustomEvent Status as ENABLED.
    * api-change:``s3control``: [``botocore``] Added 34 new S3 Storage Lens metrics to support additional customer use cases.
    * api-change:``secretsmanager``: [``botocore``] Documentation updates for Secrets Manager.
    * api-change:``securityhub``: [``botocore``] Added SourceLayerArn and SourceLayerHash field for security findings.  Updated AwsLambdaFunction Resource detail
    * api-change:``servicecatalog-appregistry``: [``botocore``] This release adds support for tagged resource associations, which allows you to associate a group of resources with a defined resource tag key and value to the application.
    * api-change:``sts``: [``botocore``] Documentation updates for AWS Security Token Service.
    * api-change:``textract``: [``botocore``] This release adds support for specifying and extracting information from documents using the Signatures feature within Analyze Document API
    * api-change:``workspaces``: [``botocore``] The release introduces CreateStandbyWorkspaces, an API that allows you to create standby WorkSpaces associated with a primary WorkSpace in another Region. DescribeWorkspaces now includes related WorkSpaces properties. DescribeWorkspaceBundles and CreateWorkspaceBundle now return more bundle details.
    

    1.26.11

    =======
    
    * api-change:``batch``: [``botocore``] Documentation updates related to Batch on EKS
    * api-change:``billingconductor``: [``botocore``] This release adds a new feature BillingEntity pricing rule.
    * api-change:``cloudformation``: [``botocore``] Added UnsupportedTarget HandlerErrorCode for use with CFN Resource Hooks
    * api-change:``comprehendmedical``: [``botocore``] This release supports new set of entities and traits. It also adds new category (BEHAVIORAL_ENVIRONMENTAL_SOCIAL).
    * api-change:``connect``: [``botocore``] This release adds a new MonitorContact API for initiating monitoring of ongoing Voice and Chat contacts.
    * api-change:``eks``: [``botocore``] Adds support for customer-provided placement groups for Kubernetes control plane instances when creating local EKS clusters on Outposts
    * api-change:``elasticache``: [``botocore``] for Redis now supports AWS Identity and Access Management authentication access to Redis clusters starting with redis-engine version 7.0
    * api-change:``iottwinmaker``: [``botocore``] This release adds the following: 1) ExecuteQuery API allows users to query their AWS IoT TwinMaker Knowledge Graph 2) Pricing plan APIs allow users to configure and manage their pricing mode 3) Support for property groups and tabular property values in existing AWS IoT TwinMaker APIs.
    * api-change:``personalize-events``: [``botocore``] This release provides support for creation and use of metric attributions in AWS Personalize
    * api-change:``proton``: [``botocore``] Add support for sorting and filtering in ListServiceInstances
    * api-change:``rds``: [``botocore``] This release adds support for container databases (CDBs) to Amazon RDS Custom for Oracle. A CDB contains one PDB at creation. You can add more PDBs using Oracle SQL. You can also customize your database installation by setting the Oracle base, Oracle home, and the OS user name and group.
    * api-change:``ssm-incidents``: [``botocore``] Add support for PagerDuty integrations on ResponsePlan, IncidentRecord, and RelatedItem APIs
    * api-change:``ssm``: [``botocore``] This release adds support for cross account access in CreateOpsItem, UpdateOpsItem and GetOpsItem. It introduces new APIs to setup resource policies for SSM resources: PutResourcePolicy, GetResourcePolicies and DeleteResourcePolicy.
    * api-change:``transfer``: [``botocore``] Allow additional operations to throw ThrottlingException
    * api-change:``xray``: [``botocore``] This release adds new APIs - PutResourcePolicy, DeleteResourcePolicy, ListResourcePolicies for supporting resource based policies for AWS X-Ray.
    

    1.26.10

    =======
    
    * bugfix:s3: [``botocore``] fixes missing x-amz-content-sha256 header for s3 on outpost
    * enhancement:sso: [``botocore``] Add support for loading sso-session profiles from the aws config
    * api-change:``connect``: [``botocore``] This release updates the APIs: UpdateInstanceAttribute, DescribeInstanceAttribute, and ListInstanceAttributes. You can use it to programmatically enable/disable enhanced contact monitoring using attribute type ENHANCED_CONTACT_MONITORING on the specified Amazon Connect instance.
    * api-change:``greengrassv2``: [``botocore``] Adds new parent target ARN paramater to CreateDeployment, GetDeployment, and ListDeployments APIs for the new subdeployments feature.
    * api-change:``route53``: [``botocore``] Amazon Route 53 now supports the Europe (Spain) Region (eu-south-2) for latency records, geoproximity records, and private DNS for Amazon VPCs in that region.
    * api-change:``ssmsap``: [``botocore``] AWS Systems Manager for SAP provides simplified operations and management of SAP applications such as SAP HANA. With this release, SAP customers and partners can automate and simplify their SAP system administration tasks such as backup/restore of SAP HANA.
    * api-change:``workspaces``: [``botocore``] This release introduces ModifyCertificateBasedAuthProperties, a new API that allows control of certificate-based auth properties associated with a WorkSpaces directory. The DescribeWorkspaceDirectories API will now additionally return certificate-based auth properties in its responses.
    

    1.26.9

    ======
    
    * api-change:``customer-profiles``: [``botocore``] This release enhances the SearchProfiles API by providing functionality to search for profiles using multiple keys and logical operators.
    * api-change:``lakeformation``: [``botocore``] This release adds a new parameter &quot;Parameters&quot; in the DataLakeSettings.
    * api-change:``managedblockchain``: [``botocore``] Updating the API docs data type: NetworkEthereumAttributes, and the operations DeleteNode, and CreateNode to also include the supported Goerli network.
    * api-change:``proton``: [``botocore``] Add support for CodeBuild Provisioning
    * api-change:``rds``: [``botocore``] This release adds support for restoring an RDS Multi-AZ DB cluster snapshot to a Single-AZ deployment or a Multi-AZ DB instance deployment.
    * api-change:``workdocs``: [``botocore``] Added 2 new document related operations, DeleteDocumentVersion and RestoreDocumentVersions.
    * api-change:``xray``: [``botocore``] This release enhances GetServiceGraph API to support new type of edge to represent links between SQS and Lambda in event-driven applications.
    

    1.26.8

    ======
    
    * api-change:``glue``: [``botocore``] Added links related to enabling job bookmarks.
    * api-change:``iot``: [``botocore``] This release add new api listRelatedResourcesForAuditFinding and new member type IssuerCertificates for Iot device device defender Audit.
    * api-change:``license-manager``: [``botocore``] AWS License Manager now supports onboarded Management Accounts or Delegated Admins to view granted licenses aggregated from all accounts in the organization.
    * api-change:``marketplace-catalog``: [``botocore``] Added three new APIs to support tagging and tag-based authorization: TagResource, UntagResource, and ListTagsForResource. Added optional parameters to the StartChangeSet API to support tagging a resource while making a request to create it.
    * api-change:``rekognition``: [``botocore``] Adding support for ImageProperties feature to detect dominant colors and image brightness, sharpness, and contrast, inclusion and exclusion filters for labels and label categories, new fields to the API response, &quot;aliases&quot; and &quot;categories&quot;
    * api-change:``securityhub``: [``botocore``] Documentation updates for Security Hub
    * api-change:``ssm-incidents``: [``botocore``] RelatedItems now have an ID field which can be used for referencing them else where. Introducing event references in TimelineEvent API and increasing maximum length of &quot;eventData&quot; to 12K characters.
    

    1.26.7

    ======
    
    * api-change:``autoscaling``: [``botocore``] This release adds a new price capacity optimized allocation strategy for Spot Instances to help customers optimize provisioning of Spot Instances via EC2 Auto Scaling, EC2 Fleet, and Spot Fleet. It allocates Spot Instances based on both spare capacity availability and Spot Instance price.
    * api-change:``ec2``: [``botocore``] This release adds a new price capacity optimized allocation strategy for Spot Instances to help customers optimize provisioning of Spot Instances via EC2 Auto Scaling, EC2 Fleet, and Spot Fleet. It allocates Spot Instances based on both spare capacity availability and Spot Instance price.
    * api-change:``ecs``: [``botocore``] This release adds support for task scale-in protection with updateTaskProtection and getTaskProtection APIs. UpdateTaskProtection API can be used to protect a service managed task from being terminated by scale-in events and getTaskProtection API to get the scale-in protection status of a task.
    * api-change:``es``: [``botocore``] Amazon OpenSearch Service now offers managed VPC endpoints to connect to your Amazon OpenSearch Service VPC-enabled domain in a Virtual Private Cloud (VPC). This feature allows you to privately access OpenSearch Service domain without using public IPs or requiring traffic to traverse the Internet.
    * api-change:``resource-explorer-2``: [``botocore``] Text only updates to some Resource Explorer descriptions.
    * api-change:``scheduler``: [``botocore``] AWS introduces the new Amazon EventBridge Scheduler. EventBridge Scheduler is a serverless scheduler that allows you to create, run, and manage tasks from one central, managed service.
    

    1.26.6

    ======
    
    * api-change:``connect``: [``botocore``] This release adds new fields SignInUrl, UserArn, and UserId to GetFederationToken response payload.
    * api-change:``connectcases``: [``botocore``] This release adds the ability to disable templates through the UpdateTemplate API. Disabling templates prevents customers from creating cases using the template. For more information see https://docs.aws.amazon.com/cases/latest/APIReference/Welcome.html
    * api-change:``ec2``: [``botocore``] Amazon EC2 Trn1 instances, powered by AWS Trainium chips, are purpose built for high-performance deep learning training. u-24tb1.112xlarge and u-18tb1.112xlarge High Memory instances are purpose-built to run large in-memory databases.
    * api-change:``groundstation``: [``botocore``] This release adds the preview of customer-provided ephemeris support for AWS Ground Station, allowing space vehicle owners to provide their own position and trajectory information for a satellite.
    * api-change:``mediapackage-vod``: [``botocore``] This release adds &quot;IncludeIframeOnlyStream&quot; for Dash endpoints.
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.5

    ======
    
    * api-change:``acm``: [``botocore``] Support added for requesting elliptic curve certificate key algorithm types P-256 (EC_prime256v1) and P-384 (EC_secp384r1).
    * api-change:``billingconductor``: [``botocore``] This release adds the Recurring Custom Line Item feature along with a new API ListCustomLineItemVersions.
    * api-change:``ec2``: [``botocore``] This release enables sharing of EC2 Placement Groups across accounts and within AWS Organizations using Resource Access Manager
    * api-change:``fms``: [``botocore``] AWS Firewall Manager now supports importing existing AWS Network Firewall firewalls into Firewall Manager policies.
    * api-change:``lightsail``: [``botocore``] This release adds support for Amazon Lightsail to automate the delegation of domains registered through Amazon Route 53 to Lightsail DNS management and to automate record creation for DNS validation of Lightsail SSL/TLS certificates.
    * api-change:``opensearch``: [``botocore``] Amazon OpenSearch Service now offers managed VPC endpoints to connect to your Amazon OpenSearch Service VPC-enabled domain in a Virtual Private Cloud (VPC). This feature allows you to privately access OpenSearch Service domain without using public IPs or requiring traffic to traverse the Internet.
    * api-change:``polly``: [``botocore``] Amazon Polly adds new voices: Elin (sv-SE), Ida (nb-NO), Laura (nl-NL) and Suvi (fi-FI). They are available as neural voices only.
    * api-change:``resource-explorer-2``: [``botocore``] This is the initial SDK release for AWS Resource Explorer. AWS Resource Explorer lets your users search for and discover your AWS resources across the AWS Regions in your account.
    * api-change:``route53``: [``botocore``] Amazon Route 53 now supports the Europe (Zurich) Region (eu-central-2) for latency records, geoproximity records, and private DNS for Amazon VPCs in that region.
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.4

    ======
    
    * api-change:``athena``: [``botocore``] Adds support for using Query Result Reuse
    * api-change:``autoscaling``: [``botocore``] This release adds support for two new attributes for attribute-based instance type selection - NetworkBandwidthGbps and AllowedInstanceTypes.
    * api-change:``cloudtrail``: [``botocore``] This release includes support for configuring a delegated administrator to manage an AWS Organizations organization CloudTrail trails and event data stores, and AWS Key Management Service encryption of CloudTrail Lake event data stores.
    * api-change:``ec2``: [``botocore``] This release adds support for two new attributes for attribute-based instance type selection - NetworkBandwidthGbps and AllowedInstanceTypes.
    * api-change:``elasticache``: [``botocore``] Added support for IPv6 and dual stack for Memcached and Redis clusters. Customers can now launch new Redis and Memcached clusters with IPv6 and dual stack networking support.
    * api-change:``lexv2-models``: [``botocore``] Update lexv2-models client to latest version
    * api-change:``mediaconvert``: [``botocore``] The AWS Elemental MediaConvert SDK has added support for setting the SDR reference white point for HDR conversions and conversion of HDR10 to DolbyVision without mastering metadata.
    * api-change:``ssm``: [``botocore``] This release includes support for applying a CloudWatch alarm to multi account multi region Systems Manager Automation
    * api-change:``wafv2``: [``botocore``] The geo match statement now adds labels for country and region. You can match requests at the region level by combining a geo match statement with label match statements.
    * api-change:``wellarchitected``: [``botocore``] This release adds support for integrations with AWS Trusted Advisor and AWS Service Catalog AppRegistry to improve workload discovery and speed up your workload reviews.
    * api-change:``workspaces``: [``botocore``] This release adds protocols attribute to workspaces properties data type. This enables customers to migrate workspaces from PC over IP (PCoIP) to WorkSpaces Streaming Protocol (WSP) using create and modify workspaces public APIs.
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.3

    ======
    
    * api-change:``ec2``: [``botocore``] This release adds API support for the recipient of an AMI account share to remove shared AMI launch permissions.
    * api-change:``emr-containers``: [``botocore``] Adding support for Job templates. Job templates allow you to create and store templates to configure Spark applications parameters. This helps you ensure consistent settings across applications by reusing and enforcing configuration overrides in data pipelines.
    * api-change:``logs``: [``botocore``] Doc-only update for bug fixes and support of export to buckets encrypted with SSE-KMS
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.2

    ======
    
    * api-change:``memorydb``: [``botocore``] Adding support for r6gd instances for MemoryDB Redis with data tiering. In a cluster with data tiering enabled, when available memory capacity is exhausted, the least recently used data is automatically tiered to solid state drives for cost-effective capacity scaling with minimal performance impact.
    * api-change:``sagemaker``: [``botocore``] Amazon SageMaker now supports running training jobs on ml.trn1 instance types.
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.1

    ======
    
    * api-change:``iotsitewise``: [``botocore``] This release adds the ListAssetModelProperties and ListAssetProperties APIs. You can list all properties that belong to a single asset model or asset using these two new APIs.
    * api-change:``s3control``: [``botocore``] S3 on Outposts launches support for Lifecycle configuration for Outposts buckets. With S3 Lifecycle configuration, you can mange objects so they are stored cost effectively. You can manage objects using size-based rules and specify how many noncurrent versions bucket will retain.
    * api-change:``sagemaker``: [``botocore``] This release updates Framework model regex for ModelPackage to support new Framework version xgboost, sklearn.
    * api-change:``ssm-incidents``: [``botocore``] Adds support for tagging replication-set on creation.
    

    1.26.0

    ======
    
    * feature:Endpoints: [``botocore``] Migrate all services to use new AWS Endpoint Resolution framework
    * Enhancement:Endpoints: [``botocore``] Discontinued use of `sslCommonName` hosts as detailed in 1.27.0 (see `2705 &lt;https://github.com/boto/botocore/issues/2705&gt;`__ for more info)
    * api-change:``rds``: [``botocore``] Relational Database Service - This release adds support for configuring Storage Throughput on RDS database instances.
    * api-change:``textract``: [``botocore``] Add ocr results in AnalyzeIDResponse as blocks
    

    1.25.5

    ======
    
    * api-change:``apprunner``: [``botocore``] This release adds support for private App Runner services. Services may now be configured to be made private and only accessible from a VPC. The changes include a new VpcIngressConnection resource and several new and modified APIs.
    * api-change:``connect``: [``botocore``] Amazon connect now support a new API DismissUserContact to dismiss or remove terminated contacts in Agent CCP
    * api-change:``ec2``: [``botocore``] Elastic IP transfer is a new Amazon VPC feature that allows you to transfer your Elastic IP addresses from one AWS Account to another.
    * api-change:``iot``: [``botocore``] This release adds the Amazon Location action to IoT Rules Engine.
    * api-change:``logs``: [``botocore``] SDK release to support tagging for destinations and log groups with TagResource. Also supports tag on create with PutDestination.
    * api-change:``sesv2``: [``botocore``] This release includes support for interacting with the Virtual Deliverability Manager, allowing you to opt in/out of the feature and to retrieve recommendations and metric data.
    * api-change:``textract``: [``botocore``] This release introduces additional support for 30+ normalized fields such as vendor address and currency. It also includes OCR output in the response and accuracy improvements for the already supported fields in previous version
    

    1.25.4

    ======
    
    * api-change:``apprunner``: [``botocore``] AWS App Runner adds .NET 6, Go 1, PHP 8.1 and Ruby 3.1 runtimes.
    * api-change:``appstream``: [``botocore``] This release includes CertificateBasedAuthProperties in CreateDirectoryConfig and UpdateDirectoryConfig.
    * api-change:``cloud9``: [``botocore``] Update to the documentation section of the Cloud9 API Reference guide.
    * api-change:``cloudformation``: [``botocore``] This release adds more fields to improves visibility of AWS CloudFormation StackSets information in following APIs: ListStackInstances, DescribeStackInstance, ListStackSetOperationResults, ListStackSetOperations, DescribeStackSetOperation.
    * api-change:``gamesparks``: [``botocore``] Add LATEST as a possible GameSDK Version on snapshot
    * api-change:``mediatailor``: [``botocore``] This release introduces support for SCTE-35 segmentation descriptor messages which can be sent within time signal messages.
    

    1.25.3

    ======
    
    * api-change:``ec2``: [``botocore``] Feature supports the replacement of instance root volume using an updated AMI without requiring customers to stop their instance.
    * api-change:``fms``: [``botocore``] Add support NetworkFirewall Managed Rule Group Override flag in GetViolationDetails API
    * api-change:``glue``: [``botocore``] Added support for custom datatypes when using custom csv classifier.
    * api-change:``redshift``: [``botocore``] This release clarifies use for the ElasticIp parameter of the CreateCluster and RestoreFromClusterSnapshot APIs.
    * api-change:``sagemaker``: [``botocore``] This change allows customers to provide a custom entrypoint script for the docker container to be run while executing training jobs, and provide custom arguments to the entrypoint script.
    * api-change:``wafv2``: [``botocore``] This release adds the following: Challenge rule action, to silently verify client browsers; rule group rule action override to any valid rule action, not just Count; token sharing between protected applications for challenge/CAPTCHA token; targeted rules option for Bot Control managed rule group.
    

    1.25.2

    ======
    
    * api-change:``iam``: [``botocore``] Doc only update that corrects instances of CLI not using an entity.
    * api-change:``kafka``: [``botocore``] This release adds support for Tiered Storage. UpdateStorage allows you to control the Storage Mode for supported storage tiers.
    * api-change:``neptune``: [``botocore``] Added a new cluster-level attribute to set the capacity range for Neptune Serverless instances.
    * api-change:``sagemaker``: [``botocore``] Amazon SageMaker Automatic Model Tuning now supports specifying Grid Search strategy for tuning jobs, which evaluates all hyperparameter combinations exhaustively based on the categorical hyperparameters provided.
    

    1.25.1

    ======
    
    * api-change:``accessanalyzer``: [``botocore``] This release adds support for six new resource types in IAM Access Analyzer to help you easily identify public and cross-account access to your AWS resources. Updated service API, documentation, and paginators.
    * api-change:``location``: [``botocore``] Added new map styles with satellite imagery for map resources using HERE as a data provider.
    * api-change:``mediatailor``: [``botocore``] This release is a documentation update
    * api-change:``rds``: [``botocore``] Relational Database Service - This release adds support for exporting DB cluster data to Amazon S3.
    * api-change:``workspaces``: [``botocore``] This release adds new enums for supporting Workspaces Core features, including creating Manual running mode workspaces, importing regular Workspaces Core images and importing g4dn Workspaces Core images.
    

    1.25.0

    ======
    
    * feature:Endpoints: [``botocore``] Implemented new endpoint ruleset system to dynamically derive endpoints and settings for services
    * api-change:``acm-pca``: [``botocore``] AWS Private Certificate Authority (AWS Private CA) now offers usage modes which are combination of features to address specific use cases.
    * api-change:``batch``: [``botocore``] This release adds support for AWS Batch on Amazon EKS.
    * api-change:``datasync``: [``botocore``] Added support for self-signed certificates when using object storage locations; added BytesCompressed to the TaskExecution response.
    * api-change:``sagemaker``: [``botocore``] SageMaker Inference Recommender now supports a new API ListInferenceRecommendationJobSteps to return the details of all the benchmark we create for an inference recommendation job.
    

    1.24.96

    =======
    
    * api-change:``cognito-idp``: [``botocore``] This release adds a new &quot;DeletionProtection&quot; field to the UserPool in Cognito. Application admins can configure this value with either ACTIVE or INACTIVE value. Setting this field to ACTIVE will prevent a user pool from accidental deletion.
    * api-change:``sagemaker``: [``botocore``] CreateInferenceRecommenderjob API now supports passing endpoint details directly, that will help customers to identify the max invocation and max latency they can achieve for their model and the associated endpoint along with getting recommendations on oth
    opened by pyup-bot 1
  • Update boto3 to 1.26.36

    Update boto3 to 1.26.36

    This PR updates boto3 from 1.9.182 to 1.26.36.

    Changelog

    1.26.36

    =======
    
    * api-change:``compute-optimizer``: [``botocore``] This release enables AWS Compute Optimizer to analyze and generate optimization recommendations for ecs services running on Fargate.
    * api-change:``connect``: [``botocore``] Amazon Connect Chat introduces the Idle Participant/Autodisconnect feature, which allows users to set timeouts relating to the activity of chat participants, using the new UpdateParticipantRoleConfig API.
    * api-change:``iotdeviceadvisor``: [``botocore``] This release adds the following new features: 1) Documentation updates for IoT Device Advisor APIs. 2) Updated required request parameters for IoT Device Advisor APIs. 3) Added new service feature: ability to provide the test endpoint when customer executing the StartSuiteRun API.
    * api-change:``kinesis-video-webrtc-storage``: [``botocore``] Amazon Kinesis Video Streams offers capabilities to stream video and audio in real-time via WebRTC to the cloud for storage, playback, and analytical processing. Customers can use our enhanced WebRTC SDK and cloud APIs to enable real-time streaming, as well as media ingestion to the cloud.
    * api-change:``rds``: [``botocore``] Add support for managing master user password in AWS Secrets Manager for the DBInstance and DBCluster.
    * api-change:``secretsmanager``: [``botocore``] Documentation updates for Secrets Manager
    

    1.26.35

    =======
    
    * api-change:``connect``: [``botocore``] Amazon Connect Chat now allows for JSON (application/json) message types to be sent as part of the initial message in the StartChatContact API.
    * api-change:``connectparticipant``: [``botocore``] Amazon Connect Chat now allows for JSON (application/json) message types to be sent in the SendMessage API.
    * api-change:``license-manager-linux-subscriptions``: [``botocore``] AWS License Manager now offers cross-region, cross-account tracking of commercial Linux subscriptions on AWS. This includes subscriptions purchased as part of EC2 subscription-included AMIs, on the AWS Marketplace, or brought to AWS via Red Hat Cloud Access Program.
    * api-change:``macie2``: [``botocore``] This release adds support for analyzing Amazon S3 objects that use the S3 Glacier Instant Retrieval (Glacier_IR) storage class.
    * api-change:``sagemaker``: [``botocore``] This release enables adding RStudio Workbench support to an existing Amazon SageMaker Studio domain. It allows setting your RStudio on SageMaker environment configuration parameters and also updating the RStudioConnectUrl and RStudioPackageManagerUrl parameters for existing domains
    * api-change:``scheduler``: [``botocore``] Updated the ListSchedules and ListScheduleGroups APIs to allow the NamePrefix field to start with a number. Updated the validation for executionRole field to support any role name.
    * api-change:``ssm``: [``botocore``] Doc-only updates for December 2022.
    * api-change:``support``: [``botocore``] Documentation updates for the AWS Support API
    * api-change:``transfer``: [``botocore``] This release adds support for Decrypt as a workflow step type.
    

    1.26.34

    =======
    
    * api-change:``batch``: [``botocore``] Adds isCancelled and isTerminated to DescribeJobs response.
    * api-change:``ec2``: [``botocore``] Adds support for pagination in the EC2 DescribeImages API.
    * api-change:``lookoutequipment``: [``botocore``] This release adds support for listing inference schedulers by status.
    * api-change:``medialive``: [``botocore``] This release adds support for two new features to AWS Elemental MediaLive. First, you can now burn-in timecodes to your MediaLive outputs. Second, we now now support the ability to decode Dolby E audio when it comes in on an input.
    * api-change:``nimble``: [``botocore``] Amazon Nimble Studio now supports configuring session storage volumes and persistence, as well as backup and restore sessions through launch profiles.
    * api-change:``resource-explorer-2``: [``botocore``] Documentation updates for AWS Resource Explorer.
    * api-change:``route53domains``: [``botocore``] Use Route 53 domain APIs to change owner, create/delete DS record, modify IPS tag, resend authorization. New: AssociateDelegationSignerToDomain, DisassociateDelegationSignerFromDomain, PushDomain, ResendOperationAuthorization. Updated: UpdateDomainContact, ListOperations, CheckDomainTransferability.
    * api-change:``sagemaker``: [``botocore``] Amazon SageMaker Autopilot adds support for new objective metrics in CreateAutoMLJob API.
    * api-change:``transcribe``: [``botocore``] Enable our batch transcription jobs for Swedish and Vietnamese.
    

    1.26.33

    =======
    
    * api-change:``athena``: [``botocore``] Add missed InvalidRequestException in GetCalculationExecutionCode,StopCalculationExecution APIs. Correct required parameters (Payload and Type) in UpdateNotebook API. Change Notebook size from 15 Mb to 10 Mb.
    * api-change:``ecs``: [``botocore``] This release adds support for alarm-based rollbacks in ECS, a new feature that allows customers to add automated safeguards for Amazon ECS service rolling updates.
    * api-change:``kinesis-video-webrtc-storage``: [``botocore``] Amazon Kinesis Video Streams offers capabilities to stream video and audio in real-time via WebRTC to the cloud for storage, playback, and analytical processing. Customers can use our enhanced WebRTC SDK and cloud APIs to enable real-time streaming, as well as media ingestion to the cloud.
    * api-change:``kinesisvideo``: [``botocore``] Amazon Kinesis Video Streams offers capabilities to stream video and audio in real-time via WebRTC to the cloud for storage, playback, and analytical processing. Customers can use our enhanced WebRTC SDK and cloud APIs to enable real-time streaming, as well as media ingestion to the cloud.
    * api-change:``rds``: [``botocore``] Add support for --enable-customer-owned-ip to RDS create-db-instance-read-replica API for RDS on Outposts.
    * api-change:``sagemaker``: [``botocore``] AWS Sagemaker - Sagemaker Images now supports Aliases as secondary identifiers for ImageVersions. SageMaker Images now supports additional metadata for ImageVersions for better images management.
    

    1.26.32

    =======
    
    * enhancement:s3: s3.transfer methods accept path-like objects as input
    * api-change:``appflow``: [``botocore``] This release updates the ListConnectorEntities API action so that it returns paginated responses that customers can retrieve with next tokens.
    * api-change:``cloudfront``: [``botocore``] Updated documentation for CloudFront
    * api-change:``datasync``: [``botocore``] AWS DataSync now supports the use of tags with task executions. With this new feature, you can apply tags each time you execute a task, giving you greater control and management over your task executions.
    * api-change:``efs``: [``botocore``] Update efs client to latest version
    * api-change:``guardduty``: [``botocore``] This release provides the valid characters for the Description and Name field.
    * api-change:``iotfleetwise``: [``botocore``] Updated error handling for empty resource names in &quot;UpdateSignalCatalog&quot; and &quot;GetModelManifest&quot; operations.
    * api-change:``sagemaker``: [``botocore``] AWS sagemaker - Features: This release adds support for random seed, it&#x27;s an integer value used to initialize a pseudo-random number generator. Setting a random seed will allow the hyperparameter tuning search strategies to produce more consistent configurations for the same tuning job.
    

    1.26.31

    =======
    
    * api-change:``backup-gateway``: [``botocore``] This release adds support for VMware vSphere tags, enabling customer to protect VMware virtual machines using tag-based policies for AWS tags mapped from vSphere tags. This release also adds support for customer-accessible gateway-hypervisor interaction log and upload bandwidth rate limit schedule.
    * api-change:``connect``: [``botocore``] Added support for &quot;English - New Zealand&quot; and &quot;English - South African&quot; to be used with Amazon Connect Custom Vocabulary APIs.
    * api-change:``ecs``: [``botocore``] This release adds support for container port ranges in ECS, a new capability that allows customers to provide container port ranges to simplify use cases where multiple ports are in use in a container. This release updates TaskDefinition mutation APIs and the Task description APIs.
    * api-change:``eks``: [``botocore``] Add support for Windows managed nodes groups.
    * api-change:``glue``: [``botocore``] This release adds support for AWS Glue Crawler with native DeltaLake tables, allowing Crawlers to classify Delta Lake format tables and catalog them for query engines to query against.
    * api-change:``kinesis``: [``botocore``] Added StreamARN parameter for Kinesis Data Streams APIs. Added a new opaque pagination token for ListStreams. SDKs will auto-generate Account Endpoint when accessing Kinesis Data Streams.
    * api-change:``location``: [``botocore``] This release adds support for a new style, &quot;VectorOpenDataStandardLight&quot; which can be used with the new data source, &quot;Open Data Maps (Preview)&quot;.
    * api-change:``m2``: [``botocore``] Adds an optional create-only `KmsKeyId` property to Environment and Application resources.
    * api-change:``sagemaker``: [``botocore``] SageMaker Inference Recommender now allows customers to load tests their models on various instance types using private VPC.
    * api-change:``securityhub``: [``botocore``] Added new resource details objects to ASFF, including resources for AwsEc2LaunchTemplate, AwsSageMakerNotebookInstance, AwsWafv2WebAcl and AwsWafv2RuleGroup.
    * api-change:``translate``: [``botocore``] Raised the input byte size limit of the Text field in the TranslateText API to 10000 bytes.
    

    1.26.30

    =======
    
    * api-change:``ce``: [``botocore``] This release supports percentage-based thresholds on Cost Anomaly Detection alert subscriptions.
    * api-change:``cloudwatch``: [``botocore``] Update cloudwatch client to latest version
    * api-change:``networkmanager``: [``botocore``] Appliance Mode support for AWS Cloud WAN.
    * api-change:``redshift-data``: [``botocore``] This release adds a new --client-token field to ExecuteStatement and BatchExecuteStatement operations. Customers can now run queries with the additional client token parameter to ensures idempotency.
    * api-change:``sagemaker-metrics``: [``botocore``] Update SageMaker Metrics documentation.
    

    1.26.29

    =======
    
    * api-change:``cloudtrail``: [``botocore``] Merging mainline branch for service model into mainline release branch. There are no new APIs.
    * api-change:``rds``: [``botocore``] This deployment adds ClientPasswordAuthType field to the Auth structure of the DBProxy.
    

    1.26.28

    =======
    
    * bugfix:Endpoint provider: [``botocore``] Updates ARN parsing ``resourceId`` delimiters
    * api-change:``customer-profiles``: [``botocore``] This release allows custom strings in PartyType and Gender through 2 new attributes in the CreateProfile and UpdateProfile APIs: PartyTypeString and GenderString.
    * api-change:``ec2``: [``botocore``] This release updates DescribeFpgaImages to show supported instance types of AFIs in its response.
    * api-change:``kinesisvideo``: [``botocore``] This release adds support for public preview of Kinesis Video Stream at Edge enabling customers to provide configuration for the Kinesis Video Stream EdgeAgent running on an on-premise IoT device. Customers can now locally record from cameras and stream videos to the cloud on configured schedule.
    * api-change:``lookoutvision``: [``botocore``] This documentation update adds kms:GenerateDataKey as a required permission to StartModelPackagingJob.
    * api-change:``migration-hub-refactor-spaces``: [``botocore``] This release adds support for Lambda alias service endpoints. Lambda alias ARNs can now be passed into CreateService.
    * api-change:``rds``: [``botocore``] Update the RDS API model to support copying option groups during the CopyDBSnapshot operation
    * api-change:``rekognition``: [``botocore``] Adds support for &quot;aliases&quot; and &quot;categories&quot;, inclusion and exclusion filters for labels and label categories, and aggregating labels by video segment timestamps for Stored Video Label Detection APIs.
    * api-change:``sagemaker-metrics``: [``botocore``] This release introduces support SageMaker Metrics APIs.
    * api-change:``wafv2``: [``botocore``] Documents the naming requirement for logging destinations that you use with web ACLs.
    

    1.26.27

    =======
    
    * api-change:``iotfleetwise``: [``botocore``] Deprecated assignedValue property for actuators and attributes.  Added a message to invalid nodes and invalid decoder manifest exceptions.
    * api-change:``logs``: [``botocore``] Doc-only update for CloudWatch Logs, for Tagging Permissions clarifications
    * api-change:``medialive``: [``botocore``] Link devices now support buffer size (latency) configuration. A higher latency value means a longer delay in transmitting from the device to MediaLive, but improved resiliency. A lower latency value means a shorter delay, but less resiliency.
    * api-change:``mediapackage-vod``: [``botocore``] This release provides the approximate number of assets in a packaging group.
    

    1.26.26

    =======
    
    * enhancement:Endpoint Provider Standard Library: [``botocore``] Correct spelling of &#x27;library&#x27; in ``StandardLibrary`` class
    * api-change:``autoscaling``: [``botocore``] Adds support for metric math for target tracking scaling policies, saving you the cost and effort of publishing a custom metric to CloudWatch. Also adds support for VPC Lattice by adding the Attach/Detach/DescribeTrafficSources APIs and a new health check type to the CreateAutoScalingGroup API.
    * api-change:``iottwinmaker``: [``botocore``] This release adds the following new features: 1) New APIs for managing a continuous sync of assets and asset models from AWS IoT SiteWise. 2) Support user friendly names for component types (ComponentTypeName) and properties (DisplayName).
    * api-change:``migrationhubstrategy``: [``botocore``] This release adds known application filtering, server selection for assessments, support for potential recommendations, and indications for configuration and assessment status. For more information, see the AWS Migration Hub documentation at https://docs.aws.amazon.com/migrationhub/index.html
    

    1.26.25

    =======
    
    * api-change:``ce``: [``botocore``] This release adds the LinkedAccountName field to the GetAnomalies API response under RootCause
    * api-change:``cloudfront``: [``botocore``] Introducing UpdateDistributionWithStagingConfig that can be used to promote the staging configuration to the production.
    * api-change:``eks``: [``botocore``] Adds support for EKS add-ons configurationValues fields and DescribeAddonConfiguration function
    * api-change:``kms``: [``botocore``] Updated examples and exceptions for External Key Store (XKS).
    

    1.26.24

    =======
    
    * api-change:``billingconductor``: [``botocore``] This release adds the Tiering Pricing Rule feature.
    * api-change:``connect``: [``botocore``] This release provides APIs that enable you to programmatically manage rules for Contact Lens conversational analytics and third party applications. For more information, see   https://docs.aws.amazon.com/connect/latest/APIReference/rules-api.html
    * api-change:``dynamodb``: [``botocore``] Endpoint Ruleset update: Use http instead of https for the &quot;local&quot; region.
    * api-change:``dynamodbstreams``: [``botocore``] Update dynamodbstreams client to latest version
    * api-change:``rds``: [``botocore``] This release adds the BlueGreenDeploymentNotFoundFault to the AddTagsToResource, ListTagsForResource, and RemoveTagsFromResource operations.
    * api-change:``sagemaker-featurestore-runtime``: [``botocore``] For online + offline Feature Groups, added ability to target PutRecord and DeleteRecord actions to only online store, or only offline store. If target store parameter is not specified, actions will apply to both stores.
    

    1.26.23

    =======
    
    * api-change:``ce``: [``botocore``] This release introduces two new APIs that offer a 1-click experience to refresh Savings Plans recommendations. The two APIs are StartSavingsPlansPurchaseRecommendationGeneration and ListSavingsPlansPurchaseRecommendationGeneration.
    * api-change:``ec2``: [``botocore``] Documentation updates for EC2.
    * api-change:``ivschat``: [``botocore``] Adds PendingVerification error type to messaging APIs to block the resource usage for accounts identified as being fraudulent.
    * api-change:``rds``: [``botocore``] This release adds the InvalidDBInstanceStateFault to the RestoreDBClusterFromSnapshot operation.
    * api-change:``transcribe``: [``botocore``] Amazon Transcribe now supports creating custom language models in the following languages: Japanese (ja-JP) and German (de-DE).
    

    1.26.22

    =======
    
    * api-change:``appsync``: [``botocore``] Fixes the URI for the evaluatecode endpoint to include the /v1 prefix (ie. &quot;/v1/dataplane-evaluatecode&quot;).
    * api-change:``ecs``: [``botocore``] Documentation updates for Amazon ECS
    * api-change:``fms``: [``botocore``] AWS Firewall Manager now supports Fortigate Cloud Native Firewall as a Service as a third-party policy type.
    * api-change:``mediaconvert``: [``botocore``] The AWS Elemental MediaConvert SDK has added support for configurable ID3 eMSG box attributes and the ability to signal them with InbandEventStream tags in DASH and CMAF outputs.
    * api-change:``medialive``: [``botocore``] Updates to Event Signaling and Management (ESAM) API and documentation.
    * api-change:``polly``: [``botocore``] Add language code for Finnish (fi-FI)
    * api-change:``proton``: [``botocore``] CreateEnvironmentAccountConnection RoleArn input is now optional
    * api-change:``redshift-serverless``: [``botocore``] Add Table Level Restore operations for Amazon Redshift Serverless. Add multi-port support for Amazon Redshift Serverless endpoints. Add Tagging support to Snapshots and Recovery Points in Amazon Redshift Serverless.
    * api-change:``sns``: [``botocore``] This release adds the message payload-filtering feature to the SNS Subscribe, SetSubscriptionAttributes, and GetSubscriptionAttributes API actions
    

    1.26.21

    =======
    
    * api-change:``codecatalyst``: [``botocore``] This release adds operations that support customers using the AWS Toolkits and Amazon CodeCatalyst, a unified software development service that helps developers develop, deploy, and maintain applications in the cloud. For more information, see the documentation.
    * api-change:``comprehend``: [``botocore``] Comprehend now supports semi-structured documents (such as PDF files or image files) as inputs for custom analysis using the synchronous APIs (ClassifyDocument and DetectEntities).
    * api-change:``gamelift``: [``botocore``] GameLift introduces a new feature, GameLift Anywhere. GameLift Anywhere allows you to integrate your own compute resources with GameLift. You can also use GameLift Anywhere to iteratively test your game servers without uploading the build to GameLift for every iteration.
    * api-change:``pipes``: [``botocore``] AWS introduces new Amazon EventBridge Pipes which allow you to connect sources (SQS, Kinesis, DDB, Kafka, MQ) to Targets (14+ EventBridge Targets) without any code, with filtering, batching, input transformation, and an optional Enrichment stage (Lambda, StepFunctions, ApiGateway, ApiDestinations)
    * api-change:``stepfunctions``: [``botocore``] Update stepfunctions client to latest version
    

    1.26.20

    =======
    
    * api-change:``accessanalyzer``: [``botocore``] This release adds support for S3 cross account access points. IAM Access Analyzer will now produce public or cross account findings when it detects bucket delegation to external account access points.
    * api-change:``athena``: [``botocore``] This release includes support for using Apache Spark in Amazon Athena.
    * api-change:``dataexchange``: [``botocore``] This release enables data providers to license direct access to data in their Amazon S3 buckets or AWS Lake Formation data lakes through AWS Data Exchange. Subscribers get read-only access to the data and can use it in downstream AWS services, like Amazon Athena, without creating or managing copies.
    * api-change:``docdb-elastic``: [``botocore``] Launched Amazon DocumentDB Elastic Clusters. You can now use the SDK to create, list, update and delete Amazon DocumentDB Elastic Cluster resources
    * api-change:``glue``: [``botocore``] This release adds support for AWS Glue Data Quality, which helps you evaluate and monitor the quality of your data and includes the API for creating, deleting, or updating data quality rulesets, runs and evaluations.
    * api-change:``s3control``: [``botocore``] Amazon S3 now supports cross-account access points. S3 bucket owners can now allow trusted AWS accounts to create access points associated with their bucket.
    * api-change:``sagemaker-geospatial``: [``botocore``] This release provides Amazon SageMaker geospatial APIs to build, train, deploy and visualize geospatial models.
    * api-change:``sagemaker``: [``botocore``] Added Models as part of the Search API. Added Model shadow deployments in realtime inference, and shadow testing in managed inference. Added support for shared spaces, geospatial APIs, Model Cards, AutoMLJobStep in pipelines, Git repositories on user profiles and domains, Model sharing in Jumpstart.
    

    1.26.19

    =======
    
    * api-change:``ec2``: [``botocore``] This release adds support for AWS Verified Access and the Hpc6id Amazon EC2 compute optimized instance type, which features 3rd generation Intel Xeon Scalable processors.
    * api-change:``firehose``: [``botocore``] Allow support for the Serverless offering for Amazon OpenSearch Service as a Kinesis Data Firehose delivery destination.
    * api-change:``kms``: [``botocore``] AWS KMS introduces the External Key Store (XKS), a new feature for customers who want to protect their data with encryption keys stored in an external key management system under their control.
    * api-change:``omics``: [``botocore``] Amazon Omics is a new, purpose-built service that can be used by healthcare and life science organizations to store, query, and analyze omics data. The insights from that data can be used to accelerate scientific discoveries and improve healthcare.
    * api-change:``opensearchserverless``: [``botocore``] Publish SDK for Amazon OpenSearch Serverless
    * api-change:``securitylake``: [``botocore``] Amazon Security Lake automatically centralizes security data from cloud, on-premises, and custom sources into a purpose-built data lake stored in your account. Security Lake makes it easier to analyze security data, so you can improve the protection of your workloads, applications, and data
    * api-change:``simspaceweaver``: [``botocore``] AWS SimSpace Weaver is a new service that helps customers build spatial simulations at new levels of scale - resulting in virtual worlds with millions of dynamic entities. See the AWS SimSpace Weaver developer guide for more details on how to get started. https://docs.aws.amazon.com/simspaceweaver
    

    1.26.18

    =======
    
    * api-change:``arc-zonal-shift``: [``botocore``] Amazon Route 53 Application Recovery Controller Zonal Shift is a new service that makes it easy to shift traffic away from an Availability Zone in a Region. See the developer guide for more information: https://docs.aws.amazon.com/r53recovery/latest/dg/what-is-route53-recovery.html
    * api-change:``compute-optimizer``: [``botocore``] Adds support for a new recommendation preference that makes it possible for customers to optimize their EC2 recommendations by utilizing an external metrics ingestion service to provide metrics.
    * api-change:``config``: [``botocore``] With this release, you can use AWS Config to evaluate your resources for compliance with Config rules before they are created or updated. Using Config rules in proactive mode enables you to test and build compliant resource templates or check resource configurations at the time they are provisioned.
    * api-change:``ec2``: [``botocore``] Introduces ENA Express, which uses AWS SRD and dynamic routing to increase throughput and minimize latency, adds support for trust relationships between Reachability Analyzer and AWS Organizations to enable cross-account analysis, and adds support for Infrastructure Performance metric subscriptions.
    * api-change:``eks``: [``botocore``] Adds support for additional EKS add-ons metadata and filtering fields
    * api-change:``fsx``: [``botocore``] This release adds support for 4GB/s / 160K PIOPS FSx for ONTAP file systems and 10GB/s / 350K PIOPS FSx for OpenZFS file systems (Single_AZ_2). For FSx for ONTAP, this also adds support for DP volumes, snapshot policy, copy tags to backups, and Multi-AZ route table updates.
    * api-change:``glue``: [``botocore``] This release allows the creation of Custom Visual Transforms (Dynamic Transforms) to be created via AWS Glue CLI/SDK.
    * api-change:``inspector2``: [``botocore``] This release adds support for Inspector to scan AWS Lambda.
    * api-change:``lambda``: [``botocore``] Adds support for Lambda SnapStart, which helps improve the startup performance of functions. Customers can now manage SnapStart based functions via CreateFunction and UpdateFunctionConfiguration APIs
    * api-change:``license-manager-user-subscriptions``: [``botocore``] AWS now offers fully-compliant, Amazon-provided licenses for Microsoft Office Professional Plus 2021 Amazon Machine Images (AMIs) on Amazon EC2. These AMIs are now available on the Amazon EC2 console and on AWS Marketplace to launch instances on-demand without any long-term licensing commitments.
    * api-change:``macie2``: [``botocore``] Added support for configuring Macie to continually sample objects from S3 buckets and inspect them for sensitive data. Results appear in statistics, findings, and other data that Macie provides.
    * api-change:``quicksight``: [``botocore``] This release adds new Describe APIs and updates Create and Update APIs to support the data model for Dashboards, Analyses, and Templates.
    * api-change:``s3control``: [``botocore``] Added two new APIs to support Amazon S3 Multi-Region Access Point failover controls: GetMultiRegionAccessPointRoutes and SubmitMultiRegionAccessPointRoutes. The failover control APIs are supported in the following Regions: us-east-1, us-west-2, eu-west-1, ap-southeast-2, and ap-northeast-1.
    * api-change:``securityhub``: [``botocore``] Adding StandardsManagedBy field to DescribeStandards API response
    

    1.26.17

    =======
    
    * bugfix:dynamodb: Fixes duplicate serialization issue in DynamoDB BatchWriter
    * api-change:``backup``: [``botocore``] AWS Backup introduces support for legal hold and application stack backups. AWS Backup Audit Manager introduces support for cross-Region, cross-account reports.
    * api-change:``cloudwatch``: [``botocore``] Update cloudwatch client to latest version
    * api-change:``drs``: [``botocore``] Non breaking changes to existing APIs, and additional APIs added to support in-AWS failing back using AWS Elastic Disaster Recovery.
    * api-change:``ecs``: [``botocore``] This release adds support for ECS Service Connect, a new capability that simplifies writing and operating resilient distributed applications. This release updates the TaskDefinition, Cluster, Service mutation APIs with Service connect constructs and also adds a new ListServicesByNamespace API.
    * api-change:``efs``: [``botocore``] Update efs client to latest version
    * api-change:``iot-data``: [``botocore``] This release adds support for MQTT5 properties to AWS IoT HTTP Publish API.
    * api-change:``iot``: [``botocore``] Job scheduling enables the scheduled rollout of a Job with start and end times and a customizable end behavior when end time is reached. This is available for continuous and snapshot jobs. Added support for MQTT5 properties to AWS IoT TopicRule Republish Action.
    * api-change:``iotwireless``: [``botocore``] This release includes a new feature for customers to calculate the position of their devices by adding three new APIs: UpdateResourcePosition, GetResourcePosition, and GetPositionEstimate.
    * api-change:``kendra``: [``botocore``] Amazon Kendra now supports preview of table information from HTML tables in the search results. The most relevant cells with their corresponding rows, columns are displayed as a preview in the search result. The most relevant table cell or cells are also highlighted in table preview.
    * api-change:``logs``: [``botocore``] Updates to support CloudWatch Logs data protection and CloudWatch cross-account observability
    * api-change:``mgn``: [``botocore``] This release adds support for Application and Wave management. We also now support custom post-launch actions.
    * api-change:``oam``: [``botocore``] Amazon CloudWatch Observability Access Manager is a new service that allows configuration of the CloudWatch cross-account observability feature.
    * api-change:``organizations``: [``botocore``] This release introduces delegated administrator for AWS Organizations, a new feature to help you delegate the management of your Organizations policies, enabling you to govern your AWS organization in a decentralized way. You can now allow member accounts to manage Organizations policies.
    * api-change:``rds``: [``botocore``] This release enables new Aurora and RDS feature called Blue/Green Deployments that makes updates to databases safer, simpler and faster.
    * api-change:``textract``: [``botocore``] This release adds support for classifying and splitting lending documents by type, and extracting information by using the Analyze Lending APIs. This release also includes support for summarized information of the processed lending document package, in addition to per document results.
    * api-change:``transcribe``: [``botocore``] This release adds support for &#x27;inputType&#x27; for post-call and real-time (streaming) Call Analytics within Amazon Transcribe.
    

    1.26.16

    =======
    
    * api-change:``grafana``: [``botocore``] This release includes support for configuring a Grafana workspace to connect to a datasource within a VPC as well as new APIs for configuring Grafana settings.
    * api-change:``rbin``: [``botocore``] This release adds support for Rule Lock for Recycle Bin, which allows you to lock retention rules so that they can no longer be modified or deleted.
    

    1.26.15

    =======
    
    * bugfix:Endpoints: [``botocore``] Resolve endpoint with default partition when no region is set
    * bugfix:s3: [``botocore``] fixes missing x-amz-content-sha256 header for s3 object lambda
    * api-change:``appflow``: [``botocore``] Adding support for Amazon AppFlow to transfer the data to Amazon Redshift databases through Amazon Redshift Data API service. This feature will support the Redshift destination connector on both public and private accessible Amazon Redshift Clusters and Amazon Redshift Serverless.
    * api-change:``kinesisanalyticsv2``: [``botocore``] Support for Apache Flink 1.15 in Kinesis Data Analytics.
    

    1.26.14

    =======
    
    * api-change:``route53``: [``botocore``] Amazon Route 53 now supports the Asia Pacific (Hyderabad) Region (ap-south-2) for latency records, geoproximity records, and private DNS for Amazon VPCs in that region.
    

    1.26.13

    =======
    
    * api-change:``appflow``: [``botocore``] AppFlow provides a new API called UpdateConnectorRegistration to update a custom connector that customers have previously registered. With this API, customers no longer need to unregister and then register a connector to make an update.
    * api-change:``auditmanager``: [``botocore``] This release introduces a new feature for Audit Manager: Evidence finder. You can now use evidence finder to quickly query your evidence, and add the matching evidence results to an assessment report.
    * api-change:``chime-sdk-voice``: [``botocore``] Amazon Chime Voice Connector, Voice Connector Group and PSTN Audio Service APIs are now available in the Amazon Chime SDK Voice namespace. See https://docs.aws.amazon.com/chime-sdk/latest/dg/sdk-available-regions.html for more details.
    * api-change:``cloudfront``: [``botocore``] CloudFront API support for staging distributions and associated traffic management policies.
    * api-change:``connect``: [``botocore``] Added AllowedAccessControlTags and TagRestrictedResource for Tag Based Access Control on Amazon Connect Webpage
    * api-change:``dynamodb``: [``botocore``] Updated minor fixes for DynamoDB documentation.
    * api-change:``dynamodbstreams``: [``botocore``] Update dynamodbstreams client to latest version
    * api-change:``ec2``: [``botocore``] This release adds support for copying an Amazon Machine Image&#x27;s tags when copying an AMI.
    * api-change:``glue``: [``botocore``] AWSGlue Crawler - Adding support for Table and Column level Comments with database level datatypes for JDBC based crawler.
    * api-change:``iot-roborunner``: [``botocore``] AWS IoT RoboRunner is a new service that makes it easy to build applications that help multi-vendor robots work together seamlessly. See the IoT RoboRunner developer guide for more details on getting started. https://docs.aws.amazon.com/iotroborunner/latest/dev/iotroborunner-welcome.html
    * api-change:``quicksight``: [``botocore``] This release adds the following: 1) Asset management for centralized assets governance 2) QuickSight Q now supports public embedding 3) New Termination protection flag to mitigate accidental deletes 4) Athena data sources now accept a custom IAM role 5) QuickSight supports connectivity to Databricks
    * api-change:``sagemaker``: [``botocore``] Added DisableProfiler flag as a new field in ProfilerConfig
    * api-change:``servicecatalog``: [``botocore``] This release 1. adds support for Principal Name Sharing with Service Catalog portfolio sharing. 2. Introduces repo sourced products which are created and managed with existing SC APIs. These products are synced to external repos and auto create new product versions based on changes in the repo.
    * api-change:``ssm-sap``: [``botocore``] AWS Systems Manager for SAP provides simplified operations and management of SAP applications such as SAP HANA. With this release, SAP customers and partners can automate and simplify their SAP system administration tasks such as backup/restore of SAP HANA.
    * api-change:``stepfunctions``: [``botocore``] Update stepfunctions client to latest version
    * api-change:``transfer``: [``botocore``] Adds a NONE encryption algorithm type to AS2 connectors, providing support for skipping encryption of the AS2 message body when a HTTPS URL is also specified.
    

    1.26.12

    =======
    
    * api-change:``amplify``: [``botocore``] Adds a new value (WEB_COMPUTE) to the Platform enum that allows customers to create Amplify Apps with Server-Side Rendering support.
    * api-change:``appflow``: [``botocore``] AppFlow simplifies the preparation and cataloging of SaaS data into the AWS Glue Data Catalog where your data can be discovered and accessed by AWS analytics and ML services. AppFlow now also supports data field partitioning and file size optimization to improve query performance and reduce cost.
    * api-change:``appsync``: [``botocore``] This release introduces the APPSYNC_JS runtime, and adds support for JavaScript in AppSync functions and AppSync pipeline resolvers.
    * api-change:``dms``: [``botocore``] Adds support for Internet Protocol Version 6 (IPv6) on DMS Replication Instances
    * api-change:``ec2``: [``botocore``] This release adds a new optional parameter &quot;privateIpAddress&quot; for the CreateNatGateway API. PrivateIPAddress will allow customers to select a custom Private IPv4 address instead of having it be auto-assigned.
    * api-change:``elbv2``: [``botocore``] Update elbv2 client to latest version
    * api-change:``emr-serverless``: [``botocore``] Adds support for AWS Graviton2 based applications. You can now select CPU architecture when creating new applications or updating existing ones.
    * api-change:``ivschat``: [``botocore``] Adds LoggingConfiguration APIs for IVS Chat - a feature that allows customers to store and record sent messages in a chat room to S3 buckets, CloudWatch logs, or Kinesis firehose.
    * api-change:``lambda``: [``botocore``] Add Node 18 (nodejs18.x) support to AWS Lambda.
    * api-change:``personalize``: [``botocore``] This release provides support for creation and use of metric attributions in AWS Personalize
    * api-change:``polly``: [``botocore``] Add two new neural voices - Ola (pl-PL) and Hala (ar-AE).
    * api-change:``rum``: [``botocore``] CloudWatch RUM now supports custom events. To use custom events, create an app monitor or update an app monitor with CustomEvent Status as ENABLED.
    * api-change:``s3control``: [``botocore``] Added 34 new S3 Storage Lens metrics to support additional customer use cases.
    * api-change:``secretsmanager``: [``botocore``] Documentation updates for Secrets Manager.
    * api-change:``securityhub``: [``botocore``] Added SourceLayerArn and SourceLayerHash field for security findings.  Updated AwsLambdaFunction Resource detail
    * api-change:``servicecatalog-appregistry``: [``botocore``] This release adds support for tagged resource associations, which allows you to associate a group of resources with a defined resource tag key and value to the application.
    * api-change:``sts``: [``botocore``] Documentation updates for AWS Security Token Service.
    * api-change:``textract``: [``botocore``] This release adds support for specifying and extracting information from documents using the Signatures feature within Analyze Document API
    * api-change:``workspaces``: [``botocore``] The release introduces CreateStandbyWorkspaces, an API that allows you to create standby WorkSpaces associated with a primary WorkSpace in another Region. DescribeWorkspaces now includes related WorkSpaces properties. DescribeWorkspaceBundles and CreateWorkspaceBundle now return more bundle details.
    

    1.26.11

    =======
    
    * api-change:``batch``: [``botocore``] Documentation updates related to Batch on EKS
    * api-change:``billingconductor``: [``botocore``] This release adds a new feature BillingEntity pricing rule.
    * api-change:``cloudformation``: [``botocore``] Added UnsupportedTarget HandlerErrorCode for use with CFN Resource Hooks
    * api-change:``comprehendmedical``: [``botocore``] This release supports new set of entities and traits. It also adds new category (BEHAVIORAL_ENVIRONMENTAL_SOCIAL).
    * api-change:``connect``: [``botocore``] This release adds a new MonitorContact API for initiating monitoring of ongoing Voice and Chat contacts.
    * api-change:``eks``: [``botocore``] Adds support for customer-provided placement groups for Kubernetes control plane instances when creating local EKS clusters on Outposts
    * api-change:``elasticache``: [``botocore``] for Redis now supports AWS Identity and Access Management authentication access to Redis clusters starting with redis-engine version 7.0
    * api-change:``iottwinmaker``: [``botocore``] This release adds the following: 1) ExecuteQuery API allows users to query their AWS IoT TwinMaker Knowledge Graph 2) Pricing plan APIs allow users to configure and manage their pricing mode 3) Support for property groups and tabular property values in existing AWS IoT TwinMaker APIs.
    * api-change:``personalize-events``: [``botocore``] This release provides support for creation and use of metric attributions in AWS Personalize
    * api-change:``proton``: [``botocore``] Add support for sorting and filtering in ListServiceInstances
    * api-change:``rds``: [``botocore``] This release adds support for container databases (CDBs) to Amazon RDS Custom for Oracle. A CDB contains one PDB at creation. You can add more PDBs using Oracle SQL. You can also customize your database installation by setting the Oracle base, Oracle home, and the OS user name and group.
    * api-change:``ssm-incidents``: [``botocore``] Add support for PagerDuty integrations on ResponsePlan, IncidentRecord, and RelatedItem APIs
    * api-change:``ssm``: [``botocore``] This release adds support for cross account access in CreateOpsItem, UpdateOpsItem and GetOpsItem. It introduces new APIs to setup resource policies for SSM resources: PutResourcePolicy, GetResourcePolicies and DeleteResourcePolicy.
    * api-change:``transfer``: [``botocore``] Allow additional operations to throw ThrottlingException
    * api-change:``xray``: [``botocore``] This release adds new APIs - PutResourcePolicy, DeleteResourcePolicy, ListResourcePolicies for supporting resource based policies for AWS X-Ray.
    

    1.26.10

    =======
    
    * bugfix:s3: [``botocore``] fixes missing x-amz-content-sha256 header for s3 on outpost
    * enhancement:sso: [``botocore``] Add support for loading sso-session profiles from the aws config
    * api-change:``connect``: [``botocore``] This release updates the APIs: UpdateInstanceAttribute, DescribeInstanceAttribute, and ListInstanceAttributes. You can use it to programmatically enable/disable enhanced contact monitoring using attribute type ENHANCED_CONTACT_MONITORING on the specified Amazon Connect instance.
    * api-change:``greengrassv2``: [``botocore``] Adds new parent target ARN paramater to CreateDeployment, GetDeployment, and ListDeployments APIs for the new subdeployments feature.
    * api-change:``route53``: [``botocore``] Amazon Route 53 now supports the Europe (Spain) Region (eu-south-2) for latency records, geoproximity records, and private DNS for Amazon VPCs in that region.
    * api-change:``ssmsap``: [``botocore``] AWS Systems Manager for SAP provides simplified operations and management of SAP applications such as SAP HANA. With this release, SAP customers and partners can automate and simplify their SAP system administration tasks such as backup/restore of SAP HANA.
    * api-change:``workspaces``: [``botocore``] This release introduces ModifyCertificateBasedAuthProperties, a new API that allows control of certificate-based auth properties associated with a WorkSpaces directory. The DescribeWorkspaceDirectories API will now additionally return certificate-based auth properties in its responses.
    

    1.26.9

    ======
    
    * api-change:``customer-profiles``: [``botocore``] This release enhances the SearchProfiles API by providing functionality to search for profiles using multiple keys and logical operators.
    * api-change:``lakeformation``: [``botocore``] This release adds a new parameter &quot;Parameters&quot; in the DataLakeSettings.
    * api-change:``managedblockchain``: [``botocore``] Updating the API docs data type: NetworkEthereumAttributes, and the operations DeleteNode, and CreateNode to also include the supported Goerli network.
    * api-change:``proton``: [``botocore``] Add support for CodeBuild Provisioning
    * api-change:``rds``: [``botocore``] This release adds support for restoring an RDS Multi-AZ DB cluster snapshot to a Single-AZ deployment or a Multi-AZ DB instance deployment.
    * api-change:``workdocs``: [``botocore``] Added 2 new document related operations, DeleteDocumentVersion and RestoreDocumentVersions.
    * api-change:``xray``: [``botocore``] This release enhances GetServiceGraph API to support new type of edge to represent links between SQS and Lambda in event-driven applications.
    

    1.26.8

    ======
    
    * api-change:``glue``: [``botocore``] Added links related to enabling job bookmarks.
    * api-change:``iot``: [``botocore``] This release add new api listRelatedResourcesForAuditFinding and new member type IssuerCertificates for Iot device device defender Audit.
    * api-change:``license-manager``: [``botocore``] AWS License Manager now supports onboarded Management Accounts or Delegated Admins to view granted licenses aggregated from all accounts in the organization.
    * api-change:``marketplace-catalog``: [``botocore``] Added three new APIs to support tagging and tag-based authorization: TagResource, UntagResource, and ListTagsForResource. Added optional parameters to the StartChangeSet API to support tagging a resource while making a request to create it.
    * api-change:``rekognition``: [``botocore``] Adding support for ImageProperties feature to detect dominant colors and image brightness, sharpness, and contrast, inclusion and exclusion filters for labels and label categories, new fields to the API response, &quot;aliases&quot; and &quot;categories&quot;
    * api-change:``securityhub``: [``botocore``] Documentation updates for Security Hub
    * api-change:``ssm-incidents``: [``botocore``] RelatedItems now have an ID field which can be used for referencing them else where. Introducing event references in TimelineEvent API and increasing maximum length of &quot;eventData&quot; to 12K characters.
    

    1.26.7

    ======
    
    * api-change:``autoscaling``: [``botocore``] This release adds a new price capacity optimized allocation strategy for Spot Instances to help customers optimize provisioning of Spot Instances via EC2 Auto Scaling, EC2 Fleet, and Spot Fleet. It allocates Spot Instances based on both spare capacity availability and Spot Instance price.
    * api-change:``ec2``: [``botocore``] This release adds a new price capacity optimized allocation strategy for Spot Instances to help customers optimize provisioning of Spot Instances via EC2 Auto Scaling, EC2 Fleet, and Spot Fleet. It allocates Spot Instances based on both spare capacity availability and Spot Instance price.
    * api-change:``ecs``: [``botocore``] This release adds support for task scale-in protection with updateTaskProtection and getTaskProtection APIs. UpdateTaskProtection API can be used to protect a service managed task from being terminated by scale-in events and getTaskProtection API to get the scale-in protection status of a task.
    * api-change:``es``: [``botocore``] Amazon OpenSearch Service now offers managed VPC endpoints to connect to your Amazon OpenSearch Service VPC-enabled domain in a Virtual Private Cloud (VPC). This feature allows you to privately access OpenSearch Service domain without using public IPs or requiring traffic to traverse the Internet.
    * api-change:``resource-explorer-2``: [``botocore``] Text only updates to some Resource Explorer descriptions.
    * api-change:``scheduler``: [``botocore``] AWS introduces the new Amazon EventBridge Scheduler. EventBridge Scheduler is a serverless scheduler that allows you to create, run, and manage tasks from one central, managed service.
    

    1.26.6

    ======
    
    * api-change:``connect``: [``botocore``] This release adds new fields SignInUrl, UserArn, and UserId to GetFederationToken response payload.
    * api-change:``connectcases``: [``botocore``] This release adds the ability to disable templates through the UpdateTemplate API. Disabling templates prevents customers from creating cases using the template. For more information see https://docs.aws.amazon.com/cases/latest/APIReference/Welcome.html
    * api-change:``ec2``: [``botocore``] Amazon EC2 Trn1 instances, powered by AWS Trainium chips, are purpose built for high-performance deep learning training. u-24tb1.112xlarge and u-18tb1.112xlarge High Memory instances are purpose-built to run large in-memory databases.
    * api-change:``groundstation``: [``botocore``] This release adds the preview of customer-provided ephemeris support for AWS Ground Station, allowing space vehicle owners to provide their own position and trajectory information for a satellite.
    * api-change:``mediapackage-vod``: [``botocore``] This release adds &quot;IncludeIframeOnlyStream&quot; for Dash endpoints.
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.5

    ======
    
    * api-change:``acm``: [``botocore``] Support added for requesting elliptic curve certificate key algorithm types P-256 (EC_prime256v1) and P-384 (EC_secp384r1).
    * api-change:``billingconductor``: [``botocore``] This release adds the Recurring Custom Line Item feature along with a new API ListCustomLineItemVersions.
    * api-change:``ec2``: [``botocore``] This release enables sharing of EC2 Placement Groups across accounts and within AWS Organizations using Resource Access Manager
    * api-change:``fms``: [``botocore``] AWS Firewall Manager now supports importing existing AWS Network Firewall firewalls into Firewall Manager policies.
    * api-change:``lightsail``: [``botocore``] This release adds support for Amazon Lightsail to automate the delegation of domains registered through Amazon Route 53 to Lightsail DNS management and to automate record creation for DNS validation of Lightsail SSL/TLS certificates.
    * api-change:``opensearch``: [``botocore``] Amazon OpenSearch Service now offers managed VPC endpoints to connect to your Amazon OpenSearch Service VPC-enabled domain in a Virtual Private Cloud (VPC). This feature allows you to privately access OpenSearch Service domain without using public IPs or requiring traffic to traverse the Internet.
    * api-change:``polly``: [``botocore``] Amazon Polly adds new voices: Elin (sv-SE), Ida (nb-NO), Laura (nl-NL) and Suvi (fi-FI). They are available as neural voices only.
    * api-change:``resource-explorer-2``: [``botocore``] This is the initial SDK release for AWS Resource Explorer. AWS Resource Explorer lets your users search for and discover your AWS resources across the AWS Regions in your account.
    * api-change:``route53``: [``botocore``] Amazon Route 53 now supports the Europe (Zurich) Region (eu-central-2) for latency records, geoproximity records, and private DNS for Amazon VPCs in that region.
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.4

    ======
    
    * api-change:``athena``: [``botocore``] Adds support for using Query Result Reuse
    * api-change:``autoscaling``: [``botocore``] This release adds support for two new attributes for attribute-based instance type selection - NetworkBandwidthGbps and AllowedInstanceTypes.
    * api-change:``cloudtrail``: [``botocore``] This release includes support for configuring a delegated administrator to manage an AWS Organizations organization CloudTrail trails and event data stores, and AWS Key Management Service encryption of CloudTrail Lake event data stores.
    * api-change:``ec2``: [``botocore``] This release adds support for two new attributes for attribute-based instance type selection - NetworkBandwidthGbps and AllowedInstanceTypes.
    * api-change:``elasticache``: [``botocore``] Added support for IPv6 and dual stack for Memcached and Redis clusters. Customers can now launch new Redis and Memcached clusters with IPv6 and dual stack networking support.
    * api-change:``lexv2-models``: [``botocore``] Update lexv2-models client to latest version
    * api-change:``mediaconvert``: [``botocore``] The AWS Elemental MediaConvert SDK has added support for setting the SDR reference white point for HDR conversions and conversion of HDR10 to DolbyVision without mastering metadata.
    * api-change:``ssm``: [``botocore``] This release includes support for applying a CloudWatch alarm to multi account multi region Systems Manager Automation
    * api-change:``wafv2``: [``botocore``] The geo match statement now adds labels for country and region. You can match requests at the region level by combining a geo match statement with label match statements.
    * api-change:``wellarchitected``: [``botocore``] This release adds support for integrations with AWS Trusted Advisor and AWS Service Catalog AppRegistry to improve workload discovery and speed up your workload reviews.
    * api-change:``workspaces``: [``botocore``] This release adds protocols attribute to workspaces properties data type. This enables customers to migrate workspaces from PC over IP (PCoIP) to WorkSpaces Streaming Protocol (WSP) using create and modify workspaces public APIs.
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.3

    ======
    
    * api-change:``ec2``: [``botocore``] This release adds API support for the recipient of an AMI account share to remove shared AMI launch permissions.
    * api-change:``emr-containers``: [``botocore``] Adding support for Job templates. Job templates allow you to create and store templates to configure Spark applications parameters. This helps you ensure consistent settings across applications by reusing and enforcing configuration overrides in data pipelines.
    * api-change:``logs``: [``botocore``] Doc-only update for bug fixes and support of export to buckets encrypted with SSE-KMS
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.2

    ======
    
    * api-change:``memorydb``: [``botocore``] Adding support for r6gd instances for MemoryDB Redis with data tiering. In a cluster with data tiering enabled, when available memory capacity is exhausted, the least recently used data is automatically tiered to solid state drives for cost-effective capacity scaling with minimal performance impact.
    * api-change:``sagemaker``: [``botocore``] Amazon SageMaker now supports running training jobs on ml.trn1 instance types.
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.1

    ======
    
    * api-change:``iotsitewise``: [``botocore``] This release adds the ListAssetModelProperties and ListAssetProperties APIs. You can list all properties that belong to a single asset model or asset using these two new APIs.
    * api-change:``s3control``: [``botocore``] S3 on Outposts launches support for Lifecycle configuration for Outposts buckets. With S3 Lifecycle configuration, you can mange objects so they are stored cost effectively. You can manage objects using size-based rules and specify how many noncurrent versions bucket will retain.
    * api-change:``sagemaker``: [``botocore``] This release updates Framework model regex for ModelPackage to support new Framework version xgboost, sklearn.
    * api-change:``ssm-incidents``: [``botocore``] Adds support for tagging replication-set on creation.
    

    1.26.0

    ======
    
    * feature:Endpoints: [``botocore``] Migrate all services to use new AWS Endpoint Resolution framework
    * Enhancement:Endpoints: [``botocore``] Discontinued use of `sslCommonName` hosts as detailed in 1.27.0 (see `2705 &lt;https://github.com/boto/botocore/issues/2705&gt;`__ for more info)
    * api-change:``rds``: [``botocore``] Relational Database Service - This release adds support for configuring Storage Throughput on RDS database instances.
    * api-change:``textract``: [``botocore``] Add ocr results in AnalyzeIDResponse as blocks
    

    1.25.5

    ======
    
    * api-change:``apprunner``: [``botocore``] This release adds support for private App Runner services. Services may now be configured to be made private and only accessible from a VPC. The changes include a new VpcIngressConnection resource and several new and modified APIs.
    * api-change:``connect``: [``botocore``] Amazon connect now support a new API DismissUserContact to dismiss or remove terminated contacts in Agent CCP
    * api-change:``ec2``: [``botocore``] Elastic IP transfer is a new Amazon VPC feature that allows you to transfer your Elastic IP addresses from one AWS Account to another.
    * api-change:``iot``: [``botocore``] This release adds the Amazon Location action to IoT Rules Engine.
    * api-change:``logs``: [``botocore``] SDK release to support tagging for destinations and log groups with TagResource. Also supports tag on create with PutDestination.
    * api-change:``sesv2``: [``botocore``] This release includes support for interacting with the Virtual Deliverability Manager, allowing you to opt in/out of the feature and to retrieve recommendations and metric data.
    * api-change:``textract``: [``botocore``] This release introduces additional support for 30+ normalized fields such as vendor address and currency. It also includes OCR output in the response and accuracy improvements for the already supported fields in previous version
    

    1.25.4

    ======
    
    * api-change:``apprunner``: [``botocore``] AWS App Runner adds .NET 6, Go 1, PHP 8.1 and Ruby 3.1 runtimes.
    * api-change:``appstream``: [``botocore``] This release includes CertificateBasedAuthProperties in CreateDirectoryConfig and UpdateDirectoryConfig.
    * api-change:``cloud9``: [``botocore``] Update to the documentation section of the Cloud9 API Reference guide.
    * api-change:``cloudformation``: [``botocore``] This release adds more fields to improves visibility of AWS CloudFormation StackSets information in following APIs: ListStackInstances, DescribeStackInstance, ListStackSetOperationResults, ListStackSetOperations, DescribeStackSetOperation.
    * api-change:``gamesparks``: [``botocore``] Add LATEST as a possible GameSDK Version on snapshot
    * api-change:``mediatailor``: [``botocore``] This release introduces support for SCTE-35 segmentation descriptor messages which can be sent within time signal messages.
    

    1.25.3

    ======
    
    * api-change:``ec2``: [``botocore``] Feature supports the replacement of instance root volume using an updated AMI without requiring customers to stop their instance.
    * api-change:``fms``: [``botocore``] Add support NetworkFirewall Managed Rule Group Override flag in GetViolationDetails API
    * api-change:``glue``: [``botocore``] Added support for custom datatypes when using custom csv classifier.
    * api-change:``redshift``: [``botocore``] This release clarifies use for the ElasticIp parameter of the CreateCluster and RestoreFromClusterSnapshot APIs.
    * api-change:``sagemaker``: [``botocore``] This change allows customers to provide a custom entrypoint script for the docker container to be run while executing training jobs, and provide custom arguments to the entrypoint script.
    * api-change:``wafv2``: [``botocore``] This release adds the following: Challenge rule action, to silently verify client browsers; rule group rule action override to any valid rule action, not just Count; token sharing between protected applications for challenge/CAPTCHA token; targeted rules option for Bot Control managed rule group.
    

    1.25.2

    ======
    
    * api-change:``iam``: [``botocore``] Doc only update that corrects instances of CLI not using an entity.
    * api-change:``kafka``: [``botocore``] This release adds support for Tiered Storage. UpdateStorage allows you to control the Storage Mode for supported storage tiers.
    * api-change:``neptune``: [``botocore``] Added a new cluster-level attribute to set the capacity range for Neptune Serverless instances.
    * api-change:``sagemaker``: [``botocore``] Amazon SageMaker Automatic Model Tuning now supports specifying Grid Search strategy for tuning jobs, which evaluates all hyperparameter combinations exhaustively based on the categorical hyperparameters provided.
    

    1.25.1

    ======
    
    * api-change:``accessanalyzer``: [``botocore``] This release adds support for six new resource types in IAM Access Analyzer to help you easily identify public and cross-account access to your AWS resources. Updated service API, documentation, and paginators.
    * api-change:``location``: [``botocore``] Added new map styles with satellite imagery for map resources using HERE as a data provider.
    * api-change:``mediatailor``: [``botocore``] This release is a documentation update
    * api-change:``rds``: [``botocore``] Relational Database Service - This release adds support for exporting DB cluster data to Amazon S3.
    * api-change:``workspaces``: [``botocore``] This release adds new enums for supporting Workspaces Core features, including creating Manual running mode workspaces, importing regular Workspaces Core images and importing g4dn Workspaces Core images.
    

    1.25.0

    ======
    
    * feature:Endpoints: [``botocore``] Implemented new endpoint ruleset system to dynamically derive endpoints and settings for services
    * api-change:``acm-pca``: [``botocore``] AWS Private Certificate Authority (AWS Private CA) now offers usage modes which are combination of features to address specific use cases.
    * api-change:``batch``: [``botocore``] This release adds support for AWS Batch on Amazon EKS.
    * api-change:``datasync``: [``botocore``] Added support for self-signed certificates when using object storage locations; added BytesCompressed to the TaskExecution response.
    * api-change:``sagemaker``: [``botocore``] SageMaker Inference Recommender now supports a new API ListInferenceRecommendationJobSteps to return the details of all the benchmark we create for an inference recommendation job.
    

    1.24.96

    =======
    
    * api-change:``cognito-idp``: [``botocore``] This release adds a new &quot;DeletionProtection&quot; field to the UserPool in Cognito. Application admins can configure this value with either ACTIVE or INACTIVE value. Setting this field to ACTIVE will prevent a user pool from accidental deletion.
    * api-change:``sagemaker``: [``botocore``] CreateInferenceRecommenderjob API now supports passing endpoint details directly, that will help customers to identify the max invocation and max latency they can achieve for their model and the associated endpoint along with getting recommendations on other instances.
    

    1.24.95

    =======
    
    * api-change:``devops-guru``: [``botocore``] This release adds information about the resources DevOps Guru is analyzing.
    * api-change:``globalaccelerator``: [``botocore``] Global Accelerator now supports AddEndpoints and RemoveEndpoints operations for standard endpoint groups.
    * api-change:``resiliencehub``: [``botocore``] In this release, we are introducing support for regional optimization for AWS Resilience Hub applications. It also includes a few documentation updates to improve clarity.
    * api-change:``rum``: [``botocore``] CloudWatch RUM now supports Extended CloudWatch Metrics with Additional Dimensions
    

    1.24.94

    =======
    
    * api-change:``chime-sdk-messaging``: [``botocore``] Documentation updates for Chime Messaging SDK
    * api-change:``cloudtrail``: [``botocore``] This release includes support for exporting CloudTrail Lake query results to an Amazon S3 bucket.
    * api-change:``config``: [``botocore``] This release adds resourceType enums for AppConfig, AppSync, DataSync, EC2, EKS, Glue, GuardDuty, SageMaker, ServiceDiscovery, SES, Route53 types.
    * api-change:``connect``: [``botocore``] This release adds API support for managing phone numbers that can be used across multiple AWS regions through telephony traffic distribution.
    * api-change:``events``: [``botocore``] Update events client to latest version
    * api-change:``managedblockchain``: [``botocore``] Adding new Accessor APIs for Amazon Managed Blockchain
    * api-change:``s3``: [``botocore``] Updates internal logic for constructing API endpoints. We have added rule-based endpoints and internal model parameters.
    * api-change:``s3control``: [``botocore``] Updates internal logic for constructing API endpoints. We have added rule-based endpoints and internal model parameters.
    * api-change:``support-app``: [``botocore``] This release adds the RegisterSlackWorkspaceForOrganization API. You can use the API to register a Slack workspace for an AWS account that is part of an organization.
    * api-change:``workspaces-web``: [``botocore``] WorkSpaces Web now supports user access logging for recording session start, stop, and URL navigation.
    

    1.24.93

    =======
    
    * api-change:``frauddetector``: [``botocore``] Documentation Updates for Amazon Fraud Detector
    * api-change:``sagemaker``: [``botocore``] This change allows customers to enable data capturing while running a batch transform job, and configure monitoring schedule to monitoring the captured data.
    * api-change:``servicediscovery``: [``botocore``] Updated the ListNamespaces API to support the NAME and HTTP_NAME filters, and the BEGINS_WITH filter condition.
    * api-change:``sesv2``: [``botocore``] This release allows subscribers to enable Dedicated IPs (managed) to send email via a fully managed dedicated IP experience. It also adds identities&#x27; VerificationStatus in the response of GetEmailIdentity and ListEmailIdentities APIs, and ImportJobs counts in the response of ListImportJobs API.
    

    1.24.92

    =======
    
    * api-change:``greengrass``: [``botocore``] This change allows customers to specify FunctionRuntimeOverride in FunctionDefinitionVersion. This configuration can be used if the runtime on the device is different from the AWS Lambda runtime specified for that function.
    * api-change:``sagemaker``: [``botocore``] This release adds support for C7g, C6g, C6gd, C6gn, M6g, M6gd, R6g
    opened by pyup-bot 1
  • Update boto3 to 1.26.33

    Update boto3 to 1.26.33

    This PR updates boto3 from 1.9.182 to 1.26.33.

    Changelog

    1.26.33

    =======
    
    * api-change:``athena``: [``botocore``] Add missed InvalidRequestException in GetCalculationExecutionCode,StopCalculationExecution APIs. Correct required parameters (Payload and Type) in UpdateNotebook API. Change Notebook size from 15 Mb to 10 Mb.
    * api-change:``ecs``: [``botocore``] This release adds support for alarm-based rollbacks in ECS, a new feature that allows customers to add automated safeguards for Amazon ECS service rolling updates.
    * api-change:``kinesis-video-webrtc-storage``: [``botocore``] Amazon Kinesis Video Streams offers capabilities to stream video and audio in real-time via WebRTC to the cloud for storage, playback, and analytical processing. Customers can use our enhanced WebRTC SDK and cloud APIs to enable real-time streaming, as well as media ingestion to the cloud.
    * api-change:``kinesisvideo``: [``botocore``] Amazon Kinesis Video Streams offers capabilities to stream video and audio in real-time via WebRTC to the cloud for storage, playback, and analytical processing. Customers can use our enhanced WebRTC SDK and cloud APIs to enable real-time streaming, as well as media ingestion to the cloud.
    * api-change:``rds``: [``botocore``] Add support for --enable-customer-owned-ip to RDS create-db-instance-read-replica API for RDS on Outposts.
    * api-change:``sagemaker``: [``botocore``] AWS Sagemaker - Sagemaker Images now supports Aliases as secondary identifiers for ImageVersions. SageMaker Images now supports additional metadata for ImageVersions for better images management.
    

    1.26.32

    =======
    
    * enhancement:s3: s3.transfer methods accept path-like objects as input
    * api-change:``appflow``: [``botocore``] This release updates the ListConnectorEntities API action so that it returns paginated responses that customers can retrieve with next tokens.
    * api-change:``cloudfront``: [``botocore``] Updated documentation for CloudFront
    * api-change:``datasync``: [``botocore``] AWS DataSync now supports the use of tags with task executions. With this new feature, you can apply tags each time you execute a task, giving you greater control and management over your task executions.
    * api-change:``efs``: [``botocore``] Update efs client to latest version
    * api-change:``guardduty``: [``botocore``] This release provides the valid characters for the Description and Name field.
    * api-change:``iotfleetwise``: [``botocore``] Updated error handling for empty resource names in &quot;UpdateSignalCatalog&quot; and &quot;GetModelManifest&quot; operations.
    * api-change:``sagemaker``: [``botocore``] AWS sagemaker - Features: This release adds support for random seed, it&#x27;s an integer value used to initialize a pseudo-random number generator. Setting a random seed will allow the hyperparameter tuning search strategies to produce more consistent configurations for the same tuning job.
    

    1.26.31

    =======
    
    * api-change:``backup-gateway``: [``botocore``] This release adds support for VMware vSphere tags, enabling customer to protect VMware virtual machines using tag-based policies for AWS tags mapped from vSphere tags. This release also adds support for customer-accessible gateway-hypervisor interaction log and upload bandwidth rate limit schedule.
    * api-change:``connect``: [``botocore``] Added support for &quot;English - New Zealand&quot; and &quot;English - South African&quot; to be used with Amazon Connect Custom Vocabulary APIs.
    * api-change:``ecs``: [``botocore``] This release adds support for container port ranges in ECS, a new capability that allows customers to provide container port ranges to simplify use cases where multiple ports are in use in a container. This release updates TaskDefinition mutation APIs and the Task description APIs.
    * api-change:``eks``: [``botocore``] Add support for Windows managed nodes groups.
    * api-change:``glue``: [``botocore``] This release adds support for AWS Glue Crawler with native DeltaLake tables, allowing Crawlers to classify Delta Lake format tables and catalog them for query engines to query against.
    * api-change:``kinesis``: [``botocore``] Added StreamARN parameter for Kinesis Data Streams APIs. Added a new opaque pagination token for ListStreams. SDKs will auto-generate Account Endpoint when accessing Kinesis Data Streams.
    * api-change:``location``: [``botocore``] This release adds support for a new style, &quot;VectorOpenDataStandardLight&quot; which can be used with the new data source, &quot;Open Data Maps (Preview)&quot;.
    * api-change:``m2``: [``botocore``] Adds an optional create-only `KmsKeyId` property to Environment and Application resources.
    * api-change:``sagemaker``: [``botocore``] SageMaker Inference Recommender now allows customers to load tests their models on various instance types using private VPC.
    * api-change:``securityhub``: [``botocore``] Added new resource details objects to ASFF, including resources for AwsEc2LaunchTemplate, AwsSageMakerNotebookInstance, AwsWafv2WebAcl and AwsWafv2RuleGroup.
    * api-change:``translate``: [``botocore``] Raised the input byte size limit of the Text field in the TranslateText API to 10000 bytes.
    

    1.26.30

    =======
    
    * api-change:``ce``: [``botocore``] This release supports percentage-based thresholds on Cost Anomaly Detection alert subscriptions.
    * api-change:``cloudwatch``: [``botocore``] Update cloudwatch client to latest version
    * api-change:``networkmanager``: [``botocore``] Appliance Mode support for AWS Cloud WAN.
    * api-change:``redshift-data``: [``botocore``] This release adds a new --client-token field to ExecuteStatement and BatchExecuteStatement operations. Customers can now run queries with the additional client token parameter to ensures idempotency.
    * api-change:``sagemaker-metrics``: [``botocore``] Update SageMaker Metrics documentation.
    

    1.26.29

    =======
    
    * api-change:``cloudtrail``: [``botocore``] Merging mainline branch for service model into mainline release branch. There are no new APIs.
    * api-change:``rds``: [``botocore``] This deployment adds ClientPasswordAuthType field to the Auth structure of the DBProxy.
    

    1.26.28

    =======
    
    * bugfix:Endpoint provider: [``botocore``] Updates ARN parsing ``resourceId`` delimiters
    * api-change:``customer-profiles``: [``botocore``] This release allows custom strings in PartyType and Gender through 2 new attributes in the CreateProfile and UpdateProfile APIs: PartyTypeString and GenderString.
    * api-change:``ec2``: [``botocore``] This release updates DescribeFpgaImages to show supported instance types of AFIs in its response.
    * api-change:``kinesisvideo``: [``botocore``] This release adds support for public preview of Kinesis Video Stream at Edge enabling customers to provide configuration for the Kinesis Video Stream EdgeAgent running on an on-premise IoT device. Customers can now locally record from cameras and stream videos to the cloud on configured schedule.
    * api-change:``lookoutvision``: [``botocore``] This documentation update adds kms:GenerateDataKey as a required permission to StartModelPackagingJob.
    * api-change:``migration-hub-refactor-spaces``: [``botocore``] This release adds support for Lambda alias service endpoints. Lambda alias ARNs can now be passed into CreateService.
    * api-change:``rds``: [``botocore``] Update the RDS API model to support copying option groups during the CopyDBSnapshot operation
    * api-change:``rekognition``: [``botocore``] Adds support for &quot;aliases&quot; and &quot;categories&quot;, inclusion and exclusion filters for labels and label categories, and aggregating labels by video segment timestamps for Stored Video Label Detection APIs.
    * api-change:``sagemaker-metrics``: [``botocore``] This release introduces support SageMaker Metrics APIs.
    * api-change:``wafv2``: [``botocore``] Documents the naming requirement for logging destinations that you use with web ACLs.
    

    1.26.27

    =======
    
    * api-change:``iotfleetwise``: [``botocore``] Deprecated assignedValue property for actuators and attributes.  Added a message to invalid nodes and invalid decoder manifest exceptions.
    * api-change:``logs``: [``botocore``] Doc-only update for CloudWatch Logs, for Tagging Permissions clarifications
    * api-change:``medialive``: [``botocore``] Link devices now support buffer size (latency) configuration. A higher latency value means a longer delay in transmitting from the device to MediaLive, but improved resiliency. A lower latency value means a shorter delay, but less resiliency.
    * api-change:``mediapackage-vod``: [``botocore``] This release provides the approximate number of assets in a packaging group.
    

    1.26.26

    =======
    
    * enhancement:Endpoint Provider Standard Library: [``botocore``] Correct spelling of &#x27;library&#x27; in ``StandardLibrary`` class
    * api-change:``autoscaling``: [``botocore``] Adds support for metric math for target tracking scaling policies, saving you the cost and effort of publishing a custom metric to CloudWatch. Also adds support for VPC Lattice by adding the Attach/Detach/DescribeTrafficSources APIs and a new health check type to the CreateAutoScalingGroup API.
    * api-change:``iottwinmaker``: [``botocore``] This release adds the following new features: 1) New APIs for managing a continuous sync of assets and asset models from AWS IoT SiteWise. 2) Support user friendly names for component types (ComponentTypeName) and properties (DisplayName).
    * api-change:``migrationhubstrategy``: [``botocore``] This release adds known application filtering, server selection for assessments, support for potential recommendations, and indications for configuration and assessment status. For more information, see the AWS Migration Hub documentation at https://docs.aws.amazon.com/migrationhub/index.html
    

    1.26.25

    =======
    
    * api-change:``ce``: [``botocore``] This release adds the LinkedAccountName field to the GetAnomalies API response under RootCause
    * api-change:``cloudfront``: [``botocore``] Introducing UpdateDistributionWithStagingConfig that can be used to promote the staging configuration to the production.
    * api-change:``eks``: [``botocore``] Adds support for EKS add-ons configurationValues fields and DescribeAddonConfiguration function
    * api-change:``kms``: [``botocore``] Updated examples and exceptions for External Key Store (XKS).
    

    1.26.24

    =======
    
    * api-change:``billingconductor``: [``botocore``] This release adds the Tiering Pricing Rule feature.
    * api-change:``connect``: [``botocore``] This release provides APIs that enable you to programmatically manage rules for Contact Lens conversational analytics and third party applications. For more information, see   https://docs.aws.amazon.com/connect/latest/APIReference/rules-api.html
    * api-change:``dynamodb``: [``botocore``] Endpoint Ruleset update: Use http instead of https for the &quot;local&quot; region.
    * api-change:``dynamodbstreams``: [``botocore``] Update dynamodbstreams client to latest version
    * api-change:``rds``: [``botocore``] This release adds the BlueGreenDeploymentNotFoundFault to the AddTagsToResource, ListTagsForResource, and RemoveTagsFromResource operations.
    * api-change:``sagemaker-featurestore-runtime``: [``botocore``] For online + offline Feature Groups, added ability to target PutRecord and DeleteRecord actions to only online store, or only offline store. If target store parameter is not specified, actions will apply to both stores.
    

    1.26.23

    =======
    
    * api-change:``ce``: [``botocore``] This release introduces two new APIs that offer a 1-click experience to refresh Savings Plans recommendations. The two APIs are StartSavingsPlansPurchaseRecommendationGeneration and ListSavingsPlansPurchaseRecommendationGeneration.
    * api-change:``ec2``: [``botocore``] Documentation updates for EC2.
    * api-change:``ivschat``: [``botocore``] Adds PendingVerification error type to messaging APIs to block the resource usage for accounts identified as being fraudulent.
    * api-change:``rds``: [``botocore``] This release adds the InvalidDBInstanceStateFault to the RestoreDBClusterFromSnapshot operation.
    * api-change:``transcribe``: [``botocore``] Amazon Transcribe now supports creating custom language models in the following languages: Japanese (ja-JP) and German (de-DE).
    

    1.26.22

    =======
    
    * api-change:``appsync``: [``botocore``] Fixes the URI for the evaluatecode endpoint to include the /v1 prefix (ie. &quot;/v1/dataplane-evaluatecode&quot;).
    * api-change:``ecs``: [``botocore``] Documentation updates for Amazon ECS
    * api-change:``fms``: [``botocore``] AWS Firewall Manager now supports Fortigate Cloud Native Firewall as a Service as a third-party policy type.
    * api-change:``mediaconvert``: [``botocore``] The AWS Elemental MediaConvert SDK has added support for configurable ID3 eMSG box attributes and the ability to signal them with InbandEventStream tags in DASH and CMAF outputs.
    * api-change:``medialive``: [``botocore``] Updates to Event Signaling and Management (ESAM) API and documentation.
    * api-change:``polly``: [``botocore``] Add language code for Finnish (fi-FI)
    * api-change:``proton``: [``botocore``] CreateEnvironmentAccountConnection RoleArn input is now optional
    * api-change:``redshift-serverless``: [``botocore``] Add Table Level Restore operations for Amazon Redshift Serverless. Add multi-port support for Amazon Redshift Serverless endpoints. Add Tagging support to Snapshots and Recovery Points in Amazon Redshift Serverless.
    * api-change:``sns``: [``botocore``] This release adds the message payload-filtering feature to the SNS Subscribe, SetSubscriptionAttributes, and GetSubscriptionAttributes API actions
    

    1.26.21

    =======
    
    * api-change:``codecatalyst``: [``botocore``] This release adds operations that support customers using the AWS Toolkits and Amazon CodeCatalyst, a unified software development service that helps developers develop, deploy, and maintain applications in the cloud. For more information, see the documentation.
    * api-change:``comprehend``: [``botocore``] Comprehend now supports semi-structured documents (such as PDF files or image files) as inputs for custom analysis using the synchronous APIs (ClassifyDocument and DetectEntities).
    * api-change:``gamelift``: [``botocore``] GameLift introduces a new feature, GameLift Anywhere. GameLift Anywhere allows you to integrate your own compute resources with GameLift. You can also use GameLift Anywhere to iteratively test your game servers without uploading the build to GameLift for every iteration.
    * api-change:``pipes``: [``botocore``] AWS introduces new Amazon EventBridge Pipes which allow you to connect sources (SQS, Kinesis, DDB, Kafka, MQ) to Targets (14+ EventBridge Targets) without any code, with filtering, batching, input transformation, and an optional Enrichment stage (Lambda, StepFunctions, ApiGateway, ApiDestinations)
    * api-change:``stepfunctions``: [``botocore``] Update stepfunctions client to latest version
    

    1.26.20

    =======
    
    * api-change:``accessanalyzer``: [``botocore``] This release adds support for S3 cross account access points. IAM Access Analyzer will now produce public or cross account findings when it detects bucket delegation to external account access points.
    * api-change:``athena``: [``botocore``] This release includes support for using Apache Spark in Amazon Athena.
    * api-change:``dataexchange``: [``botocore``] This release enables data providers to license direct access to data in their Amazon S3 buckets or AWS Lake Formation data lakes through AWS Data Exchange. Subscribers get read-only access to the data and can use it in downstream AWS services, like Amazon Athena, without creating or managing copies.
    * api-change:``docdb-elastic``: [``botocore``] Launched Amazon DocumentDB Elastic Clusters. You can now use the SDK to create, list, update and delete Amazon DocumentDB Elastic Cluster resources
    * api-change:``glue``: [``botocore``] This release adds support for AWS Glue Data Quality, which helps you evaluate and monitor the quality of your data and includes the API for creating, deleting, or updating data quality rulesets, runs and evaluations.
    * api-change:``s3control``: [``botocore``] Amazon S3 now supports cross-account access points. S3 bucket owners can now allow trusted AWS accounts to create access points associated with their bucket.
    * api-change:``sagemaker-geospatial``: [``botocore``] This release provides Amazon SageMaker geospatial APIs to build, train, deploy and visualize geospatial models.
    * api-change:``sagemaker``: [``botocore``] Added Models as part of the Search API. Added Model shadow deployments in realtime inference, and shadow testing in managed inference. Added support for shared spaces, geospatial APIs, Model Cards, AutoMLJobStep in pipelines, Git repositories on user profiles and domains, Model sharing in Jumpstart.
    

    1.26.19

    =======
    
    * api-change:``ec2``: [``botocore``] This release adds support for AWS Verified Access and the Hpc6id Amazon EC2 compute optimized instance type, which features 3rd generation Intel Xeon Scalable processors.
    * api-change:``firehose``: [``botocore``] Allow support for the Serverless offering for Amazon OpenSearch Service as a Kinesis Data Firehose delivery destination.
    * api-change:``kms``: [``botocore``] AWS KMS introduces the External Key Store (XKS), a new feature for customers who want to protect their data with encryption keys stored in an external key management system under their control.
    * api-change:``omics``: [``botocore``] Amazon Omics is a new, purpose-built service that can be used by healthcare and life science organizations to store, query, and analyze omics data. The insights from that data can be used to accelerate scientific discoveries and improve healthcare.
    * api-change:``opensearchserverless``: [``botocore``] Publish SDK for Amazon OpenSearch Serverless
    * api-change:``securitylake``: [``botocore``] Amazon Security Lake automatically centralizes security data from cloud, on-premises, and custom sources into a purpose-built data lake stored in your account. Security Lake makes it easier to analyze security data, so you can improve the protection of your workloads, applications, and data
    * api-change:``simspaceweaver``: [``botocore``] AWS SimSpace Weaver is a new service that helps customers build spatial simulations at new levels of scale - resulting in virtual worlds with millions of dynamic entities. See the AWS SimSpace Weaver developer guide for more details on how to get started. https://docs.aws.amazon.com/simspaceweaver
    

    1.26.18

    =======
    
    * api-change:``arc-zonal-shift``: [``botocore``] Amazon Route 53 Application Recovery Controller Zonal Shift is a new service that makes it easy to shift traffic away from an Availability Zone in a Region. See the developer guide for more information: https://docs.aws.amazon.com/r53recovery/latest/dg/what-is-route53-recovery.html
    * api-change:``compute-optimizer``: [``botocore``] Adds support for a new recommendation preference that makes it possible for customers to optimize their EC2 recommendations by utilizing an external metrics ingestion service to provide metrics.
    * api-change:``config``: [``botocore``] With this release, you can use AWS Config to evaluate your resources for compliance with Config rules before they are created or updated. Using Config rules in proactive mode enables you to test and build compliant resource templates or check resource configurations at the time they are provisioned.
    * api-change:``ec2``: [``botocore``] Introduces ENA Express, which uses AWS SRD and dynamic routing to increase throughput and minimize latency, adds support for trust relationships between Reachability Analyzer and AWS Organizations to enable cross-account analysis, and adds support for Infrastructure Performance metric subscriptions.
    * api-change:``eks``: [``botocore``] Adds support for additional EKS add-ons metadata and filtering fields
    * api-change:``fsx``: [``botocore``] This release adds support for 4GB/s / 160K PIOPS FSx for ONTAP file systems and 10GB/s / 350K PIOPS FSx for OpenZFS file systems (Single_AZ_2). For FSx for ONTAP, this also adds support for DP volumes, snapshot policy, copy tags to backups, and Multi-AZ route table updates.
    * api-change:``glue``: [``botocore``] This release allows the creation of Custom Visual Transforms (Dynamic Transforms) to be created via AWS Glue CLI/SDK.
    * api-change:``inspector2``: [``botocore``] This release adds support for Inspector to scan AWS Lambda.
    * api-change:``lambda``: [``botocore``] Adds support for Lambda SnapStart, which helps improve the startup performance of functions. Customers can now manage SnapStart based functions via CreateFunction and UpdateFunctionConfiguration APIs
    * api-change:``license-manager-user-subscriptions``: [``botocore``] AWS now offers fully-compliant, Amazon-provided licenses for Microsoft Office Professional Plus 2021 Amazon Machine Images (AMIs) on Amazon EC2. These AMIs are now available on the Amazon EC2 console and on AWS Marketplace to launch instances on-demand without any long-term licensing commitments.
    * api-change:``macie2``: [``botocore``] Added support for configuring Macie to continually sample objects from S3 buckets and inspect them for sensitive data. Results appear in statistics, findings, and other data that Macie provides.
    * api-change:``quicksight``: [``botocore``] This release adds new Describe APIs and updates Create and Update APIs to support the data model for Dashboards, Analyses, and Templates.
    * api-change:``s3control``: [``botocore``] Added two new APIs to support Amazon S3 Multi-Region Access Point failover controls: GetMultiRegionAccessPointRoutes and SubmitMultiRegionAccessPointRoutes. The failover control APIs are supported in the following Regions: us-east-1, us-west-2, eu-west-1, ap-southeast-2, and ap-northeast-1.
    * api-change:``securityhub``: [``botocore``] Adding StandardsManagedBy field to DescribeStandards API response
    

    1.26.17

    =======
    
    * bugfix:dynamodb: Fixes duplicate serialization issue in DynamoDB BatchWriter
    * api-change:``backup``: [``botocore``] AWS Backup introduces support for legal hold and application stack backups. AWS Backup Audit Manager introduces support for cross-Region, cross-account reports.
    * api-change:``cloudwatch``: [``botocore``] Update cloudwatch client to latest version
    * api-change:``drs``: [``botocore``] Non breaking changes to existing APIs, and additional APIs added to support in-AWS failing back using AWS Elastic Disaster Recovery.
    * api-change:``ecs``: [``botocore``] This release adds support for ECS Service Connect, a new capability that simplifies writing and operating resilient distributed applications. This release updates the TaskDefinition, Cluster, Service mutation APIs with Service connect constructs and also adds a new ListServicesByNamespace API.
    * api-change:``efs``: [``botocore``] Update efs client to latest version
    * api-change:``iot-data``: [``botocore``] This release adds support for MQTT5 properties to AWS IoT HTTP Publish API.
    * api-change:``iot``: [``botocore``] Job scheduling enables the scheduled rollout of a Job with start and end times and a customizable end behavior when end time is reached. This is available for continuous and snapshot jobs. Added support for MQTT5 properties to AWS IoT TopicRule Republish Action.
    * api-change:``iotwireless``: [``botocore``] This release includes a new feature for customers to calculate the position of their devices by adding three new APIs: UpdateResourcePosition, GetResourcePosition, and GetPositionEstimate.
    * api-change:``kendra``: [``botocore``] Amazon Kendra now supports preview of table information from HTML tables in the search results. The most relevant cells with their corresponding rows, columns are displayed as a preview in the search result. The most relevant table cell or cells are also highlighted in table preview.
    * api-change:``logs``: [``botocore``] Updates to support CloudWatch Logs data protection and CloudWatch cross-account observability
    * api-change:``mgn``: [``botocore``] This release adds support for Application and Wave management. We also now support custom post-launch actions.
    * api-change:``oam``: [``botocore``] Amazon CloudWatch Observability Access Manager is a new service that allows configuration of the CloudWatch cross-account observability feature.
    * api-change:``organizations``: [``botocore``] This release introduces delegated administrator for AWS Organizations, a new feature to help you delegate the management of your Organizations policies, enabling you to govern your AWS organization in a decentralized way. You can now allow member accounts to manage Organizations policies.
    * api-change:``rds``: [``botocore``] This release enables new Aurora and RDS feature called Blue/Green Deployments that makes updates to databases safer, simpler and faster.
    * api-change:``textract``: [``botocore``] This release adds support for classifying and splitting lending documents by type, and extracting information by using the Analyze Lending APIs. This release also includes support for summarized information of the processed lending document package, in addition to per document results.
    * api-change:``transcribe``: [``botocore``] This release adds support for &#x27;inputType&#x27; for post-call and real-time (streaming) Call Analytics within Amazon Transcribe.
    

    1.26.16

    =======
    
    * api-change:``grafana``: [``botocore``] This release includes support for configuring a Grafana workspace to connect to a datasource within a VPC as well as new APIs for configuring Grafana settings.
    * api-change:``rbin``: [``botocore``] This release adds support for Rule Lock for Recycle Bin, which allows you to lock retention rules so that they can no longer be modified or deleted.
    

    1.26.15

    =======
    
    * bugfix:Endpoints: [``botocore``] Resolve endpoint with default partition when no region is set
    * bugfix:s3: [``botocore``] fixes missing x-amz-content-sha256 header for s3 object lambda
    * api-change:``appflow``: [``botocore``] Adding support for Amazon AppFlow to transfer the data to Amazon Redshift databases through Amazon Redshift Data API service. This feature will support the Redshift destination connector on both public and private accessible Amazon Redshift Clusters and Amazon Redshift Serverless.
    * api-change:``kinesisanalyticsv2``: [``botocore``] Support for Apache Flink 1.15 in Kinesis Data Analytics.
    

    1.26.14

    =======
    
    * api-change:``route53``: [``botocore``] Amazon Route 53 now supports the Asia Pacific (Hyderabad) Region (ap-south-2) for latency records, geoproximity records, and private DNS for Amazon VPCs in that region.
    

    1.26.13

    =======
    
    * api-change:``appflow``: [``botocore``] AppFlow provides a new API called UpdateConnectorRegistration to update a custom connector that customers have previously registered. With this API, customers no longer need to unregister and then register a connector to make an update.
    * api-change:``auditmanager``: [``botocore``] This release introduces a new feature for Audit Manager: Evidence finder. You can now use evidence finder to quickly query your evidence, and add the matching evidence results to an assessment report.
    * api-change:``chime-sdk-voice``: [``botocore``] Amazon Chime Voice Connector, Voice Connector Group and PSTN Audio Service APIs are now available in the Amazon Chime SDK Voice namespace. See https://docs.aws.amazon.com/chime-sdk/latest/dg/sdk-available-regions.html for more details.
    * api-change:``cloudfront``: [``botocore``] CloudFront API support for staging distributions and associated traffic management policies.
    * api-change:``connect``: [``botocore``] Added AllowedAccessControlTags and TagRestrictedResource for Tag Based Access Control on Amazon Connect Webpage
    * api-change:``dynamodb``: [``botocore``] Updated minor fixes for DynamoDB documentation.
    * api-change:``dynamodbstreams``: [``botocore``] Update dynamodbstreams client to latest version
    * api-change:``ec2``: [``botocore``] This release adds support for copying an Amazon Machine Image&#x27;s tags when copying an AMI.
    * api-change:``glue``: [``botocore``] AWSGlue Crawler - Adding support for Table and Column level Comments with database level datatypes for JDBC based crawler.
    * api-change:``iot-roborunner``: [``botocore``] AWS IoT RoboRunner is a new service that makes it easy to build applications that help multi-vendor robots work together seamlessly. See the IoT RoboRunner developer guide for more details on getting started. https://docs.aws.amazon.com/iotroborunner/latest/dev/iotroborunner-welcome.html
    * api-change:``quicksight``: [``botocore``] This release adds the following: 1) Asset management for centralized assets governance 2) QuickSight Q now supports public embedding 3) New Termination protection flag to mitigate accidental deletes 4) Athena data sources now accept a custom IAM role 5) QuickSight supports connectivity to Databricks
    * api-change:``sagemaker``: [``botocore``] Added DisableProfiler flag as a new field in ProfilerConfig
    * api-change:``servicecatalog``: [``botocore``] This release 1. adds support for Principal Name Sharing with Service Catalog portfolio sharing. 2. Introduces repo sourced products which are created and managed with existing SC APIs. These products are synced to external repos and auto create new product versions based on changes in the repo.
    * api-change:``ssm-sap``: [``botocore``] AWS Systems Manager for SAP provides simplified operations and management of SAP applications such as SAP HANA. With this release, SAP customers and partners can automate and simplify their SAP system administration tasks such as backup/restore of SAP HANA.
    * api-change:``stepfunctions``: [``botocore``] Update stepfunctions client to latest version
    * api-change:``transfer``: [``botocore``] Adds a NONE encryption algorithm type to AS2 connectors, providing support for skipping encryption of the AS2 message body when a HTTPS URL is also specified.
    

    1.26.12

    =======
    
    * api-change:``amplify``: [``botocore``] Adds a new value (WEB_COMPUTE) to the Platform enum that allows customers to create Amplify Apps with Server-Side Rendering support.
    * api-change:``appflow``: [``botocore``] AppFlow simplifies the preparation and cataloging of SaaS data into the AWS Glue Data Catalog where your data can be discovered and accessed by AWS analytics and ML services. AppFlow now also supports data field partitioning and file size optimization to improve query performance and reduce cost.
    * api-change:``appsync``: [``botocore``] This release introduces the APPSYNC_JS runtime, and adds support for JavaScript in AppSync functions and AppSync pipeline resolvers.
    * api-change:``dms``: [``botocore``] Adds support for Internet Protocol Version 6 (IPv6) on DMS Replication Instances
    * api-change:``ec2``: [``botocore``] This release adds a new optional parameter &quot;privateIpAddress&quot; for the CreateNatGateway API. PrivateIPAddress will allow customers to select a custom Private IPv4 address instead of having it be auto-assigned.
    * api-change:``elbv2``: [``botocore``] Update elbv2 client to latest version
    * api-change:``emr-serverless``: [``botocore``] Adds support for AWS Graviton2 based applications. You can now select CPU architecture when creating new applications or updating existing ones.
    * api-change:``ivschat``: [``botocore``] Adds LoggingConfiguration APIs for IVS Chat - a feature that allows customers to store and record sent messages in a chat room to S3 buckets, CloudWatch logs, or Kinesis firehose.
    * api-change:``lambda``: [``botocore``] Add Node 18 (nodejs18.x) support to AWS Lambda.
    * api-change:``personalize``: [``botocore``] This release provides support for creation and use of metric attributions in AWS Personalize
    * api-change:``polly``: [``botocore``] Add two new neural voices - Ola (pl-PL) and Hala (ar-AE).
    * api-change:``rum``: [``botocore``] CloudWatch RUM now supports custom events. To use custom events, create an app monitor or update an app monitor with CustomEvent Status as ENABLED.
    * api-change:``s3control``: [``botocore``] Added 34 new S3 Storage Lens metrics to support additional customer use cases.
    * api-change:``secretsmanager``: [``botocore``] Documentation updates for Secrets Manager.
    * api-change:``securityhub``: [``botocore``] Added SourceLayerArn and SourceLayerHash field for security findings.  Updated AwsLambdaFunction Resource detail
    * api-change:``servicecatalog-appregistry``: [``botocore``] This release adds support for tagged resource associations, which allows you to associate a group of resources with a defined resource tag key and value to the application.
    * api-change:``sts``: [``botocore``] Documentation updates for AWS Security Token Service.
    * api-change:``textract``: [``botocore``] This release adds support for specifying and extracting information from documents using the Signatures feature within Analyze Document API
    * api-change:``workspaces``: [``botocore``] The release introduces CreateStandbyWorkspaces, an API that allows you to create standby WorkSpaces associated with a primary WorkSpace in another Region. DescribeWorkspaces now includes related WorkSpaces properties. DescribeWorkspaceBundles and CreateWorkspaceBundle now return more bundle details.
    

    1.26.11

    =======
    
    * api-change:``batch``: [``botocore``] Documentation updates related to Batch on EKS
    * api-change:``billingconductor``: [``botocore``] This release adds a new feature BillingEntity pricing rule.
    * api-change:``cloudformation``: [``botocore``] Added UnsupportedTarget HandlerErrorCode for use with CFN Resource Hooks
    * api-change:``comprehendmedical``: [``botocore``] This release supports new set of entities and traits. It also adds new category (BEHAVIORAL_ENVIRONMENTAL_SOCIAL).
    * api-change:``connect``: [``botocore``] This release adds a new MonitorContact API for initiating monitoring of ongoing Voice and Chat contacts.
    * api-change:``eks``: [``botocore``] Adds support for customer-provided placement groups for Kubernetes control plane instances when creating local EKS clusters on Outposts
    * api-change:``elasticache``: [``botocore``] for Redis now supports AWS Identity and Access Management authentication access to Redis clusters starting with redis-engine version 7.0
    * api-change:``iottwinmaker``: [``botocore``] This release adds the following: 1) ExecuteQuery API allows users to query their AWS IoT TwinMaker Knowledge Graph 2) Pricing plan APIs allow users to configure and manage their pricing mode 3) Support for property groups and tabular property values in existing AWS IoT TwinMaker APIs.
    * api-change:``personalize-events``: [``botocore``] This release provides support for creation and use of metric attributions in AWS Personalize
    * api-change:``proton``: [``botocore``] Add support for sorting and filtering in ListServiceInstances
    * api-change:``rds``: [``botocore``] This release adds support for container databases (CDBs) to Amazon RDS Custom for Oracle. A CDB contains one PDB at creation. You can add more PDBs using Oracle SQL. You can also customize your database installation by setting the Oracle base, Oracle home, and the OS user name and group.
    * api-change:``ssm-incidents``: [``botocore``] Add support for PagerDuty integrations on ResponsePlan, IncidentRecord, and RelatedItem APIs
    * api-change:``ssm``: [``botocore``] This release adds support for cross account access in CreateOpsItem, UpdateOpsItem and GetOpsItem. It introduces new APIs to setup resource policies for SSM resources: PutResourcePolicy, GetResourcePolicies and DeleteResourcePolicy.
    * api-change:``transfer``: [``botocore``] Allow additional operations to throw ThrottlingException
    * api-change:``xray``: [``botocore``] This release adds new APIs - PutResourcePolicy, DeleteResourcePolicy, ListResourcePolicies for supporting resource based policies for AWS X-Ray.
    

    1.26.10

    =======
    
    * bugfix:s3: [``botocore``] fixes missing x-amz-content-sha256 header for s3 on outpost
    * enhancement:sso: [``botocore``] Add support for loading sso-session profiles from the aws config
    * api-change:``connect``: [``botocore``] This release updates the APIs: UpdateInstanceAttribute, DescribeInstanceAttribute, and ListInstanceAttributes. You can use it to programmatically enable/disable enhanced contact monitoring using attribute type ENHANCED_CONTACT_MONITORING on the specified Amazon Connect instance.
    * api-change:``greengrassv2``: [``botocore``] Adds new parent target ARN paramater to CreateDeployment, GetDeployment, and ListDeployments APIs for the new subdeployments feature.
    * api-change:``route53``: [``botocore``] Amazon Route 53 now supports the Europe (Spain) Region (eu-south-2) for latency records, geoproximity records, and private DNS for Amazon VPCs in that region.
    * api-change:``ssmsap``: [``botocore``] AWS Systems Manager for SAP provides simplified operations and management of SAP applications such as SAP HANA. With this release, SAP customers and partners can automate and simplify their SAP system administration tasks such as backup/restore of SAP HANA.
    * api-change:``workspaces``: [``botocore``] This release introduces ModifyCertificateBasedAuthProperties, a new API that allows control of certificate-based auth properties associated with a WorkSpaces directory. The DescribeWorkspaceDirectories API will now additionally return certificate-based auth properties in its responses.
    

    1.26.9

    ======
    
    * api-change:``customer-profiles``: [``botocore``] This release enhances the SearchProfiles API by providing functionality to search for profiles using multiple keys and logical operators.
    * api-change:``lakeformation``: [``botocore``] This release adds a new parameter &quot;Parameters&quot; in the DataLakeSettings.
    * api-change:``managedblockchain``: [``botocore``] Updating the API docs data type: NetworkEthereumAttributes, and the operations DeleteNode, and CreateNode to also include the supported Goerli network.
    * api-change:``proton``: [``botocore``] Add support for CodeBuild Provisioning
    * api-change:``rds``: [``botocore``] This release adds support for restoring an RDS Multi-AZ DB cluster snapshot to a Single-AZ deployment or a Multi-AZ DB instance deployment.
    * api-change:``workdocs``: [``botocore``] Added 2 new document related operations, DeleteDocumentVersion and RestoreDocumentVersions.
    * api-change:``xray``: [``botocore``] This release enhances GetServiceGraph API to support new type of edge to represent links between SQS and Lambda in event-driven applications.
    

    1.26.8

    ======
    
    * api-change:``glue``: [``botocore``] Added links related to enabling job bookmarks.
    * api-change:``iot``: [``botocore``] This release add new api listRelatedResourcesForAuditFinding and new member type IssuerCertificates for Iot device device defender Audit.
    * api-change:``license-manager``: [``botocore``] AWS License Manager now supports onboarded Management Accounts or Delegated Admins to view granted licenses aggregated from all accounts in the organization.
    * api-change:``marketplace-catalog``: [``botocore``] Added three new APIs to support tagging and tag-based authorization: TagResource, UntagResource, and ListTagsForResource. Added optional parameters to the StartChangeSet API to support tagging a resource while making a request to create it.
    * api-change:``rekognition``: [``botocore``] Adding support for ImageProperties feature to detect dominant colors and image brightness, sharpness, and contrast, inclusion and exclusion filters for labels and label categories, new fields to the API response, &quot;aliases&quot; and &quot;categories&quot;
    * api-change:``securityhub``: [``botocore``] Documentation updates for Security Hub
    * api-change:``ssm-incidents``: [``botocore``] RelatedItems now have an ID field which can be used for referencing them else where. Introducing event references in TimelineEvent API and increasing maximum length of &quot;eventData&quot; to 12K characters.
    

    1.26.7

    ======
    
    * api-change:``autoscaling``: [``botocore``] This release adds a new price capacity optimized allocation strategy for Spot Instances to help customers optimize provisioning of Spot Instances via EC2 Auto Scaling, EC2 Fleet, and Spot Fleet. It allocates Spot Instances based on both spare capacity availability and Spot Instance price.
    * api-change:``ec2``: [``botocore``] This release adds a new price capacity optimized allocation strategy for Spot Instances to help customers optimize provisioning of Spot Instances via EC2 Auto Scaling, EC2 Fleet, and Spot Fleet. It allocates Spot Instances based on both spare capacity availability and Spot Instance price.
    * api-change:``ecs``: [``botocore``] This release adds support for task scale-in protection with updateTaskProtection and getTaskProtection APIs. UpdateTaskProtection API can be used to protect a service managed task from being terminated by scale-in events and getTaskProtection API to get the scale-in protection status of a task.
    * api-change:``es``: [``botocore``] Amazon OpenSearch Service now offers managed VPC endpoints to connect to your Amazon OpenSearch Service VPC-enabled domain in a Virtual Private Cloud (VPC). This feature allows you to privately access OpenSearch Service domain without using public IPs or requiring traffic to traverse the Internet.
    * api-change:``resource-explorer-2``: [``botocore``] Text only updates to some Resource Explorer descriptions.
    * api-change:``scheduler``: [``botocore``] AWS introduces the new Amazon EventBridge Scheduler. EventBridge Scheduler is a serverless scheduler that allows you to create, run, and manage tasks from one central, managed service.
    

    1.26.6

    ======
    
    * api-change:``connect``: [``botocore``] This release adds new fields SignInUrl, UserArn, and UserId to GetFederationToken response payload.
    * api-change:``connectcases``: [``botocore``] This release adds the ability to disable templates through the UpdateTemplate API. Disabling templates prevents customers from creating cases using the template. For more information see https://docs.aws.amazon.com/cases/latest/APIReference/Welcome.html
    * api-change:``ec2``: [``botocore``] Amazon EC2 Trn1 instances, powered by AWS Trainium chips, are purpose built for high-performance deep learning training. u-24tb1.112xlarge and u-18tb1.112xlarge High Memory instances are purpose-built to run large in-memory databases.
    * api-change:``groundstation``: [``botocore``] This release adds the preview of customer-provided ephemeris support for AWS Ground Station, allowing space vehicle owners to provide their own position and trajectory information for a satellite.
    * api-change:``mediapackage-vod``: [``botocore``] This release adds &quot;IncludeIframeOnlyStream&quot; for Dash endpoints.
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.5

    ======
    
    * api-change:``acm``: [``botocore``] Support added for requesting elliptic curve certificate key algorithm types P-256 (EC_prime256v1) and P-384 (EC_secp384r1).
    * api-change:``billingconductor``: [``botocore``] This release adds the Recurring Custom Line Item feature along with a new API ListCustomLineItemVersions.
    * api-change:``ec2``: [``botocore``] This release enables sharing of EC2 Placement Groups across accounts and within AWS Organizations using Resource Access Manager
    * api-change:``fms``: [``botocore``] AWS Firewall Manager now supports importing existing AWS Network Firewall firewalls into Firewall Manager policies.
    * api-change:``lightsail``: [``botocore``] This release adds support for Amazon Lightsail to automate the delegation of domains registered through Amazon Route 53 to Lightsail DNS management and to automate record creation for DNS validation of Lightsail SSL/TLS certificates.
    * api-change:``opensearch``: [``botocore``] Amazon OpenSearch Service now offers managed VPC endpoints to connect to your Amazon OpenSearch Service VPC-enabled domain in a Virtual Private Cloud (VPC). This feature allows you to privately access OpenSearch Service domain without using public IPs or requiring traffic to traverse the Internet.
    * api-change:``polly``: [``botocore``] Amazon Polly adds new voices: Elin (sv-SE), Ida (nb-NO), Laura (nl-NL) and Suvi (fi-FI). They are available as neural voices only.
    * api-change:``resource-explorer-2``: [``botocore``] This is the initial SDK release for AWS Resource Explorer. AWS Resource Explorer lets your users search for and discover your AWS resources across the AWS Regions in your account.
    * api-change:``route53``: [``botocore``] Amazon Route 53 now supports the Europe (Zurich) Region (eu-central-2) for latency records, geoproximity records, and private DNS for Amazon VPCs in that region.
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.4

    ======
    
    * api-change:``athena``: [``botocore``] Adds support for using Query Result Reuse
    * api-change:``autoscaling``: [``botocore``] This release adds support for two new attributes for attribute-based instance type selection - NetworkBandwidthGbps and AllowedInstanceTypes.
    * api-change:``cloudtrail``: [``botocore``] This release includes support for configuring a delegated administrator to manage an AWS Organizations organization CloudTrail trails and event data stores, and AWS Key Management Service encryption of CloudTrail Lake event data stores.
    * api-change:``ec2``: [``botocore``] This release adds support for two new attributes for attribute-based instance type selection - NetworkBandwidthGbps and AllowedInstanceTypes.
    * api-change:``elasticache``: [``botocore``] Added support for IPv6 and dual stack for Memcached and Redis clusters. Customers can now launch new Redis and Memcached clusters with IPv6 and dual stack networking support.
    * api-change:``lexv2-models``: [``botocore``] Update lexv2-models client to latest version
    * api-change:``mediaconvert``: [``botocore``] The AWS Elemental MediaConvert SDK has added support for setting the SDR reference white point for HDR conversions and conversion of HDR10 to DolbyVision without mastering metadata.
    * api-change:``ssm``: [``botocore``] This release includes support for applying a CloudWatch alarm to multi account multi region Systems Manager Automation
    * api-change:``wafv2``: [``botocore``] The geo match statement now adds labels for country and region. You can match requests at the region level by combining a geo match statement with label match statements.
    * api-change:``wellarchitected``: [``botocore``] This release adds support for integrations with AWS Trusted Advisor and AWS Service Catalog AppRegistry to improve workload discovery and speed up your workload reviews.
    * api-change:``workspaces``: [``botocore``] This release adds protocols attribute to workspaces properties data type. This enables customers to migrate workspaces from PC over IP (PCoIP) to WorkSpaces Streaming Protocol (WSP) using create and modify workspaces public APIs.
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.3

    ======
    
    * api-change:``ec2``: [``botocore``] This release adds API support for the recipient of an AMI account share to remove shared AMI launch permissions.
    * api-change:``emr-containers``: [``botocore``] Adding support for Job templates. Job templates allow you to create and store templates to configure Spark applications parameters. This helps you ensure consistent settings across applications by reusing and enforcing configuration overrides in data pipelines.
    * api-change:``logs``: [``botocore``] Doc-only update for bug fixes and support of export to buckets encrypted with SSE-KMS
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.2

    ======
    
    * api-change:``memorydb``: [``botocore``] Adding support for r6gd instances for MemoryDB Redis with data tiering. In a cluster with data tiering enabled, when available memory capacity is exhausted, the least recently used data is automatically tiered to solid state drives for cost-effective capacity scaling with minimal performance impact.
    * api-change:``sagemaker``: [``botocore``] Amazon SageMaker now supports running training jobs on ml.trn1 instance types.
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.1

    ======
    
    * api-change:``iotsitewise``: [``botocore``] This release adds the ListAssetModelProperties and ListAssetProperties APIs. You can list all properties that belong to a single asset model or asset using these two new APIs.
    * api-change:``s3control``: [``botocore``] S3 on Outposts launches support for Lifecycle configuration for Outposts buckets. With S3 Lifecycle configuration, you can mange objects so they are stored cost effectively. You can manage objects using size-based rules and specify how many noncurrent versions bucket will retain.
    * api-change:``sagemaker``: [``botocore``] This release updates Framework model regex for ModelPackage to support new Framework version xgboost, sklearn.
    * api-change:``ssm-incidents``: [``botocore``] Adds support for tagging replication-set on creation.
    

    1.26.0

    ======
    
    * feature:Endpoints: [``botocore``] Migrate all services to use new AWS Endpoint Resolution framework
    * Enhancement:Endpoints: [``botocore``] Discontinued use of `sslCommonName` hosts as detailed in 1.27.0 (see `2705 &lt;https://github.com/boto/botocore/issues/2705&gt;`__ for more info)
    * api-change:``rds``: [``botocore``] Relational Database Service - This release adds support for configuring Storage Throughput on RDS database instances.
    * api-change:``textract``: [``botocore``] Add ocr results in AnalyzeIDResponse as blocks
    

    1.25.5

    ======
    
    * api-change:``apprunner``: [``botocore``] This release adds support for private App Runner services. Services may now be configured to be made private and only accessible from a VPC. The changes include a new VpcIngressConnection resource and several new and modified APIs.
    * api-change:``connect``: [``botocore``] Amazon connect now support a new API DismissUserContact to dismiss or remove terminated contacts in Agent CCP
    * api-change:``ec2``: [``botocore``] Elastic IP transfer is a new Amazon VPC feature that allows you to transfer your Elastic IP addresses from one AWS Account to another.
    * api-change:``iot``: [``botocore``] This release adds the Amazon Location action to IoT Rules Engine.
    * api-change:``logs``: [``botocore``] SDK release to support tagging for destinations and log groups with TagResource. Also supports tag on create with PutDestination.
    * api-change:``sesv2``: [``botocore``] This release includes support for interacting with the Virtual Deliverability Manager, allowing you to opt in/out of the feature and to retrieve recommendations and metric data.
    * api-change:``textract``: [``botocore``] This release introduces additional support for 30+ normalized fields such as vendor address and currency. It also includes OCR output in the response and accuracy improvements for the already supported fields in previous version
    

    1.25.4

    ======
    
    * api-change:``apprunner``: [``botocore``] AWS App Runner adds .NET 6, Go 1, PHP 8.1 and Ruby 3.1 runtimes.
    * api-change:``appstream``: [``botocore``] This release includes CertificateBasedAuthProperties in CreateDirectoryConfig and UpdateDirectoryConfig.
    * api-change:``cloud9``: [``botocore``] Update to the documentation section of the Cloud9 API Reference guide.
    * api-change:``cloudformation``: [``botocore``] This release adds more fields to improves visibility of AWS CloudFormation StackSets information in following APIs: ListStackInstances, DescribeStackInstance, ListStackSetOperationResults, ListStackSetOperations, DescribeStackSetOperation.
    * api-change:``gamesparks``: [``botocore``] Add LATEST as a possible GameSDK Version on snapshot
    * api-change:``mediatailor``: [``botocore``] This release introduces support for SCTE-35 segmentation descriptor messages which can be sent within time signal messages.
    

    1.25.3

    ======
    
    * api-change:``ec2``: [``botocore``] Feature supports the replacement of instance root volume using an updated AMI without requiring customers to stop their instance.
    * api-change:``fms``: [``botocore``] Add support NetworkFirewall Managed Rule Group Override flag in GetViolationDetails API
    * api-change:``glue``: [``botocore``] Added support for custom datatypes when using custom csv classifier.
    * api-change:``redshift``: [``botocore``] This release clarifies use for the ElasticIp parameter of the CreateCluster and RestoreFromClusterSnapshot APIs.
    * api-change:``sagemaker``: [``botocore``] This change allows customers to provide a custom entrypoint script for the docker container to be run while executing training jobs, and provide custom arguments to the entrypoint script.
    * api-change:``wafv2``: [``botocore``] This release adds the following: Challenge rule action, to silently verify client browsers; rule group rule action override to any valid rule action, not just Count; token sharing between protected applications for challenge/CAPTCHA token; targeted rules option for Bot Control managed rule group.
    

    1.25.2

    ======
    
    * api-change:``iam``: [``botocore``] Doc only update that corrects instances of CLI not using an entity.
    * api-change:``kafka``: [``botocore``] This release adds support for Tiered Storage. UpdateStorage allows you to control the Storage Mode for supported storage tiers.
    * api-change:``neptune``: [``botocore``] Added a new cluster-level attribute to set the capacity range for Neptune Serverless instances.
    * api-change:``sagemaker``: [``botocore``] Amazon SageMaker Automatic Model Tuning now supports specifying Grid Search strategy for tuning jobs, which evaluates all hyperparameter combinations exhaustively based on the categorical hyperparameters provided.
    

    1.25.1

    ======
    
    * api-change:``accessanalyzer``: [``botocore``] This release adds support for six new resource types in IAM Access Analyzer to help you easily identify public and cross-account access to your AWS resources. Updated service API, documentation, and paginators.
    * api-change:``location``: [``botocore``] Added new map styles with satellite imagery for map resources using HERE as a data provider.
    * api-change:``mediatailor``: [``botocore``] This release is a documentation update
    * api-change:``rds``: [``botocore``] Relational Database Service - This release adds support for exporting DB cluster data to Amazon S3.
    * api-change:``workspaces``: [``botocore``] This release adds new enums for supporting Workspaces Core features, including creating Manual running mode workspaces, importing regular Workspaces Core images and importing g4dn Workspaces Core images.
    

    1.25.0

    ======
    
    * feature:Endpoints: [``botocore``] Implemented new endpoint ruleset system to dynamically derive endpoints and settings for services
    * api-change:``acm-pca``: [``botocore``] AWS Private Certificate Authority (AWS Private CA) now offers usage modes which are combination of features to address specific use cases.
    * api-change:``batch``: [``botocore``] This release adds support for AWS Batch on Amazon EKS.
    * api-change:``datasync``: [``botocore``] Added support for self-signed certificates when using object storage locations; added BytesCompressed to the TaskExecution response.
    * api-change:``sagemaker``: [``botocore``] SageMaker Inference Recommender now supports a new API ListInferenceRecommendationJobSteps to return the details of all the benchmark we create for an inference recommendation job.
    

    1.24.96

    =======
    
    * api-change:``cognito-idp``: [``botocore``] This release adds a new &quot;DeletionProtection&quot; field to the UserPool in Cognito. Application admins can configure this value with either ACTIVE or INACTIVE value. Setting this field to ACTIVE will prevent a user pool from accidental deletion.
    * api-change:``sagemaker``: [``botocore``] CreateInferenceRecommenderjob API now supports passing endpoint details directly, that will help customers to identify the max invocation and max latency they can achieve for their model and the associated endpoint along with getting recommendations on other instances.
    

    1.24.95

    =======
    
    * api-change:``devops-guru``: [``botocore``] This release adds information about the resources DevOps Guru is analyzing.
    * api-change:``globalaccelerator``: [``botocore``] Global Accelerator now supports AddEndpoints and RemoveEndpoints operations for standard endpoint groups.
    * api-change:``resiliencehub``: [``botocore``] In this release, we are introducing support for regional optimization for AWS Resilience Hub applications. It also includes a few documentation updates to improve clarity.
    * api-change:``rum``: [``botocore``] CloudWatch RUM now supports Extended CloudWatch Metrics with Additional Dimensions
    

    1.24.94

    =======
    
    * api-change:``chime-sdk-messaging``: [``botocore``] Documentation updates for Chime Messaging SDK
    * api-change:``cloudtrail``: [``botocore``] This release includes support for exporting CloudTrail Lake query results to an Amazon S3 bucket.
    * api-change:``config``: [``botocore``] This release adds resourceType enums for AppConfig, AppSync, DataSync, EC2, EKS, Glue, GuardDuty, SageMaker, ServiceDiscovery, SES, Route53 types.
    * api-change:``connect``: [``botocore``] This release adds API support for managing phone numbers that can be used across multiple AWS regions through telephony traffic distribution.
    * api-change:``events``: [``botocore``] Update events client to latest version
    * api-change:``managedblockchain``: [``botocore``] Adding new Accessor APIs for Amazon Managed Blockchain
    * api-change:``s3``: [``botocore``] Updates internal logic for constructing API endpoints. We have added rule-based endpoints and internal model parameters.
    * api-change:``s3control``: [``botocore``] Updates internal logic for constructing API endpoints. We have added rule-based endpoints and internal model parameters.
    * api-change:``support-app``: [``botocore``] This release adds the RegisterSlackWorkspaceForOrganization API. You can use the API to register a Slack workspace for an AWS account that is part of an organization.
    * api-change:``workspaces-web``: [``botocore``] WorkSpaces Web now supports user access logging for recording session start, stop, and URL navigation.
    

    1.24.93

    =======
    
    * api-change:``frauddetector``: [``botocore``] Documentation Updates for Amazon Fraud Detector
    * api-change:``sagemaker``: [``botocore``] This change allows customers to enable data capturing while running a batch transform job, and configure monitoring schedule to monitoring the captured data.
    * api-change:``servicediscovery``: [``botocore``] Updated the ListNamespaces API to support the NAME and HTTP_NAME filters, and the BEGINS_WITH filter condition.
    * api-change:``sesv2``: [``botocore``] This release allows subscribers to enable Dedicated IPs (managed) to send email via a fully managed dedicated IP experience. It also adds identities&#x27; VerificationStatus in the response of GetEmailIdentity and ListEmailIdentities APIs, and ImportJobs counts in the response of ListImportJobs API.
    

    1.24.92

    =======
    
    * api-change:``greengrass``: [``botocore``] This change allows customers to specify FunctionRuntimeOverride in FunctionDefinitionVersion. This configuration can be used if the runtime on the device is different from the AWS Lambda runtime specified for that function.
    * api-change:``sagemaker``: [``botocore``] This release adds support for C7g, C6g, C6gd, C6gn, M6g, M6gd, R6g, and R6gn Graviton instance types in Amazon SageMaker Inference.
    

    1.24.91

    =======
    
    * api-change:``mediaconvert``: [``botocore``] MediaConvert now supports specifying the minimum percentage of the HRD buffer available at the end of each encoded video segment.
    

    1.24.90

    =======
    
    * api-change:``amplifyuibuilder``: [``botocore``] We are releasing the ability for fields to be configured as arrays.
    * api-change:``appflow``: [``botocore``] With this update, you can choose which Salesforce API is used by Amazon AppFlow to transfer data to or from your Salesforce account. You can choose the Salesforce REST API or Bulk API 2.0. You can also choose for Amazon AppFlow to pick the API automatically.
    * api-change:``connect``: [``botocore``] This release adds support for a secondary email and a mobile number for Amazon Connect instance users.
    * api-change:``ds``: [``botocore``] This release adds support for describing and updating AWS Managed Microsoft AD set up.
    * api-change:``ecs``: [``botocore``] Documentation update to address tickets.
    * api-change:``guardduty``: [``botocore``] Add UnprocessedDataSources to CreateDetectorResponse which specifies the data sources that couldn&#x27;t be enabled during the CreateDetector request. In addition, update documentations.
    * api-change:``iam``: [``botocore``] Documentation updates for the AWS Identity and Access Management API Reference.
    * api-change:``iotfleetwise``: [``botocore``] Documentation update for AWS IoT FleetWise
    * api-change:``medialive``: [``botocore``] AWS Elemental MediaLive now supports forwarding SCTE-35 messages through the Event Signaling and Management (ESAM) API, and can read those SCTE-35 messages from an inactive source.
    * api-change:``mediapackage-vod``: [``botocore``] This release adds SPEKE v2 support for MediaPackage VOD. Speke v2 is an upgrade to the existing SPEKE API to support multiple encryption keys, based on an encryption contract selected by the customer.
    * api-change:``panorama``: [``botocore``] Pause and resume camera stream processing with SignalApplicationInstanceNodeInstances. Reboot an appliance with CreateJobForDevices. More application state information in DescribeApplicationInstance response.
    * api-change:``rds-data``: [``botocore``] Doc update to reflect no support for schema parameter on BatchExecuteStatement API
    * api-change:``ssm-incidents``: [``botocore``] Update RelatedItem enum to support Tasks
    * api-change:``ssm``: [``botocore``] Support of AmazonLinux2022 by Patch Manager
    * api-change:``transfer``: [``botocore``] This release adds an option for customers to configure workflows that are triggered when files are only partially received from a client due to premature session disconnect.
    * api-change:``translate``: [``botocore``] This release enables customers to specify multiple target languages in asynchronous batch translation requests.
    * api-change:``wisdom``: [``botocore``] This release updates the GetRecommendations API to include a trigger event list for classifying and grouping recommendations.
    

    1.24.89

    =======
    
    * api-change:``codeguru-reviewer``: [``botocore``] Documentation update to replace broken link.
    * api-change:``elbv2``: [``botocore``] Update elbv2 client to latest version
    * api-change:``greengrassv2``: [``botocore``] This release adds error status details for deployments and components that failed on a device and adds features to improve visibility into component installation.
    * api-change:``quicksight``: [``botocore``] Amazon QuickSight now supports SecretsManager Secret ARN in place of CredentialPair for DataSource creation and update. This release also has some minor documentation updates and removes CountryCode as a required parameter in GeoSpatialColumnGroup
    

    1.24.88

    =======
    
    * api-change:``resiliencehub``: [``botocore``] Documentation change for AWS Resilience Hub. Doc-only update to fix Documentation layout
    

    1.24.87

    =======
    
    * api-change:``glue``: [``botocore``] This SDK release adds support to sync glue jobs with source control provider. Additionally, a new parameter called SourceControlDetails will be added to Job model.
    * api-change:``network-firewall``: [``botocore``] StreamExceptionPolicy configures how AWS Network Firewall processes traffic when a network connection breaks midstream
    * api-change:``outposts``: [``botocore``] This release adds the Asset state information to the ListAssets response. The ListAssets request supports filtering on Asset state.
    

    1.2

    opened by pyup-bot 1
  • Update boto3 to 1.26.32

    Update boto3 to 1.26.32

    This PR updates boto3 from 1.9.182 to 1.26.32.

    Changelog

    1.26.32

    =======
    
    * enhancement:s3: s3.transfer methods accept path-like objects as input
    * api-change:``appflow``: [``botocore``] This release updates the ListConnectorEntities API action so that it returns paginated responses that customers can retrieve with next tokens.
    * api-change:``cloudfront``: [``botocore``] Updated documentation for CloudFront
    * api-change:``datasync``: [``botocore``] AWS DataSync now supports the use of tags with task executions. With this new feature, you can apply tags each time you execute a task, giving you greater control and management over your task executions.
    * api-change:``efs``: [``botocore``] Update efs client to latest version
    * api-change:``guardduty``: [``botocore``] This release provides the valid characters for the Description and Name field.
    * api-change:``iotfleetwise``: [``botocore``] Updated error handling for empty resource names in &quot;UpdateSignalCatalog&quot; and &quot;GetModelManifest&quot; operations.
    * api-change:``sagemaker``: [``botocore``] AWS sagemaker - Features: This release adds support for random seed, it&#x27;s an integer value used to initialize a pseudo-random number generator. Setting a random seed will allow the hyperparameter tuning search strategies to produce more consistent configurations for the same tuning job.
    

    1.26.31

    =======
    
    * api-change:``backup-gateway``: [``botocore``] This release adds support for VMware vSphere tags, enabling customer to protect VMware virtual machines using tag-based policies for AWS tags mapped from vSphere tags. This release also adds support for customer-accessible gateway-hypervisor interaction log and upload bandwidth rate limit schedule.
    * api-change:``connect``: [``botocore``] Added support for &quot;English - New Zealand&quot; and &quot;English - South African&quot; to be used with Amazon Connect Custom Vocabulary APIs.
    * api-change:``ecs``: [``botocore``] This release adds support for container port ranges in ECS, a new capability that allows customers to provide container port ranges to simplify use cases where multiple ports are in use in a container. This release updates TaskDefinition mutation APIs and the Task description APIs.
    * api-change:``eks``: [``botocore``] Add support for Windows managed nodes groups.
    * api-change:``glue``: [``botocore``] This release adds support for AWS Glue Crawler with native DeltaLake tables, allowing Crawlers to classify Delta Lake format tables and catalog them for query engines to query against.
    * api-change:``kinesis``: [``botocore``] Added StreamARN parameter for Kinesis Data Streams APIs. Added a new opaque pagination token for ListStreams. SDKs will auto-generate Account Endpoint when accessing Kinesis Data Streams.
    * api-change:``location``: [``botocore``] This release adds support for a new style, &quot;VectorOpenDataStandardLight&quot; which can be used with the new data source, &quot;Open Data Maps (Preview)&quot;.
    * api-change:``m2``: [``botocore``] Adds an optional create-only `KmsKeyId` property to Environment and Application resources.
    * api-change:``sagemaker``: [``botocore``] SageMaker Inference Recommender now allows customers to load tests their models on various instance types using private VPC.
    * api-change:``securityhub``: [``botocore``] Added new resource details objects to ASFF, including resources for AwsEc2LaunchTemplate, AwsSageMakerNotebookInstance, AwsWafv2WebAcl and AwsWafv2RuleGroup.
    * api-change:``translate``: [``botocore``] Raised the input byte size limit of the Text field in the TranslateText API to 10000 bytes.
    

    1.26.30

    =======
    
    * api-change:``ce``: [``botocore``] This release supports percentage-based thresholds on Cost Anomaly Detection alert subscriptions.
    * api-change:``cloudwatch``: [``botocore``] Update cloudwatch client to latest version
    * api-change:``networkmanager``: [``botocore``] Appliance Mode support for AWS Cloud WAN.
    * api-change:``redshift-data``: [``botocore``] This release adds a new --client-token field to ExecuteStatement and BatchExecuteStatement operations. Customers can now run queries with the additional client token parameter to ensures idempotency.
    * api-change:``sagemaker-metrics``: [``botocore``] Update SageMaker Metrics documentation.
    

    1.26.29

    =======
    
    * api-change:``cloudtrail``: [``botocore``] Merging mainline branch for service model into mainline release branch. There are no new APIs.
    * api-change:``rds``: [``botocore``] This deployment adds ClientPasswordAuthType field to the Auth structure of the DBProxy.
    

    1.26.28

    =======
    
    * bugfix:Endpoint provider: [``botocore``] Updates ARN parsing ``resourceId`` delimiters
    * api-change:``customer-profiles``: [``botocore``] This release allows custom strings in PartyType and Gender through 2 new attributes in the CreateProfile and UpdateProfile APIs: PartyTypeString and GenderString.
    * api-change:``ec2``: [``botocore``] This release updates DescribeFpgaImages to show supported instance types of AFIs in its response.
    * api-change:``kinesisvideo``: [``botocore``] This release adds support for public preview of Kinesis Video Stream at Edge enabling customers to provide configuration for the Kinesis Video Stream EdgeAgent running on an on-premise IoT device. Customers can now locally record from cameras and stream videos to the cloud on configured schedule.
    * api-change:``lookoutvision``: [``botocore``] This documentation update adds kms:GenerateDataKey as a required permission to StartModelPackagingJob.
    * api-change:``migration-hub-refactor-spaces``: [``botocore``] This release adds support for Lambda alias service endpoints. Lambda alias ARNs can now be passed into CreateService.
    * api-change:``rds``: [``botocore``] Update the RDS API model to support copying option groups during the CopyDBSnapshot operation
    * api-change:``rekognition``: [``botocore``] Adds support for &quot;aliases&quot; and &quot;categories&quot;, inclusion and exclusion filters for labels and label categories, and aggregating labels by video segment timestamps for Stored Video Label Detection APIs.
    * api-change:``sagemaker-metrics``: [``botocore``] This release introduces support SageMaker Metrics APIs.
    * api-change:``wafv2``: [``botocore``] Documents the naming requirement for logging destinations that you use with web ACLs.
    

    1.26.27

    =======
    
    * api-change:``iotfleetwise``: [``botocore``] Deprecated assignedValue property for actuators and attributes.  Added a message to invalid nodes and invalid decoder manifest exceptions.
    * api-change:``logs``: [``botocore``] Doc-only update for CloudWatch Logs, for Tagging Permissions clarifications
    * api-change:``medialive``: [``botocore``] Link devices now support buffer size (latency) configuration. A higher latency value means a longer delay in transmitting from the device to MediaLive, but improved resiliency. A lower latency value means a shorter delay, but less resiliency.
    * api-change:``mediapackage-vod``: [``botocore``] This release provides the approximate number of assets in a packaging group.
    

    1.26.26

    =======
    
    * enhancement:Endpoint Provider Standard Library: [``botocore``] Correct spelling of &#x27;library&#x27; in ``StandardLibrary`` class
    * api-change:``autoscaling``: [``botocore``] Adds support for metric math for target tracking scaling policies, saving you the cost and effort of publishing a custom metric to CloudWatch. Also adds support for VPC Lattice by adding the Attach/Detach/DescribeTrafficSources APIs and a new health check type to the CreateAutoScalingGroup API.
    * api-change:``iottwinmaker``: [``botocore``] This release adds the following new features: 1) New APIs for managing a continuous sync of assets and asset models from AWS IoT SiteWise. 2) Support user friendly names for component types (ComponentTypeName) and properties (DisplayName).
    * api-change:``migrationhubstrategy``: [``botocore``] This release adds known application filtering, server selection for assessments, support for potential recommendations, and indications for configuration and assessment status. For more information, see the AWS Migration Hub documentation at https://docs.aws.amazon.com/migrationhub/index.html
    

    1.26.25

    =======
    
    * api-change:``ce``: [``botocore``] This release adds the LinkedAccountName field to the GetAnomalies API response under RootCause
    * api-change:``cloudfront``: [``botocore``] Introducing UpdateDistributionWithStagingConfig that can be used to promote the staging configuration to the production.
    * api-change:``eks``: [``botocore``] Adds support for EKS add-ons configurationValues fields and DescribeAddonConfiguration function
    * api-change:``kms``: [``botocore``] Updated examples and exceptions for External Key Store (XKS).
    

    1.26.24

    =======
    
    * api-change:``billingconductor``: [``botocore``] This release adds the Tiering Pricing Rule feature.
    * api-change:``connect``: [``botocore``] This release provides APIs that enable you to programmatically manage rules for Contact Lens conversational analytics and third party applications. For more information, see   https://docs.aws.amazon.com/connect/latest/APIReference/rules-api.html
    * api-change:``dynamodb``: [``botocore``] Endpoint Ruleset update: Use http instead of https for the &quot;local&quot; region.
    * api-change:``dynamodbstreams``: [``botocore``] Update dynamodbstreams client to latest version
    * api-change:``rds``: [``botocore``] This release adds the BlueGreenDeploymentNotFoundFault to the AddTagsToResource, ListTagsForResource, and RemoveTagsFromResource operations.
    * api-change:``sagemaker-featurestore-runtime``: [``botocore``] For online + offline Feature Groups, added ability to target PutRecord and DeleteRecord actions to only online store, or only offline store. If target store parameter is not specified, actions will apply to both stores.
    

    1.26.23

    =======
    
    * api-change:``ce``: [``botocore``] This release introduces two new APIs that offer a 1-click experience to refresh Savings Plans recommendations. The two APIs are StartSavingsPlansPurchaseRecommendationGeneration and ListSavingsPlansPurchaseRecommendationGeneration.
    * api-change:``ec2``: [``botocore``] Documentation updates for EC2.
    * api-change:``ivschat``: [``botocore``] Adds PendingVerification error type to messaging APIs to block the resource usage for accounts identified as being fraudulent.
    * api-change:``rds``: [``botocore``] This release adds the InvalidDBInstanceStateFault to the RestoreDBClusterFromSnapshot operation.
    * api-change:``transcribe``: [``botocore``] Amazon Transcribe now supports creating custom language models in the following languages: Japanese (ja-JP) and German (de-DE).
    

    1.26.22

    =======
    
    * api-change:``appsync``: [``botocore``] Fixes the URI for the evaluatecode endpoint to include the /v1 prefix (ie. &quot;/v1/dataplane-evaluatecode&quot;).
    * api-change:``ecs``: [``botocore``] Documentation updates for Amazon ECS
    * api-change:``fms``: [``botocore``] AWS Firewall Manager now supports Fortigate Cloud Native Firewall as a Service as a third-party policy type.
    * api-change:``mediaconvert``: [``botocore``] The AWS Elemental MediaConvert SDK has added support for configurable ID3 eMSG box attributes and the ability to signal them with InbandEventStream tags in DASH and CMAF outputs.
    * api-change:``medialive``: [``botocore``] Updates to Event Signaling and Management (ESAM) API and documentation.
    * api-change:``polly``: [``botocore``] Add language code for Finnish (fi-FI)
    * api-change:``proton``: [``botocore``] CreateEnvironmentAccountConnection RoleArn input is now optional
    * api-change:``redshift-serverless``: [``botocore``] Add Table Level Restore operations for Amazon Redshift Serverless. Add multi-port support for Amazon Redshift Serverless endpoints. Add Tagging support to Snapshots and Recovery Points in Amazon Redshift Serverless.
    * api-change:``sns``: [``botocore``] This release adds the message payload-filtering feature to the SNS Subscribe, SetSubscriptionAttributes, and GetSubscriptionAttributes API actions
    

    1.26.21

    =======
    
    * api-change:``codecatalyst``: [``botocore``] This release adds operations that support customers using the AWS Toolkits and Amazon CodeCatalyst, a unified software development service that helps developers develop, deploy, and maintain applications in the cloud. For more information, see the documentation.
    * api-change:``comprehend``: [``botocore``] Comprehend now supports semi-structured documents (such as PDF files or image files) as inputs for custom analysis using the synchronous APIs (ClassifyDocument and DetectEntities).
    * api-change:``gamelift``: [``botocore``] GameLift introduces a new feature, GameLift Anywhere. GameLift Anywhere allows you to integrate your own compute resources with GameLift. You can also use GameLift Anywhere to iteratively test your game servers without uploading the build to GameLift for every iteration.
    * api-change:``pipes``: [``botocore``] AWS introduces new Amazon EventBridge Pipes which allow you to connect sources (SQS, Kinesis, DDB, Kafka, MQ) to Targets (14+ EventBridge Targets) without any code, with filtering, batching, input transformation, and an optional Enrichment stage (Lambda, StepFunctions, ApiGateway, ApiDestinations)
    * api-change:``stepfunctions``: [``botocore``] Update stepfunctions client to latest version
    

    1.26.20

    =======
    
    * api-change:``accessanalyzer``: [``botocore``] This release adds support for S3 cross account access points. IAM Access Analyzer will now produce public or cross account findings when it detects bucket delegation to external account access points.
    * api-change:``athena``: [``botocore``] This release includes support for using Apache Spark in Amazon Athena.
    * api-change:``dataexchange``: [``botocore``] This release enables data providers to license direct access to data in their Amazon S3 buckets or AWS Lake Formation data lakes through AWS Data Exchange. Subscribers get read-only access to the data and can use it in downstream AWS services, like Amazon Athena, without creating or managing copies.
    * api-change:``docdb-elastic``: [``botocore``] Launched Amazon DocumentDB Elastic Clusters. You can now use the SDK to create, list, update and delete Amazon DocumentDB Elastic Cluster resources
    * api-change:``glue``: [``botocore``] This release adds support for AWS Glue Data Quality, which helps you evaluate and monitor the quality of your data and includes the API for creating, deleting, or updating data quality rulesets, runs and evaluations.
    * api-change:``s3control``: [``botocore``] Amazon S3 now supports cross-account access points. S3 bucket owners can now allow trusted AWS accounts to create access points associated with their bucket.
    * api-change:``sagemaker-geospatial``: [``botocore``] This release provides Amazon SageMaker geospatial APIs to build, train, deploy and visualize geospatial models.
    * api-change:``sagemaker``: [``botocore``] Added Models as part of the Search API. Added Model shadow deployments in realtime inference, and shadow testing in managed inference. Added support for shared spaces, geospatial APIs, Model Cards, AutoMLJobStep in pipelines, Git repositories on user profiles and domains, Model sharing in Jumpstart.
    

    1.26.19

    =======
    
    * api-change:``ec2``: [``botocore``] This release adds support for AWS Verified Access and the Hpc6id Amazon EC2 compute optimized instance type, which features 3rd generation Intel Xeon Scalable processors.
    * api-change:``firehose``: [``botocore``] Allow support for the Serverless offering for Amazon OpenSearch Service as a Kinesis Data Firehose delivery destination.
    * api-change:``kms``: [``botocore``] AWS KMS introduces the External Key Store (XKS), a new feature for customers who want to protect their data with encryption keys stored in an external key management system under their control.
    * api-change:``omics``: [``botocore``] Amazon Omics is a new, purpose-built service that can be used by healthcare and life science organizations to store, query, and analyze omics data. The insights from that data can be used to accelerate scientific discoveries and improve healthcare.
    * api-change:``opensearchserverless``: [``botocore``] Publish SDK for Amazon OpenSearch Serverless
    * api-change:``securitylake``: [``botocore``] Amazon Security Lake automatically centralizes security data from cloud, on-premises, and custom sources into a purpose-built data lake stored in your account. Security Lake makes it easier to analyze security data, so you can improve the protection of your workloads, applications, and data
    * api-change:``simspaceweaver``: [``botocore``] AWS SimSpace Weaver is a new service that helps customers build spatial simulations at new levels of scale - resulting in virtual worlds with millions of dynamic entities. See the AWS SimSpace Weaver developer guide for more details on how to get started. https://docs.aws.amazon.com/simspaceweaver
    

    1.26.18

    =======
    
    * api-change:``arc-zonal-shift``: [``botocore``] Amazon Route 53 Application Recovery Controller Zonal Shift is a new service that makes it easy to shift traffic away from an Availability Zone in a Region. See the developer guide for more information: https://docs.aws.amazon.com/r53recovery/latest/dg/what-is-route53-recovery.html
    * api-change:``compute-optimizer``: [``botocore``] Adds support for a new recommendation preference that makes it possible for customers to optimize their EC2 recommendations by utilizing an external metrics ingestion service to provide metrics.
    * api-change:``config``: [``botocore``] With this release, you can use AWS Config to evaluate your resources for compliance with Config rules before they are created or updated. Using Config rules in proactive mode enables you to test and build compliant resource templates or check resource configurations at the time they are provisioned.
    * api-change:``ec2``: [``botocore``] Introduces ENA Express, which uses AWS SRD and dynamic routing to increase throughput and minimize latency, adds support for trust relationships between Reachability Analyzer and AWS Organizations to enable cross-account analysis, and adds support for Infrastructure Performance metric subscriptions.
    * api-change:``eks``: [``botocore``] Adds support for additional EKS add-ons metadata and filtering fields
    * api-change:``fsx``: [``botocore``] This release adds support for 4GB/s / 160K PIOPS FSx for ONTAP file systems and 10GB/s / 350K PIOPS FSx for OpenZFS file systems (Single_AZ_2). For FSx for ONTAP, this also adds support for DP volumes, snapshot policy, copy tags to backups, and Multi-AZ route table updates.
    * api-change:``glue``: [``botocore``] This release allows the creation of Custom Visual Transforms (Dynamic Transforms) to be created via AWS Glue CLI/SDK.
    * api-change:``inspector2``: [``botocore``] This release adds support for Inspector to scan AWS Lambda.
    * api-change:``lambda``: [``botocore``] Adds support for Lambda SnapStart, which helps improve the startup performance of functions. Customers can now manage SnapStart based functions via CreateFunction and UpdateFunctionConfiguration APIs
    * api-change:``license-manager-user-subscriptions``: [``botocore``] AWS now offers fully-compliant, Amazon-provided licenses for Microsoft Office Professional Plus 2021 Amazon Machine Images (AMIs) on Amazon EC2. These AMIs are now available on the Amazon EC2 console and on AWS Marketplace to launch instances on-demand without any long-term licensing commitments.
    * api-change:``macie2``: [``botocore``] Added support for configuring Macie to continually sample objects from S3 buckets and inspect them for sensitive data. Results appear in statistics, findings, and other data that Macie provides.
    * api-change:``quicksight``: [``botocore``] This release adds new Describe APIs and updates Create and Update APIs to support the data model for Dashboards, Analyses, and Templates.
    * api-change:``s3control``: [``botocore``] Added two new APIs to support Amazon S3 Multi-Region Access Point failover controls: GetMultiRegionAccessPointRoutes and SubmitMultiRegionAccessPointRoutes. The failover control APIs are supported in the following Regions: us-east-1, us-west-2, eu-west-1, ap-southeast-2, and ap-northeast-1.
    * api-change:``securityhub``: [``botocore``] Adding StandardsManagedBy field to DescribeStandards API response
    

    1.26.17

    =======
    
    * bugfix:dynamodb: Fixes duplicate serialization issue in DynamoDB BatchWriter
    * api-change:``backup``: [``botocore``] AWS Backup introduces support for legal hold and application stack backups. AWS Backup Audit Manager introduces support for cross-Region, cross-account reports.
    * api-change:``cloudwatch``: [``botocore``] Update cloudwatch client to latest version
    * api-change:``drs``: [``botocore``] Non breaking changes to existing APIs, and additional APIs added to support in-AWS failing back using AWS Elastic Disaster Recovery.
    * api-change:``ecs``: [``botocore``] This release adds support for ECS Service Connect, a new capability that simplifies writing and operating resilient distributed applications. This release updates the TaskDefinition, Cluster, Service mutation APIs with Service connect constructs and also adds a new ListServicesByNamespace API.
    * api-change:``efs``: [``botocore``] Update efs client to latest version
    * api-change:``iot-data``: [``botocore``] This release adds support for MQTT5 properties to AWS IoT HTTP Publish API.
    * api-change:``iot``: [``botocore``] Job scheduling enables the scheduled rollout of a Job with start and end times and a customizable end behavior when end time is reached. This is available for continuous and snapshot jobs. Added support for MQTT5 properties to AWS IoT TopicRule Republish Action.
    * api-change:``iotwireless``: [``botocore``] This release includes a new feature for customers to calculate the position of their devices by adding three new APIs: UpdateResourcePosition, GetResourcePosition, and GetPositionEstimate.
    * api-change:``kendra``: [``botocore``] Amazon Kendra now supports preview of table information from HTML tables in the search results. The most relevant cells with their corresponding rows, columns are displayed as a preview in the search result. The most relevant table cell or cells are also highlighted in table preview.
    * api-change:``logs``: [``botocore``] Updates to support CloudWatch Logs data protection and CloudWatch cross-account observability
    * api-change:``mgn``: [``botocore``] This release adds support for Application and Wave management. We also now support custom post-launch actions.
    * api-change:``oam``: [``botocore``] Amazon CloudWatch Observability Access Manager is a new service that allows configuration of the CloudWatch cross-account observability feature.
    * api-change:``organizations``: [``botocore``] This release introduces delegated administrator for AWS Organizations, a new feature to help you delegate the management of your Organizations policies, enabling you to govern your AWS organization in a decentralized way. You can now allow member accounts to manage Organizations policies.
    * api-change:``rds``: [``botocore``] This release enables new Aurora and RDS feature called Blue/Green Deployments that makes updates to databases safer, simpler and faster.
    * api-change:``textract``: [``botocore``] This release adds support for classifying and splitting lending documents by type, and extracting information by using the Analyze Lending APIs. This release also includes support for summarized information of the processed lending document package, in addition to per document results.
    * api-change:``transcribe``: [``botocore``] This release adds support for &#x27;inputType&#x27; for post-call and real-time (streaming) Call Analytics within Amazon Transcribe.
    

    1.26.16

    =======
    
    * api-change:``grafana``: [``botocore``] This release includes support for configuring a Grafana workspace to connect to a datasource within a VPC as well as new APIs for configuring Grafana settings.
    * api-change:``rbin``: [``botocore``] This release adds support for Rule Lock for Recycle Bin, which allows you to lock retention rules so that they can no longer be modified or deleted.
    

    1.26.15

    =======
    
    * bugfix:Endpoints: [``botocore``] Resolve endpoint with default partition when no region is set
    * bugfix:s3: [``botocore``] fixes missing x-amz-content-sha256 header for s3 object lambda
    * api-change:``appflow``: [``botocore``] Adding support for Amazon AppFlow to transfer the data to Amazon Redshift databases through Amazon Redshift Data API service. This feature will support the Redshift destination connector on both public and private accessible Amazon Redshift Clusters and Amazon Redshift Serverless.
    * api-change:``kinesisanalyticsv2``: [``botocore``] Support for Apache Flink 1.15 in Kinesis Data Analytics.
    

    1.26.14

    =======
    
    * api-change:``route53``: [``botocore``] Amazon Route 53 now supports the Asia Pacific (Hyderabad) Region (ap-south-2) for latency records, geoproximity records, and private DNS for Amazon VPCs in that region.
    

    1.26.13

    =======
    
    * api-change:``appflow``: [``botocore``] AppFlow provides a new API called UpdateConnectorRegistration to update a custom connector that customers have previously registered. With this API, customers no longer need to unregister and then register a connector to make an update.
    * api-change:``auditmanager``: [``botocore``] This release introduces a new feature for Audit Manager: Evidence finder. You can now use evidence finder to quickly query your evidence, and add the matching evidence results to an assessment report.
    * api-change:``chime-sdk-voice``: [``botocore``] Amazon Chime Voice Connector, Voice Connector Group and PSTN Audio Service APIs are now available in the Amazon Chime SDK Voice namespace. See https://docs.aws.amazon.com/chime-sdk/latest/dg/sdk-available-regions.html for more details.
    * api-change:``cloudfront``: [``botocore``] CloudFront API support for staging distributions and associated traffic management policies.
    * api-change:``connect``: [``botocore``] Added AllowedAccessControlTags and TagRestrictedResource for Tag Based Access Control on Amazon Connect Webpage
    * api-change:``dynamodb``: [``botocore``] Updated minor fixes for DynamoDB documentation.
    * api-change:``dynamodbstreams``: [``botocore``] Update dynamodbstreams client to latest version
    * api-change:``ec2``: [``botocore``] This release adds support for copying an Amazon Machine Image&#x27;s tags when copying an AMI.
    * api-change:``glue``: [``botocore``] AWSGlue Crawler - Adding support for Table and Column level Comments with database level datatypes for JDBC based crawler.
    * api-change:``iot-roborunner``: [``botocore``] AWS IoT RoboRunner is a new service that makes it easy to build applications that help multi-vendor robots work together seamlessly. See the IoT RoboRunner developer guide for more details on getting started. https://docs.aws.amazon.com/iotroborunner/latest/dev/iotroborunner-welcome.html
    * api-change:``quicksight``: [``botocore``] This release adds the following: 1) Asset management for centralized assets governance 2) QuickSight Q now supports public embedding 3) New Termination protection flag to mitigate accidental deletes 4) Athena data sources now accept a custom IAM role 5) QuickSight supports connectivity to Databricks
    * api-change:``sagemaker``: [``botocore``] Added DisableProfiler flag as a new field in ProfilerConfig
    * api-change:``servicecatalog``: [``botocore``] This release 1. adds support for Principal Name Sharing with Service Catalog portfolio sharing. 2. Introduces repo sourced products which are created and managed with existing SC APIs. These products are synced to external repos and auto create new product versions based on changes in the repo.
    * api-change:``ssm-sap``: [``botocore``] AWS Systems Manager for SAP provides simplified operations and management of SAP applications such as SAP HANA. With this release, SAP customers and partners can automate and simplify their SAP system administration tasks such as backup/restore of SAP HANA.
    * api-change:``stepfunctions``: [``botocore``] Update stepfunctions client to latest version
    * api-change:``transfer``: [``botocore``] Adds a NONE encryption algorithm type to AS2 connectors, providing support for skipping encryption of the AS2 message body when a HTTPS URL is also specified.
    

    1.26.12

    =======
    
    * api-change:``amplify``: [``botocore``] Adds a new value (WEB_COMPUTE) to the Platform enum that allows customers to create Amplify Apps with Server-Side Rendering support.
    * api-change:``appflow``: [``botocore``] AppFlow simplifies the preparation and cataloging of SaaS data into the AWS Glue Data Catalog where your data can be discovered and accessed by AWS analytics and ML services. AppFlow now also supports data field partitioning and file size optimization to improve query performance and reduce cost.
    * api-change:``appsync``: [``botocore``] This release introduces the APPSYNC_JS runtime, and adds support for JavaScript in AppSync functions and AppSync pipeline resolvers.
    * api-change:``dms``: [``botocore``] Adds support for Internet Protocol Version 6 (IPv6) on DMS Replication Instances
    * api-change:``ec2``: [``botocore``] This release adds a new optional parameter &quot;privateIpAddress&quot; for the CreateNatGateway API. PrivateIPAddress will allow customers to select a custom Private IPv4 address instead of having it be auto-assigned.
    * api-change:``elbv2``: [``botocore``] Update elbv2 client to latest version
    * api-change:``emr-serverless``: [``botocore``] Adds support for AWS Graviton2 based applications. You can now select CPU architecture when creating new applications or updating existing ones.
    * api-change:``ivschat``: [``botocore``] Adds LoggingConfiguration APIs for IVS Chat - a feature that allows customers to store and record sent messages in a chat room to S3 buckets, CloudWatch logs, or Kinesis firehose.
    * api-change:``lambda``: [``botocore``] Add Node 18 (nodejs18.x) support to AWS Lambda.
    * api-change:``personalize``: [``botocore``] This release provides support for creation and use of metric attributions in AWS Personalize
    * api-change:``polly``: [``botocore``] Add two new neural voices - Ola (pl-PL) and Hala (ar-AE).
    * api-change:``rum``: [``botocore``] CloudWatch RUM now supports custom events. To use custom events, create an app monitor or update an app monitor with CustomEvent Status as ENABLED.
    * api-change:``s3control``: [``botocore``] Added 34 new S3 Storage Lens metrics to support additional customer use cases.
    * api-change:``secretsmanager``: [``botocore``] Documentation updates for Secrets Manager.
    * api-change:``securityhub``: [``botocore``] Added SourceLayerArn and SourceLayerHash field for security findings.  Updated AwsLambdaFunction Resource detail
    * api-change:``servicecatalog-appregistry``: [``botocore``] This release adds support for tagged resource associations, which allows you to associate a group of resources with a defined resource tag key and value to the application.
    * api-change:``sts``: [``botocore``] Documentation updates for AWS Security Token Service.
    * api-change:``textract``: [``botocore``] This release adds support for specifying and extracting information from documents using the Signatures feature within Analyze Document API
    * api-change:``workspaces``: [``botocore``] The release introduces CreateStandbyWorkspaces, an API that allows you to create standby WorkSpaces associated with a primary WorkSpace in another Region. DescribeWorkspaces now includes related WorkSpaces properties. DescribeWorkspaceBundles and CreateWorkspaceBundle now return more bundle details.
    

    1.26.11

    =======
    
    * api-change:``batch``: [``botocore``] Documentation updates related to Batch on EKS
    * api-change:``billingconductor``: [``botocore``] This release adds a new feature BillingEntity pricing rule.
    * api-change:``cloudformation``: [``botocore``] Added UnsupportedTarget HandlerErrorCode for use with CFN Resource Hooks
    * api-change:``comprehendmedical``: [``botocore``] This release supports new set of entities and traits. It also adds new category (BEHAVIORAL_ENVIRONMENTAL_SOCIAL).
    * api-change:``connect``: [``botocore``] This release adds a new MonitorContact API for initiating monitoring of ongoing Voice and Chat contacts.
    * api-change:``eks``: [``botocore``] Adds support for customer-provided placement groups for Kubernetes control plane instances when creating local EKS clusters on Outposts
    * api-change:``elasticache``: [``botocore``] for Redis now supports AWS Identity and Access Management authentication access to Redis clusters starting with redis-engine version 7.0
    * api-change:``iottwinmaker``: [``botocore``] This release adds the following: 1) ExecuteQuery API allows users to query their AWS IoT TwinMaker Knowledge Graph 2) Pricing plan APIs allow users to configure and manage their pricing mode 3) Support for property groups and tabular property values in existing AWS IoT TwinMaker APIs.
    * api-change:``personalize-events``: [``botocore``] This release provides support for creation and use of metric attributions in AWS Personalize
    * api-change:``proton``: [``botocore``] Add support for sorting and filtering in ListServiceInstances
    * api-change:``rds``: [``botocore``] This release adds support for container databases (CDBs) to Amazon RDS Custom for Oracle. A CDB contains one PDB at creation. You can add more PDBs using Oracle SQL. You can also customize your database installation by setting the Oracle base, Oracle home, and the OS user name and group.
    * api-change:``ssm-incidents``: [``botocore``] Add support for PagerDuty integrations on ResponsePlan, IncidentRecord, and RelatedItem APIs
    * api-change:``ssm``: [``botocore``] This release adds support for cross account access in CreateOpsItem, UpdateOpsItem and GetOpsItem. It introduces new APIs to setup resource policies for SSM resources: PutResourcePolicy, GetResourcePolicies and DeleteResourcePolicy.
    * api-change:``transfer``: [``botocore``] Allow additional operations to throw ThrottlingException
    * api-change:``xray``: [``botocore``] This release adds new APIs - PutResourcePolicy, DeleteResourcePolicy, ListResourcePolicies for supporting resource based policies for AWS X-Ray.
    

    1.26.10

    =======
    
    * bugfix:s3: [``botocore``] fixes missing x-amz-content-sha256 header for s3 on outpost
    * enhancement:sso: [``botocore``] Add support for loading sso-session profiles from the aws config
    * api-change:``connect``: [``botocore``] This release updates the APIs: UpdateInstanceAttribute, DescribeInstanceAttribute, and ListInstanceAttributes. You can use it to programmatically enable/disable enhanced contact monitoring using attribute type ENHANCED_CONTACT_MONITORING on the specified Amazon Connect instance.
    * api-change:``greengrassv2``: [``botocore``] Adds new parent target ARN paramater to CreateDeployment, GetDeployment, and ListDeployments APIs for the new subdeployments feature.
    * api-change:``route53``: [``botocore``] Amazon Route 53 now supports the Europe (Spain) Region (eu-south-2) for latency records, geoproximity records, and private DNS for Amazon VPCs in that region.
    * api-change:``ssmsap``: [``botocore``] AWS Systems Manager for SAP provides simplified operations and management of SAP applications such as SAP HANA. With this release, SAP customers and partners can automate and simplify their SAP system administration tasks such as backup/restore of SAP HANA.
    * api-change:``workspaces``: [``botocore``] This release introduces ModifyCertificateBasedAuthProperties, a new API that allows control of certificate-based auth properties associated with a WorkSpaces directory. The DescribeWorkspaceDirectories API will now additionally return certificate-based auth properties in its responses.
    

    1.26.9

    ======
    
    * api-change:``customer-profiles``: [``botocore``] This release enhances the SearchProfiles API by providing functionality to search for profiles using multiple keys and logical operators.
    * api-change:``lakeformation``: [``botocore``] This release adds a new parameter &quot;Parameters&quot; in the DataLakeSettings.
    * api-change:``managedblockchain``: [``botocore``] Updating the API docs data type: NetworkEthereumAttributes, and the operations DeleteNode, and CreateNode to also include the supported Goerli network.
    * api-change:``proton``: [``botocore``] Add support for CodeBuild Provisioning
    * api-change:``rds``: [``botocore``] This release adds support for restoring an RDS Multi-AZ DB cluster snapshot to a Single-AZ deployment or a Multi-AZ DB instance deployment.
    * api-change:``workdocs``: [``botocore``] Added 2 new document related operations, DeleteDocumentVersion and RestoreDocumentVersions.
    * api-change:``xray``: [``botocore``] This release enhances GetServiceGraph API to support new type of edge to represent links between SQS and Lambda in event-driven applications.
    

    1.26.8

    ======
    
    * api-change:``glue``: [``botocore``] Added links related to enabling job bookmarks.
    * api-change:``iot``: [``botocore``] This release add new api listRelatedResourcesForAuditFinding and new member type IssuerCertificates for Iot device device defender Audit.
    * api-change:``license-manager``: [``botocore``] AWS License Manager now supports onboarded Management Accounts or Delegated Admins to view granted licenses aggregated from all accounts in the organization.
    * api-change:``marketplace-catalog``: [``botocore``] Added three new APIs to support tagging and tag-based authorization: TagResource, UntagResource, and ListTagsForResource. Added optional parameters to the StartChangeSet API to support tagging a resource while making a request to create it.
    * api-change:``rekognition``: [``botocore``] Adding support for ImageProperties feature to detect dominant colors and image brightness, sharpness, and contrast, inclusion and exclusion filters for labels and label categories, new fields to the API response, &quot;aliases&quot; and &quot;categories&quot;
    * api-change:``securityhub``: [``botocore``] Documentation updates for Security Hub
    * api-change:``ssm-incidents``: [``botocore``] RelatedItems now have an ID field which can be used for referencing them else where. Introducing event references in TimelineEvent API and increasing maximum length of &quot;eventData&quot; to 12K characters.
    

    1.26.7

    ======
    
    * api-change:``autoscaling``: [``botocore``] This release adds a new price capacity optimized allocation strategy for Spot Instances to help customers optimize provisioning of Spot Instances via EC2 Auto Scaling, EC2 Fleet, and Spot Fleet. It allocates Spot Instances based on both spare capacity availability and Spot Instance price.
    * api-change:``ec2``: [``botocore``] This release adds a new price capacity optimized allocation strategy for Spot Instances to help customers optimize provisioning of Spot Instances via EC2 Auto Scaling, EC2 Fleet, and Spot Fleet. It allocates Spot Instances based on both spare capacity availability and Spot Instance price.
    * api-change:``ecs``: [``botocore``] This release adds support for task scale-in protection with updateTaskProtection and getTaskProtection APIs. UpdateTaskProtection API can be used to protect a service managed task from being terminated by scale-in events and getTaskProtection API to get the scale-in protection status of a task.
    * api-change:``es``: [``botocore``] Amazon OpenSearch Service now offers managed VPC endpoints to connect to your Amazon OpenSearch Service VPC-enabled domain in a Virtual Private Cloud (VPC). This feature allows you to privately access OpenSearch Service domain without using public IPs or requiring traffic to traverse the Internet.
    * api-change:``resource-explorer-2``: [``botocore``] Text only updates to some Resource Explorer descriptions.
    * api-change:``scheduler``: [``botocore``] AWS introduces the new Amazon EventBridge Scheduler. EventBridge Scheduler is a serverless scheduler that allows you to create, run, and manage tasks from one central, managed service.
    

    1.26.6

    ======
    
    * api-change:``connect``: [``botocore``] This release adds new fields SignInUrl, UserArn, and UserId to GetFederationToken response payload.
    * api-change:``connectcases``: [``botocore``] This release adds the ability to disable templates through the UpdateTemplate API. Disabling templates prevents customers from creating cases using the template. For more information see https://docs.aws.amazon.com/cases/latest/APIReference/Welcome.html
    * api-change:``ec2``: [``botocore``] Amazon EC2 Trn1 instances, powered by AWS Trainium chips, are purpose built for high-performance deep learning training. u-24tb1.112xlarge and u-18tb1.112xlarge High Memory instances are purpose-built to run large in-memory databases.
    * api-change:``groundstation``: [``botocore``] This release adds the preview of customer-provided ephemeris support for AWS Ground Station, allowing space vehicle owners to provide their own position and trajectory information for a satellite.
    * api-change:``mediapackage-vod``: [``botocore``] This release adds &quot;IncludeIframeOnlyStream&quot; for Dash endpoints.
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.5

    ======
    
    * api-change:``acm``: [``botocore``] Support added for requesting elliptic curve certificate key algorithm types P-256 (EC_prime256v1) and P-384 (EC_secp384r1).
    * api-change:``billingconductor``: [``botocore``] This release adds the Recurring Custom Line Item feature along with a new API ListCustomLineItemVersions.
    * api-change:``ec2``: [``botocore``] This release enables sharing of EC2 Placement Groups across accounts and within AWS Organizations using Resource Access Manager
    * api-change:``fms``: [``botocore``] AWS Firewall Manager now supports importing existing AWS Network Firewall firewalls into Firewall Manager policies.
    * api-change:``lightsail``: [``botocore``] This release adds support for Amazon Lightsail to automate the delegation of domains registered through Amazon Route 53 to Lightsail DNS management and to automate record creation for DNS validation of Lightsail SSL/TLS certificates.
    * api-change:``opensearch``: [``botocore``] Amazon OpenSearch Service now offers managed VPC endpoints to connect to your Amazon OpenSearch Service VPC-enabled domain in a Virtual Private Cloud (VPC). This feature allows you to privately access OpenSearch Service domain without using public IPs or requiring traffic to traverse the Internet.
    * api-change:``polly``: [``botocore``] Amazon Polly adds new voices: Elin (sv-SE), Ida (nb-NO), Laura (nl-NL) and Suvi (fi-FI). They are available as neural voices only.
    * api-change:``resource-explorer-2``: [``botocore``] This is the initial SDK release for AWS Resource Explorer. AWS Resource Explorer lets your users search for and discover your AWS resources across the AWS Regions in your account.
    * api-change:``route53``: [``botocore``] Amazon Route 53 now supports the Europe (Zurich) Region (eu-central-2) for latency records, geoproximity records, and private DNS for Amazon VPCs in that region.
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.4

    ======
    
    * api-change:``athena``: [``botocore``] Adds support for using Query Result Reuse
    * api-change:``autoscaling``: [``botocore``] This release adds support for two new attributes for attribute-based instance type selection - NetworkBandwidthGbps and AllowedInstanceTypes.
    * api-change:``cloudtrail``: [``botocore``] This release includes support for configuring a delegated administrator to manage an AWS Organizations organization CloudTrail trails and event data stores, and AWS Key Management Service encryption of CloudTrail Lake event data stores.
    * api-change:``ec2``: [``botocore``] This release adds support for two new attributes for attribute-based instance type selection - NetworkBandwidthGbps and AllowedInstanceTypes.
    * api-change:``elasticache``: [``botocore``] Added support for IPv6 and dual stack for Memcached and Redis clusters. Customers can now launch new Redis and Memcached clusters with IPv6 and dual stack networking support.
    * api-change:``lexv2-models``: [``botocore``] Update lexv2-models client to latest version
    * api-change:``mediaconvert``: [``botocore``] The AWS Elemental MediaConvert SDK has added support for setting the SDR reference white point for HDR conversions and conversion of HDR10 to DolbyVision without mastering metadata.
    * api-change:``ssm``: [``botocore``] This release includes support for applying a CloudWatch alarm to multi account multi region Systems Manager Automation
    * api-change:``wafv2``: [``botocore``] The geo match statement now adds labels for country and region. You can match requests at the region level by combining a geo match statement with label match statements.
    * api-change:``wellarchitected``: [``botocore``] This release adds support for integrations with AWS Trusted Advisor and AWS Service Catalog AppRegistry to improve workload discovery and speed up your workload reviews.
    * api-change:``workspaces``: [``botocore``] This release adds protocols attribute to workspaces properties data type. This enables customers to migrate workspaces from PC over IP (PCoIP) to WorkSpaces Streaming Protocol (WSP) using create and modify workspaces public APIs.
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.3

    ======
    
    * api-change:``ec2``: [``botocore``] This release adds API support for the recipient of an AMI account share to remove shared AMI launch permissions.
    * api-change:``emr-containers``: [``botocore``] Adding support for Job templates. Job templates allow you to create and store templates to configure Spark applications parameters. This helps you ensure consistent settings across applications by reusing and enforcing configuration overrides in data pipelines.
    * api-change:``logs``: [``botocore``] Doc-only update for bug fixes and support of export to buckets encrypted with SSE-KMS
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.2

    ======
    
    * api-change:``memorydb``: [``botocore``] Adding support for r6gd instances for MemoryDB Redis with data tiering. In a cluster with data tiering enabled, when available memory capacity is exhausted, the least recently used data is automatically tiered to solid state drives for cost-effective capacity scaling with minimal performance impact.
    * api-change:``sagemaker``: [``botocore``] Amazon SageMaker now supports running training jobs on ml.trn1 instance types.
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.1

    ======
    
    * api-change:``iotsitewise``: [``botocore``] This release adds the ListAssetModelProperties and ListAssetProperties APIs. You can list all properties that belong to a single asset model or asset using these two new APIs.
    * api-change:``s3control``: [``botocore``] S3 on Outposts launches support for Lifecycle configuration for Outposts buckets. With S3 Lifecycle configuration, you can mange objects so they are stored cost effectively. You can manage objects using size-based rules and specify how many noncurrent versions bucket will retain.
    * api-change:``sagemaker``: [``botocore``] This release updates Framework model regex for ModelPackage to support new Framework version xgboost, sklearn.
    * api-change:``ssm-incidents``: [``botocore``] Adds support for tagging replication-set on creation.
    

    1.26.0

    ======
    
    * feature:Endpoints: [``botocore``] Migrate all services to use new AWS Endpoint Resolution framework
    * Enhancement:Endpoints: [``botocore``] Discontinued use of `sslCommonName` hosts as detailed in 1.27.0 (see `2705 &lt;https://github.com/boto/botocore/issues/2705&gt;`__ for more info)
    * api-change:``rds``: [``botocore``] Relational Database Service - This release adds support for configuring Storage Throughput on RDS database instances.
    * api-change:``textract``: [``botocore``] Add ocr results in AnalyzeIDResponse as blocks
    

    1.25.5

    ======
    
    * api-change:``apprunner``: [``botocore``] This release adds support for private App Runner services. Services may now be configured to be made private and only accessible from a VPC. The changes include a new VpcIngressConnection resource and several new and modified APIs.
    * api-change:``connect``: [``botocore``] Amazon connect now support a new API DismissUserContact to dismiss or remove terminated contacts in Agent CCP
    * api-change:``ec2``: [``botocore``] Elastic IP transfer is a new Amazon VPC feature that allows you to transfer your Elastic IP addresses from one AWS Account to another.
    * api-change:``iot``: [``botocore``] This release adds the Amazon Location action to IoT Rules Engine.
    * api-change:``logs``: [``botocore``] SDK release to support tagging for destinations and log groups with TagResource. Also supports tag on create with PutDestination.
    * api-change:``sesv2``: [``botocore``] This release includes support for interacting with the Virtual Deliverability Manager, allowing you to opt in/out of the feature and to retrieve recommendations and metric data.
    * api-change:``textract``: [``botocore``] This release introduces additional support for 30+ normalized fields such as vendor address and currency. It also includes OCR output in the response and accuracy improvements for the already supported fields in previous version
    

    1.25.4

    ======
    
    * api-change:``apprunner``: [``botocore``] AWS App Runner adds .NET 6, Go 1, PHP 8.1 and Ruby 3.1 runtimes.
    * api-change:``appstream``: [``botocore``] This release includes CertificateBasedAuthProperties in CreateDirectoryConfig and UpdateDirectoryConfig.
    * api-change:``cloud9``: [``botocore``] Update to the documentation section of the Cloud9 API Reference guide.
    * api-change:``cloudformation``: [``botocore``] This release adds more fields to improves visibility of AWS CloudFormation StackSets information in following APIs: ListStackInstances, DescribeStackInstance, ListStackSetOperationResults, ListStackSetOperations, DescribeStackSetOperation.
    * api-change:``gamesparks``: [``botocore``] Add LATEST as a possible GameSDK Version on snapshot
    * api-change:``mediatailor``: [``botocore``] This release introduces support for SCTE-35 segmentation descriptor messages which can be sent within time signal messages.
    

    1.25.3

    ======
    
    * api-change:``ec2``: [``botocore``] Feature supports the replacement of instance root volume using an updated AMI without requiring customers to stop their instance.
    * api-change:``fms``: [``botocore``] Add support NetworkFirewall Managed Rule Group Override flag in GetViolationDetails API
    * api-change:``glue``: [``botocore``] Added support for custom datatypes when using custom csv classifier.
    * api-change:``redshift``: [``botocore``] This release clarifies use for the ElasticIp parameter of the CreateCluster and RestoreFromClusterSnapshot APIs.
    * api-change:``sagemaker``: [``botocore``] This change allows customers to provide a custom entrypoint script for the docker container to be run while executing training jobs, and provide custom arguments to the entrypoint script.
    * api-change:``wafv2``: [``botocore``] This release adds the following: Challenge rule action, to silently verify client browsers; rule group rule action override to any valid rule action, not just Count; token sharing between protected applications for challenge/CAPTCHA token; targeted rules option for Bot Control managed rule group.
    

    1.25.2

    ======
    
    * api-change:``iam``: [``botocore``] Doc only update that corrects instances of CLI not using an entity.
    * api-change:``kafka``: [``botocore``] This release adds support for Tiered Storage. UpdateStorage allows you to control the Storage Mode for supported storage tiers.
    * api-change:``neptune``: [``botocore``] Added a new cluster-level attribute to set the capacity range for Neptune Serverless instances.
    * api-change:``sagemaker``: [``botocore``] Amazon SageMaker Automatic Model Tuning now supports specifying Grid Search strategy for tuning jobs, which evaluates all hyperparameter combinations exhaustively based on the categorical hyperparameters provided.
    

    1.25.1

    ======
    
    * api-change:``accessanalyzer``: [``botocore``] This release adds support for six new resource types in IAM Access Analyzer to help you easily identify public and cross-account access to your AWS resources. Updated service API, documentation, and paginators.
    * api-change:``location``: [``botocore``] Added new map styles with satellite imagery for map resources using HERE as a data provider.
    * api-change:``mediatailor``: [``botocore``] This release is a documentation update
    * api-change:``rds``: [``botocore``] Relational Database Service - This release adds support for exporting DB cluster data to Amazon S3.
    * api-change:``workspaces``: [``botocore``] This release adds new enums for supporting Workspaces Core features, including creating Manual running mode workspaces, importing regular Workspaces Core images and importing g4dn Workspaces Core images.
    

    1.25.0

    ======
    
    * feature:Endpoints: [``botocore``] Implemented new endpoint ruleset system to dynamically derive endpoints and settings for services
    * api-change:``acm-pca``: [``botocore``] AWS Private Certificate Authority (AWS Private CA) now offers usage modes which are combination of features to address specific use cases.
    * api-change:``batch``: [``botocore``] This release adds support for AWS Batch on Amazon EKS.
    * api-change:``datasync``: [``botocore``] Added support for self-signed certificates when using object storage locations; added BytesCompressed to the TaskExecution response.
    * api-change:``sagemaker``: [``botocore``] SageMaker Inference Recommender now supports a new API ListInferenceRecommendationJobSteps to return the details of all the benchmark we create for an inference recommendation job.
    

    1.24.96

    =======
    
    * api-change:``cognito-idp``: [``botocore``] This release adds a new &quot;DeletionProtection&quot; field to the UserPool in Cognito. Application admins can configure this value with either ACTIVE or INACTIVE value. Setting this field to ACTIVE will prevent a user pool from accidental deletion.
    * api-change:``sagemaker``: [``botocore``] CreateInferenceRecommenderjob API now supports passing endpoint details directly, that will help customers to identify the max invocation and max latency they can achieve for their model and the associated endpoint along with getting recommendations on other instances.
    

    1.24.95

    =======
    
    * api-change:``devops-guru``: [``botocore``] This release adds information about the resources DevOps Guru is analyzing.
    * api-change:``globalaccelerator``: [``botocore``] Global Accelerator now supports AddEndpoints and RemoveEndpoints operations for standard endpoint groups.
    * api-change:``resiliencehub``: [``botocore``] In this release, we are introducing support for regional optimization for AWS Resilience Hub applications. It also includes a few documentation updates to improve clarity.
    * api-change:``rum``: [``botocore``] CloudWatch RUM now supports Extended CloudWatch Metrics with Additional Dimensions
    

    1.24.94

    =======
    
    * api-change:``chime-sdk-messaging``: [``botocore``] Documentation updates for Chime Messaging SDK
    * api-change:``cloudtrail``: [``botocore``] This release includes support for exporting CloudTrail Lake query results to an Amazon S3 bucket.
    * api-change:``config``: [``botocore``] This release adds resourceType enums for AppConfig, AppSync, DataSync, EC2, EKS, Glue, GuardDuty, SageMaker, ServiceDiscovery, SES, Route53 types.
    * api-change:``connect``: [``botocore``] This release adds API support for managing phone numbers that can be used across multiple AWS regions through telephony traffic distribution.
    * api-change:``events``: [``botocore``] Update events client to latest version
    * api-change:``managedblockchain``: [``botocore``] Adding new Accessor APIs for Amazon Managed Blockchain
    * api-change:``s3``: [``botocore``] Updates internal logic for constructing API endpoints. We have added rule-based endpoints and internal model parameters.
    * api-change:``s3control``: [``botocore``] Updates internal logic for constructing API endpoints. We have added rule-based endpoints and internal model parameters.
    * api-change:``support-app``: [``botocore``] This release adds the RegisterSlackWorkspaceForOrganization API. You can use the API to register a Slack workspace for an AWS account that is part of an organization.
    * api-change:``workspaces-web``: [``botocore``] WorkSpaces Web now supports user access logging for recording session start, stop, and URL navigation.
    

    1.24.93

    =======
    
    * api-change:``frauddetector``: [``botocore``] Documentation Updates for Amazon Fraud Detector
    * api-change:``sagemaker``: [``botocore``] This change allows customers to enable data capturing while running a batch transform job, and configure monitoring schedule to monitoring the captured data.
    * api-change:``servicediscovery``: [``botocore``] Updated the ListNamespaces API to support the NAME and HTTP_NAME filters, and the BEGINS_WITH filter condition.
    * api-change:``sesv2``: [``botocore``] This release allows subscribers to enable Dedicated IPs (managed) to send email via a fully managed dedicated IP experience. It also adds identities&#x27; VerificationStatus in the response of GetEmailIdentity and ListEmailIdentities APIs, and ImportJobs counts in the response of ListImportJobs API.
    

    1.24.92

    =======
    
    * api-change:``greengrass``: [``botocore``] This change allows customers to specify FunctionRuntimeOverride in FunctionDefinitionVersion. This configuration can be used if the runtime on the device is different from the AWS Lambda runtime specified for that function.
    * api-change:``sagemaker``: [``botocore``] This release adds support for C7g, C6g, C6gd, C6gn, M6g, M6gd, R6g, and R6gn Graviton instance types in Amazon SageMaker Inference.
    

    1.24.91

    =======
    
    * api-change:``mediaconvert``: [``botocore``] MediaConvert now supports specifying the minimum percentage of the HRD buffer available at the end of each encoded video segment.
    

    1.24.90

    =======
    
    * api-change:``amplifyuibuilder``: [``botocore``] We are releasing the ability for fields to be configured as arrays.
    * api-change:``appflow``: [``botocore``] With this update, you can choose which Salesforce API is used by Amazon AppFlow to transfer data to or from your Salesforce account. You can choose the Salesforce REST API or Bulk API 2.0. You can also choose for Amazon AppFlow to pick the API automatically.
    * api-change:``connect``: [``botocore``] This release adds support for a secondary email and a mobile number for Amazon Connect instance users.
    * api-change:``ds``: [``botocore``] This release adds support for describing and updating AWS Managed Microsoft AD set up.
    * api-change:``ecs``: [``botocore``] Documentation update to address tickets.
    * api-change:``guardduty``: [``botocore``] Add UnprocessedDataSources to CreateDetectorResponse which specifies the data sources that couldn&#x27;t be enabled during the CreateDetector request. In addition, update documentations.
    * api-change:``iam``: [``botocore``] Documentation updates for the AWS Identity and Access Management API Reference.
    * api-change:``iotfleetwise``: [``botocore``] Documentation update for AWS IoT FleetWise
    * api-change:``medialive``: [``botocore``] AWS Elemental MediaLive now supports forwarding SCTE-35 messages through the Event Signaling and Management (ESAM) API, and can read those SCTE-35 messages from an inactive source.
    * api-change:``mediapackage-vod``: [``botocore``] This release adds SPEKE v2 support for MediaPackage VOD. Speke v2 is an upgrade to the existing SPEKE API to support multiple encryption keys, based on an encryption contract selected by the customer.
    * api-change:``panorama``: [``botocore``] Pause and resume camera stream processing with SignalApplicationInstanceNodeInstances. Reboot an appliance with CreateJobForDevices. More application state information in DescribeApplicationInstance response.
    * api-change:``rds-data``: [``botocore``] Doc update to reflect no support for schema parameter on BatchExecuteStatement API
    * api-change:``ssm-incidents``: [``botocore``] Update RelatedItem enum to support Tasks
    * api-change:``ssm``: [``botocore``] Support of AmazonLinux2022 by Patch Manager
    * api-change:``transfer``: [``botocore``] This release adds an option for customers to configure workflows that are triggered when files are only partially received from a client due to premature session disconnect.
    * api-change:``translate``: [``botocore``] This release enables customers to specify multiple target languages in asynchronous batch translation requests.
    * api-change:``wisdom``: [``botocore``] This release updates the GetRecommendations API to include a trigger event list for classifying and grouping recommendations.
    

    1.24.89

    =======
    
    * api-change:``codeguru-reviewer``: [``botocore``] Documentation update to replace broken link.
    * api-change:``elbv2``: [``botocore``] Update elbv2 client to latest version
    * api-change:``greengrassv2``: [``botocore``] This release adds error status details for deployments and components that failed on a device and adds features to improve visibility into component installation.
    * api-change:``quicksight``: [``botocore``] Amazon QuickSight now supports SecretsManager Secret ARN in place of CredentialPair for DataSource creation and update. This release also has some minor documentation updates and removes CountryCode as a required parameter in GeoSpatialColumnGroup
    

    1.24.88

    =======
    
    * api-change:``resiliencehub``: [``botocore``] Documentation change for AWS Resilience Hub. Doc-only update to fix Documentation layout
    

    1.24.87

    =======
    
    * api-change:``glue``: [``botocore``] This SDK release adds support to sync glue jobs with source control provider. Additionally, a new parameter called SourceControlDetails will be added to Job model.
    * api-change:``network-firewall``: [``botocore``] StreamExceptionPolicy configures how AWS Network Firewall processes traffic when a network connection breaks midstream
    * api-change:``outposts``: [``botocore``] This release adds the Asset state information to the ListAssets response. The ListAssets request supports filtering on Asset state.
    

    1.24.86

    =======
    
    * api-change:``connect``: [``botocore``] Updated the CreateIntegrationAssociation API to support the CASES_DOMAIN IntegrationType.
    * api-change:``connectcases``: [``botocore``] This release adds APIs for Amazon Connect Cases. Cases allows your agents to quickly track and manage customer issues that require multiple interactions, follow-up tasks, and teams in your contact center.  For more information, see https://docs.aws.amazon.com/cases/latest/APIReference/Welcome.html
    * api-change:``ec2``: [``botocore``] Added EnableNetworkAddressUsageMetrics flag for ModifyVpcAttribute, DescribeVpcAttribute APIs.
    * api-change:``ecs``: [``botocore``] Documentation updates to address various Amazon ECS tickets.
    * api-change:``s3control``: [``botocore``] S3 Object Lambda adds support to allow customers to intercept HeadObject and ListObjects requests and introduce their own compute. These requests were previously proxied to S3.
    * api-change:``workmail``: [``botocore``] This release adds support for impersonation roles in Amazon WorkMail.
    

    1.24.85

    =======
    
    * api-change:``accessanalyzer``: [``botocore``] AWS IAM Access Analyzer policy validation introduces new checks for role trust policies. As customers author a policy, IAM Access Analyzer policy validation evaluates the policy for any issues to make it easier for customers to author secure policies.
    * api-change:``ec2``: [``botocore``] Adding an imdsSupport attribute to EC2 AMIs
    * api-change:``snowball``: [``botocore``] Adds support for V3_5C. This is a refr
    opened by pyup-bot 1
  • Bump express from 4.16.4 to 4.17.3 in /client

    Bump express from 4.16.4 to 4.17.3 in /client

    Bumps express from 4.16.4 to 4.17.3.

    Release notes

    Sourced from express's releases.

    4.17.3

    4.17.2

    4.17.1

    • Revert "Improve error message for null/undefined to res.status"

    4.17.0

    • Add express.raw to parse bodies into Buffer
    • Add express.text to parse bodies into string

    ... (truncated)

    Changelog

    Sourced from express's changelog.

    4.17.3 / 2022-02-16

    4.17.2 / 2021-12-16

    4.17.1 / 2019-05-25

    ... (truncated)

    Commits

    Dependabot compatibility score

    Dependabot will resolve any conflicts with this PR as long as you don't alter it yourself. You can also trigger a rebase manually by commenting @dependabot rebase.


    Dependabot commands and options

    You can trigger Dependabot actions by commenting on this PR:

    • @dependabot rebase will rebase this PR
    • @dependabot recreate will recreate this PR, overwriting any edits that have been made to it
    • @dependabot merge will merge this PR after your CI passes on it
    • @dependabot squash and merge will squash and merge this PR after your CI passes on it
    • @dependabot cancel merge will cancel a previously requested merge and block automerging
    • @dependabot reopen will reopen this PR if it is closed
    • @dependabot close will close this PR and stop Dependabot recreating it. You can achieve the same result by closing it manually
    • @dependabot ignore this major version will close this PR and stop Dependabot creating any more for this major version (unless you reopen the PR or upgrade to it yourself)
    • @dependabot ignore this minor version will close this PR and stop Dependabot creating any more for this minor version (unless you reopen the PR or upgrade to it yourself)
    • @dependabot ignore this dependency will close this PR and stop Dependabot creating any more for this dependency (unless you reopen the PR or upgrade to it yourself)
    • @dependabot use these labels will set the current labels as the default for future PRs for this repo and language
    • @dependabot use these reviewers will set the current reviewers as the default for future PRs for this repo and language
    • @dependabot use these assignees will set the current assignees as the default for future PRs for this repo and language
    • @dependabot use this milestone will set the current milestone as the default for future PRs for this repo and language

    You can disable automated security fix PRs for this repo from the Security Alerts page.

    dependencies javascript 
    opened by dependabot[bot] 1
  • Update redis to 4.4.1

    Update redis to 4.4.1

    This PR updates redis from 3.2.1 to 4.4.1.

    Changelog

    4.1.3

    * Fix flushdb and flushall (1926)
     * Add redis5 and redis4 dockers (1871)
     * Change json.clear test multi to be up to date with redisjson (1922)
     * Fixing volume for unstable_cluster docker (1914)
     * Update changes file with changes since 4.0.0-beta2 (1915)
    

    4.1.2

    * Invalid OCSP certificates should raise ConnectionError on failed validation (1907)
     * Added retry mechanism on socket timeouts when connecting to the server (1895)
     * LMOVE, BLMOVE return incorrect responses (1906)
     * Fixing AttributeError in UnixDomainSocketConnection (1903)
     * Fixing TypeError in GraphCommands.explain (1901)
     * For tests, increasing wait time for the cluster (1908)
     * Increased pubsub&#x27;s wait_for_messages timeout to prevent flaky tests (1893)
     * README code snippets formatted to highlight properly (1888)
     * Fix link in the main page (1897)
     * Documentation fixes: JSON Example, SSL Connection Examples, RTD version (1887)
     * Direct link to readthedocs (1885)
    

    4.1.1

    * Add retries to connections in Sentinel Pools (1879)
     * OCSP Stapling Support (1873)
     * Define incr/decr as aliases of incrby/decrby (1874)
     * FT.CREATE - support MAXTEXTFIELDS, TEMPORARY, NOHL, NOFREQS, SKIPINITIALSCAN (1847)
     * Timeseries docs fix (1877)
     * get_connection: catch OSError too (1832)
     * Set keys var otherwise variable not created (1853)
     * Clusters should optionally require full slot coverage (1845)
     * Triple quote docstrings in client.py PEP 257 (1876)
     * syncing requirements (1870)
     * Typo and typing in GraphCommands documentation (1855)
     * Allowing poetry and redis-py to install together (1854)
     * setup.py: Add project_urls for PyPI (1867)
     * Support test with redis unstable docker (1850)
     * Connection examples (1835)
     * Documentation cleanup (1841)
    

    4.1.0

    * OCSP stapling support (1820)
     * Support for SELECT (1825)
     * Support for specifying error types with retry (1817)
     * Support for RESET command since Redis 6.2.0 (1824)
     * Support CLIENT TRACKING (1612)
     * Support WRITE in CLIENT PAUSE (1549)
     * JSON set_file and set_path support (1818)
     * Allow ssl_ca_path with rediss:// urls (1814)
     * Support for password-encrypted SSL private keys (1782)
     * Support SYNC and PSYNC (1741)
     * Retry on error exception and timeout fixes (1821)
     * Fixing read race condition during pubsub (1737)
     * Fixing exception in listen (1823)
     * Fixed MovedError, and stopped iterating through startup nodes when slots are fully covered (1819)
     * Socket not closing after server disconnect (1797)
     * Single sourcing the package version (1791)
     * Ensure redis_connect_func is set on uds connection (1794)
     * SRTALGO - Skip for redis versions greater than 7.0.0 (1831)
     * Documentation updates (1822)
     * Add CI action to install package from repository commit hash (1781) (1790)
     * Fix link in lmove docstring (1793)
     * Disabling JSON.DEBUG tests (1787)
     * Migrated targeted nodes to kwargs in Cluster Mode (1762)
     * Added support for MONITOR in clusters (1756)
     * Adding ROLE Command (1610)
     * Integrate RedisBloom support (1683)
     * Adding RedisGraph support (1556)
     * Allow overriding connection class via keyword arguments (1752)
     * Aggregation LOAD * support for RediSearch (1735)
     * Adding cluster, bloom, and graph docs (1779)
     * Add packaging to setup_requires, and use &gt;= to play nice to setup.py (fixes 1625) (1780)
     * Fixing the license link in the readme (1778)
     * Removing distutils from tests (1773)
     * Fix cluster ACL tests (1774)
     * Improved RedisCluster&#x27;s reinitialize_steps and documentation (1765)
     * Added black and isort (1734)
     * Link Documents for all module commands (1711)
     * Pyupgrade + flynt + f-strings (1759)
     * Remove unused aggregation subclasses in RediSearch (1754)
     * Adding RedisCluster client to support Redis Cluster Mode (1660)
     * Support RediSearch FT.PROFILE command (1727)
     * Adding support for non-decodable commands (1731)
     * COMMAND GETKEYS support (1738)
     * RedisJSON 2.0.4 behaviour support (1747)
     * Removing deprecating distutils (PEP 632) (1730)
     * Updating PR template (1745)
     * Removing duplication of Script class (1751)
     * Splitting documentation for read the docs (1743)
     * Improve code coverage for aggregation tests (1713)
     * Fixing COMMAND GETKEYS tests (1750)
     * GitHub release improvements (1684)
    

    4.0.2

    * Restoring Sentinel commands to redis client (1723)
     * Better removal of hiredis warning (1726)
     * Adding links to redis documents in function calls (1719)
    

    4.0.1

    * Removing command on initial connections (1722)
     * Removing hiredis warning when not installed (1721)
    

    4.0.0

    * FT.EXPLAINCLI intentionally raising NotImplementedError
     * Restoring ZRANGE desc for Redis &lt; 6.2.0 (1697)
     * Response parsing occasionally fails to parse floats (1692)
     * Re-enabling read-the-docs (1707)
     * Call HSET after FT.CREATE to avoid keyspace scan (1706)
     * Unit tests fixes for compatibility (1703)
     * Improve documentation about Locks (1701)
     * Fixes to allow --redis-url to pass through all tests (1700)
     * Fix unit tests running against Redis 4.0.0 (1699)
     * Search alias test fix (1695)
     * Adding RediSearch/RedisJSON tests (1691)
     * Updating codecov rules (1689)
     * Tests to validate custom JSON decoders (1681)
     * Added breaking icon to release drafter (1702)
     * Removing dependency on six (1676)
     * Re-enable pipeline support for JSON and TimeSeries (1674)
     * Export Sentinel, and SSL like other classes (1671)
     * Restore zrange functionality for older versions of Redis (1670)
     * Fixed garbage collection deadlock (1578)
     * Tests to validate built python packages (1678)
     * Sleep for flaky search test (1680)
     * Test function renames, to match standards (1679)
     * Docstring improvements for Redis class (1675)
     * Fix georadius tests (1672)
     * Improvements to JSON coverage (1666)
     * Add python_requires setuptools check for python &gt; 3.6 (1656)
     * SMISMEMBER support (1667)
     * Exposing the module version in loaded_modules (1648)
     * RedisTimeSeries support (1652)
     * Support for json multipath ($) (1663)
     * Added boolean parsing to PEXPIRE and PEXPIREAT (1665)
     * Add python_requires setuptools check for python &gt; 3.6 (1656)
     * Adding vulture for static analysis (1655)
     * Starting to clean the docs (1657)
     * Update README.md (1654)
     * Adding description format for package (1651)
     * Publish to pypi as releases are generated with the release drafter (1647)
     * Restore actions to prs (1653)
     * Fixing the package to include commands (1649)
     * Re-enabling codecov as part of CI process (1646)
     * Adding support for redisearch (1640) Thanks chayim
     * redisjson support (1636) Thanks chayim
     * Sentinel: Add SentinelManagedSSLConnection (1419) Thanks AbdealiJK
     * Enable floating parameters in SET (ex and px) (1635) Thanks AvitalFineRedis
     * Add warning when hiredis not installed. Recommend installation. (1621) Thanks adiamzn
     * Raising NotImplementedError for SCRIPT DEBUG and DEBUG SEGFAULT (1624) Thanks chayim
     * CLIENT REDIR command support (1623) Thanks chayim
     * REPLICAOF command implementation (1622) Thanks chayim
     * Add support to NX XX and CH to GEOADD (1605) Thanks AvitalFineRedis
     * Add support to ZRANGE and ZRANGESTORE parameters (1603) Thanks AvitalFineRedis
     * Pre 6.2 redis should default to None for script flush (1641) Thanks chayim
     * Add FULL option to XINFO SUMMARY (1638) Thanks agusdmb
     * Geosearch test should use any=True (1594) Thanks Andrew-Chen-Wang
     * Removing packaging dependency (1626) Thanks chayim
     * Fix client_kill_filter docs for skimpy (1596) Thanks Andrew-Chen-Wang
     * Normalize minid and maxlen docs (1593) Thanks Andrew-Chen-Wang
     * Update docs for multiple usernames for ACL DELUSER (1595) Thanks Andrew-Chen-Wang
     * Fix grammar of get param in set command (1588) Thanks Andrew-Chen-Wang
     * Fix docs for client_kill_filter (1584) Thanks Andrew-Chen-Wang
     * Convert README &amp; CONTRIBUTING from rst to md (1633) Thanks davidylee
     * Test BYLEX param in zrangestore (1634) Thanks AvitalFineRedis
     * Tox integrations with invoke and docker (1632) Thanks chayim
     * Adding the release drafter to help simplify release notes (1618). Thanks chayim
     * BACKWARDS INCOMPATIBLE: Removed support for end of life Python 2.7. 1318
     * BACKWARDS INCOMPATIBLE: All values within Redis URLs are unquoted via
       urllib.parse.unquote. Prior versions of redis-py supported this by
       specifying the ``decode_components`` flag to the ``from_url`` functions.
       This is now done by default and cannot be disabled. 589
     * POTENTIALLY INCOMPATIBLE: Redis commands were moved into a mixin
       (see commands.py). Anyone importing ``redis.client`` to access commands
       directly should import ``redis.commands``. 1534, 1550
     * Removed technical debt on REDIS_6_VERSION placeholder. Thanks chayim 1582.
     * Various docus fixes. Thanks Andrew-Chen-Wang 1585, 1586.
     * Support for LOLWUT command, available since Redis 5.0.0.
       Thanks brainix 1568.
     * Added support for CLIENT REPLY, available in Redis 3.2.0.
       Thanks chayim 1581.
     * Support for Auto-reconnect PubSub on get_message. Thanks luhn 1574.
     * Fix RST syntax error in README/ Thanks JanCBrammer 1451.
     * IDLETIME and FREQ support for RESTORE. Thanks chayim 1580.
     * Supporting args with MODULE LOAD. Thanks chayim 1579.
     * Updating RedisLabs with Redis. Thanks gkorland 1575.
     * Added support for ASYNC to SCRIPT FLUSH available in Redis 6.2.0.
       Thanks chayim. 1567
     * Added CLIENT LIST fix to support multiple client ids available in
       Redis 2.8.12. Thanks chayim 1563.
     * Added DISCARD support for pipelines available in Redis 2.0.0.
       Thanks chayim 1565.
     * Added ACL DELUSER support for deleting lists of users available in
       Redis 6.2.0. Thanks chayim. 1562
     * Added CLIENT TRACKINFO support available in Redis 6.2.0.
       Thanks chayim. 1560
     * Added GEOSEARCH and GEOSEARCHSTORE support available in Redis 6.2.0.
       Thanks AvitalFine Redis. 1526
     * Added LPUSHX support for lists available in Redis 4.0.0.
       Thanks chayim. 1559
     * Added support for QUIT available in Redis 1.0.0.
       Thanks chayim. 1558
     * Added support for COMMAND COUNT available in Redis 2.8.13.
       Thanks chayim. 1554.
     * Added CREATECONSUMER support for XGROUP available in Redis 6.2.0.
       Thanks AvitalFineRedis. 1553
     * Including slowly complexity in INFO if available.
       Thanks ian28223 1489.
     * Added support for STRALGO available in Redis 6.0.0.
       Thanks AvitalFineRedis. 1528
     * Addes support for ZMSCORE available in Redis 6.2.0.
       Thanks 2014BDuck and jiekun.zhu. 1437
     * Support MINID and LIMIT on XADD available in Redis 6.2.0.
       Thanks AvitalFineRedis. 1548
     * Added sentinel commands FLUSHCONFIG, CKQUORUM, FAILOVER, and RESET
       available in Redis 2.8.12.
       Thanks otherpirate. 834
     * Migrated Version instead of StrictVersion for Python 3.10.
       Thanks tirkarthi. 1552
     * Added retry mechanism with backoff. Thanks nbraun-amazon. 1494
     * Migrated commands to a mixin. Thanks chayim. 1534
     * Added support for ZUNION, available in Redis 6.2.0. Thanks
       AvitalFineRedis. 1522
     * Added support for CLIENT LIST with ID, available in Redis 6.2.0.
       Thanks chayim. 1505
     * Added support for MINID and LIMIT with xtrim, available in Reds 6.2.0.
       Thanks chayim. 1508
     * Implemented LMOVE and BLMOVE commands, available in Redis 6.2.0.
       Thanks chayim. 1504
     * Added GET argument to SET command, available in Redis 6.2.0.
       Thanks 2014BDuck. 1412
     * Documentation fixes. Thanks enjoy-binbin jonher937. 1496 1532
     * Added support for XAUTOCLAIM, available in Redis 6.2.0.
       Thanks AvitalFineRedis. 1529
     * Added IDLE support for XPENDING, available in Redis 6.2.0.
       Thanks AvitalFineRedis. 1523
     * Add a count parameter to lpop/rpop, available in Redis 6.2.0.
       Thanks wavenator. 1487
     * Added a (pypy) trove classifier for Python 3.9.
       Thanks D3X. 1535
     * Added ZINTER support, available in Redis 6.2.0.
       Thanks AvitalFineRedis. 1520
     * Added ZINTER support, available in Redis 6.2.0.
       Thanks AvitalFineRedis. 1520
     * Added ZDIFF and ZDIFFSTORE support, available in Redis 6.2.0.
       Thanks AvitalFineRedis. 1518
     * Added ZRANGESTORE support, available in Redis 6.2.0.
       Thanks AvitalFineRedis. 1521
     * Added LT and GT support for ZADD, available in Redis 6.2.0.
       Thanks chayim. 1509
     * Added ZRANDMEMBER support, available in Redis 6.2.0.
       Thanks AvitalFineRedis. 1519
     * Added GETDEL support, available in Redis 6.2.0.
       Thanks AvitalFineRedis. 1514
     * Added CLIENT KILL laddr filter, available in Redis 6.2.0.
       Thanks chayim. 1506
     * Added CLIENT UNPAUSE, available in Redis 6.2.0.
       Thanks chayim. 1512
     * Added NOMKSTREAM support for XADD, available in Redis 6.2.0.
       Thanks chayim. 1507
     * Added HRANDFIELD support, available in Redis 6.2.0.
       Thanks AvitalFineRedis. 1513
     * Added CLIENT INFO support, available in Redis 6.2.0.
       Thanks AvitalFineRedis. 1517
     * Added GETEX support, available in Redis 6.2.0.
       Thanks AvitalFineRedis. 1515
     * Added support for COPY command, available in Redis 6.2.0.
       Thanks malinaa96. 1492
     * Provide a development and testing environment via docker. Thanks
       abrookins. 1365
     * Added support for the LPOS command available in Redis 6.0.6. Thanks
       aparcar 1353/1354
     * Added support for the ACL LOG command available in Redis 6. Thanks
       2014BDuck. 1307
     * Added support for ABSTTL option of the RESTORE command available in
       Redis 5.0. Thanks charettes. 1423
    

    3.5.3

    * Restore try/except clauses to __del__ methods. These will be removed
       in 4.0 when more explicit resource management if enforced. 1339
     * Update the master_address when Sentinels promote a new master. 847
     * Update SentinelConnectionPool to not forcefully disconnect other in-use
       connections which can negatively affect threaded applications. 1345
    

    3.5.2

    * Tune the locking in ConnectionPool.get_connection so that the lock is
       not held while waiting for the socket to establish and validate the
       TCP connection.
    

    3.5.1

    * Fix for HSET argument validation to allow any non-None key. Thanks
       AleksMat, 1337, 1341
    

    3.5.0

    * Removed exception trapping from __del__ methods. redis-py objects that
       hold various resources implement __del__ cleanup methods to release
       those resources when the object goes out of scope. This provides a
       fallback for when these objects aren&#x27;t explicitly closed by user code.
       Prior to this change any errors encountered in closing these resources
       would be hidden from the user. Thanks jdufresne. 1281
     * Expanded support for connection strings specifying a username connecting
       to pre-v6 servers. 1274
     * Optimized Lock&#x27;s blocking_timeout and sleep. If the lock cannot be
       acquired and the sleep value would cause the loop to sleep beyond
       blocking_timeout, fail immediately. Thanks clslgrnc. 1263
     * Added support for passing Python memoryviews to Redis command args that
       expect strings or bytes. The memoryview instance is sent directly to
       the socket such that there are zero copies made of the underlying data
       during command packing. Thanks Cody-G. 1265, 1285
     * HSET command now can accept multiple pairs. HMSET has been marked as
       deprecated now. Thanks to laixintao 1271
     * Don&#x27;t manually DISCARD when encountering an ExecAbortError.
       Thanks nickgaya, 1300/1301
     * Reset the watched state of pipelines after calling exec. This saves
       a roundtrip to the server by not having to call UNWATCH within
       Pipeline.reset(). Thanks nickgaya, 1299/1302
     * Added the KEEPTTL option for the SET command. Thanks
       laixintao 1304/1280
     * Added the MEMORY STATS command. 1268
     * Lock.extend() now has a new option, `replace_ttl`. When False (the
       default), Lock.extend() adds the `additional_time` to the lock&#x27;s existing
       TTL. When replace_ttl=True, the lock&#x27;s existing TTL is replaced with
       the value of `additional_time`.
     * Add testing and support for PyPy.
    

    3.4.1

    * Move the username argument in the Redis and Connection classes to the
       end of the argument list. This helps those poor souls that specify all
       their connection options as non-keyword arguments. 1276
     * Prior to ACL support, redis-py ignored the username component of
       Connection URLs. With ACL support, usernames are no longer ignored and
       are used to authenticate against an ACL rule. Some cloud vendors with
       managed Redis instances (like Heroku) provide connection URLs with a
       username component pre-ACL that is not intended to be used. Sending that
       username to Redis servers &lt; 6.0.0 results in an error. Attempt to detect
       this condition and retry the AUTH command with only the password such
       that authentication continues to work for these users. 1274
     * Removed the __eq__ hooks to Redis and ConnectionPool that were added
       in 3.4.0. This ended up being a bad idea as two separate connection
       pools be considered equal yet manage a completely separate set of
       connections.
    

    3.4.0

    * Allow empty pipelines to be executed if there are WATCHed keys.
       This is a convenient way to test if any of the watched keys changed
       without actually running any other commands. Thanks brianmaissy.
       1233, 1234
     * Removed support for end of life Python 3.4.
     * Added support for all ACL commands in Redis 6. Thanks IAmATeaPot418
       for helping.
     * Pipeline instances now always evaluate to True. Prior to this change,
       pipeline instances relied on __len__ for boolean evaluation which
       meant that pipelines with no commands on the stack would be considered
       False. 994
     * Client instances and Connection pools now support a &#x27;client_name&#x27;
       argument. If supplied, all connections created will call CLIENT SETNAME
       as soon as the connection is opened. Thanks to Habbie for supplying
       the basis of this change. 802
     * Added the &#x27;ssl_check_hostname&#x27; argument to specify whether SSL
       connections should require the server hostname to match the hostname
       specified in the SSL cert. By default &#x27;ssl_check_hostname&#x27; is False
       for backwards compatibility. 1196
     * Slightly optimized command packing. Thanks Deneby67. 1255
     * Added support for the TYPE argument to SCAN. Thanks netocp. 1220
     * Better thread and fork safety in ConnectionPool and
       BlockingConnectionPool. Added better locking to synchronize critical
       sections rather than relying on CPython-specific implementation details
       relating to atomic operations. Adjusted how the pools identify and
       deal with a fork. Added a ChildDeadlockedError exception that is
       raised by child processes in the very unlikely chance that a deadlock
       is encountered. Thanks gmbnomis, mdellweg, yht804421715. 1270,
       1138, 1178, 906, 1262
     * Added __eq__ hooks to the Redis and ConnectionPool classes.
       Thanks brainix. 1240
    

    3.3.11

    * Further fix for the SSLError -&gt; TimeoutError mapping to work
       on obscure releases of Python 2.7.
    

    3.3.10

    * Fixed a potential error handling bug for the SSLError -&gt; TimeoutError
       mapping introduced in 3.3.9. Thanks zbristow. 1224
    

    3.3.9

    * Mapped Python 2.7 SSLError to TimeoutError where appropriate. Timeouts
       should now consistently raise TimeoutErrors on Python 2.7 for both
       unsecured and secured connections. Thanks zbristow. 1222
    

    3.3.8

    * Fixed MONITOR parsing to properly parse IPv6 client addresses, unix
       socket connections and commands issued from Lua. Thanks kukey. 1201
    

    3.3.7

    * Fixed a regression introduced in 3.3.0 where socket.error exceptions
       (or subclasses) could potentially be raised instead of
       redis.exceptions.ConnectionError. 1202
    

    3.3.6

    * Fixed a regression in 3.3.5 that caused PubSub.get_message() to raise
       a socket.timeout exception when passing a timeout value. 1200
    

    3.3.5

    * Fix an issue where socket.timeout errors could be handled by the wrong
       exception handler in Python 2.7.
    

    3.3.4

    * More specifically identify nonblocking read errors for both SSL and
       non-SSL connections. 3.3.1, 3.3.2 and 3.3.3 on Python 2.7 could
       potentially mask a ConnectionError. 1197
    

    3.3.3

    * The SSL module in Python &lt; 2.7.9 handles non-blocking sockets
       differently than 2.7.9+. This patch accommodates older versions. 1197
    

    3.3.2

    * Further fixed a regression introduced in 3.3.0 involving SSL and
       non-blocking sockets. 1197
    

    3.3.1

    * Fixed a regression introduced in 3.3.0 involving SSL and non-blocking
       sockets. 1197
    

    3.3.0

    * Resolve a race condition with the PubSubWorkerThread. 1150
     * Cleanup socket read error messages. Thanks Vic Yu. 1159
     * Cleanup the Connection&#x27;s selector correctly. Thanks Bruce Merry. 1153
     * Added a Monitor object to make working with MONITOR output easy.
       Thanks Roey Prat 1033
     * Internal cleanup: Removed the legacy Token class which was necessary
       with older version of Python that are no longer supported. 1066
     * Response callbacks are now case insensitive. This allows users that
       call Redis.execute_command() directly to pass lower-case command
       names and still get reasonable responses. 1168
     * Added support for hiredis-py 1.0.0 encoding error support. This should
       make the PythonParser and the HiredisParser behave identically
       when encountering encoding errors. Thanks Brian Candler. 1161/1162
     * All authentication errors now properly raise AuthenticationError.
       AuthenticationError is now a subclass of ConnectionError, which will
       cause the connection to be disconnected and cleaned up appropriately.
       923
     * Add READONLY and READWRITE commands. Thanks theodesp. 1114
     * Remove selectors in favor of nonblocking sockets. Selectors had
       issues in some environments including eventlet and gevent. This should
       resolve those issues with no other side effects.
     * Fixed an issue with XCLAIM and previously claimed but not removed
       messages. Thanks thomdask. 1192/1191
     * Allow for single connection client instances. These instances
       are not thread safe but offer other benefits including a subtle
       performance increase.
     * Added extensive health checks that keep the connections lively.
       Passing the &quot;health_check_interval=N&quot; option to the Redis client class
       or to a ConnectionPool ensures that a round trip PING/PONG is successful
       before any command if the underlying connection has been idle for more
       than N seconds. ConnectionErrors and TimeoutErrors are automatically
       retried once for health checks.
     * Changed the PubSubWorkerThread to use a threading.Event object rather
       than a boolean to control the thread&#x27;s life cycle. Thanks Timothy
       Rule. 1194/1195.
     * Fixed a bug in Pipeline error handling that would incorrectly retry
       ConnectionErrors.
    
    Links
    • PyPI: https://pypi.org/project/redis
    • Changelog: https://pyup.io/changelogs/redis/
    • Repo: https://github.com/redis/redis-py
    opened by pyup-bot 0
  • Update django-compressor to 4.2

    Update django-compressor to 4.2

    This PR updates django-compressor from 2.3 to 4.2.

    Changelog

    4.2

    -----------------
    
    `Full Changelog &lt;https://github.com/django-compressor/django-compressor/compare/4.1...4.2&gt;`_
    
    - Drop Python 3.6 and 3.7 support
    - Drop Django 2.2 and 3.1 support
    - Drop SlimItFilter
    - Update the `CachedS3Boto3Storage` example storage subclass in &quot;Remote Storages&quot;
    to work properly after the v4.0 change to how duplicate file names are handled
    by `CompressorFileStorage`
    - Update rsmin and jsmin versions
    

    4.1

    -----------------
    
    `Full Changelog &lt;https://github.com/django-compressor/django-compressor/compare/4.0...4.1&gt;`_
    
    - Add Django 4.1 compatibility
    
    - New setting ``COMPRESS_OFFLINE_MANIFEST_STORAGE`` to customize the offline manifest&#x27;s file storage (1112)
    
    With this change the function ``compressor.cache.get_offline_manifest_filename()`` has been removed.
    You can now use the new file storage ``compressor.storage.default_offline_manifest_storage`` to access the
    location of the manifest.
    

    4.0

    -----------------
    
    `Full Changelog &lt;https://github.com/django-compressor/django-compressor/compare/3.1...4.0&gt;`_
    
    - Fix intermittent No such file or directory errors by changing strategy to
    deal with duplicate filenames in CompressorFileStorage
    
    Note: if your project has a custom storage backend following the example of 
    `CachedS3Boto3Storage` from the &quot;Remote Storages&quot; documentation, it will need
    to be updated to call `save` instead of `_save` to work properly after this
    change to `CompressorFileStorage`.
    
    - Deprecate SlimItFilter, stop testing it with Python 3.7 or higher
    

    3.1

    -----------------
    
    `Full Changelog &lt;https://github.com/django-compressor/django-compressor/compare/3.0...3.1&gt;`_
    
    - Fix error with verbose offline compression when COMPRESS_OFFLINE_CONTEXT is a generator
    

    3.0

    -----------------
    
    `Full Changelog &lt;https://github.com/django-compressor/django-compressor/compare/2.4.1...3.0&gt;`_
    
    - Officially support for Python 3.9 and 3.10 as well as Django 3.1, 3.2 and 4.0
    - Drop support for Django 1.11, 2.1 and 3.0
    - Drop support for Python 2.x and 3.4
    - Fix compatibility with Jinja 3.x
    - Require django-sekizai 2.0 for django-sekizai extension
    - Make template compression in compress command threaded to improve performance
    - Correctly handle relative paths in ``extends`` tags (979)
    - Enable ``rCSSMinFilter`` by default (888)
    - Fix various deprecation warnings
    - Add ability to pass a logger to various classes &amp; methods
    - Removed deprecated ``COMPRESS_JS_FILTERS`` and ``COMPRESS_CSS_FILTERS`` settings
    - Fix offline compression race condition, which could result in incomplete manifest
    

    2.4.1

    -------------------
    
    `Full Changelog &lt;https://github.com/django-compressor/django-compressor/compare/2.4...2.4.1&gt;`_
    
    - Raise proper ``DeprecationWarning`` for ``COMPRESS_JS_FILTERS`` and ``COMPRESS_CSS_FILTERS``
    

    2.4

    -----------------
    
    `Full Changelog &lt;https://github.com/django-compressor/django-compressor/compare/2.3...2.4&gt;`_
    
    - Add support for Django 3.0 (950, 967)
    - Officially support Python 3.8 (967)
    - Add better support for JS strict mode and validation (952)
    - Add support for rel=preload (951)
    - Add support for Calmjs (957)
    
    Note: in 2.3, a new setting ``COMPRESS_FILTERS`` has been introduced that combines the existing ``COMPRESS_CSS_FILTERS`` and ``COMPRESS_JS_FILTERS``. The latter are now deprecated. See `the docs &lt;https://django-compressor.readthedocs.io/en/stable/settings/#django.conf.settings.COMPRESS_FILTERS&gt;`_ on how to use the new setting, the conversion is straightforward.
    
    Links
    • PyPI: https://pypi.org/project/django-compressor
    • Changelog: https://pyup.io/changelogs/django-compressor/
    • Docs: https://django-compressor.readthedocs.io/en/latest/
    opened by pyup-bot 0
  • Update boto3 to 1.26.44

    Update boto3 to 1.26.44

    This PR updates boto3 from 1.9.182 to 1.26.44.

    Changelog

    1.26.44

    =======
    
    * api-change:``amplifybackend``: [``botocore``] Updated GetBackendAPIModels response to include ModelIntrospectionSchema json string
    * api-change:``apprunner``: [``botocore``] This release adds support of securely referencing secrets and configuration data that are stored in Secrets Manager and SSM Parameter Store by adding them as environment secrets in your App Runner service.
    * api-change:``connect``: [``botocore``] Documentation update for a new Initiation Method value in DescribeContact API
    * api-change:``emr-serverless``: [``botocore``] Adds support for customized images. You can now provide runtime images when creating or updating EMR Serverless Applications.
    * api-change:``lightsail``: [``botocore``] Documentation updates for Amazon Lightsail.
    * api-change:``mwaa``: [``botocore``] MWAA supports Apache Airflow version 2.4.3.
    * api-change:``rds``: [``botocore``] This release adds support for specifying which certificate authority (CA) to use for a DB instance&#x27;s server certificate during DB instance creation, as well as other CA enhancements.
    

    1.26.43

    =======
    
    * api-change:``application-autoscaling``: [``botocore``] Customers can now use the existing DescribeScalingActivities API to also see the detailed and machine-readable reasons for Application Auto Scaling not scaling their resources and, if needed, take the necessary corrective actions.
    * api-change:``logs``: [``botocore``] Update to remove sequenceToken as a required field in PutLogEvents calls.
    * api-change:``ssm``: [``botocore``] Adding support for QuickSetup Document Type in Systems Manager
    

    1.26.42

    =======
    
    * api-change:``securitylake``: [``botocore``] Allow CreateSubscriber API to take string input that allows setting more descriptive SubscriberDescription field. Make souceTypes field required in model level for UpdateSubscriberRequest as it is required for every API call on the backend. Allow ListSubscribers take any String as nextToken param.
    

    1.26.41

    =======
    
    * api-change:``cloudfront``: [``botocore``] Extend response headers policy to support removing headers from viewer responses
    * api-change:``iotfleetwise``: [``botocore``] Update documentation - correct the epoch constant value of default value for expiryTime field in CreateCampaign request.
    

    1.26.40

    =======
    
    * api-change:``apigateway``: [``botocore``] Documentation updates for Amazon API Gateway
    * api-change:``emr``: [``botocore``] Update emr client to latest version
    * api-change:``secretsmanager``: [``botocore``] Added owning service filter, include planned deletion flag, and next rotation date response parameter in ListSecrets.
    * api-change:``wisdom``: [``botocore``] This release extends Wisdom CreateContent and StartContentUpload APIs to support PDF and MicrosoftWord docx document uploading.
    

    1.26.39

    =======
    
    * api-change:``elasticache``: [``botocore``] This release allows you to modify the encryption in transit setting, for existing Redis clusters. You can now change the TLS configuration of your Redis clusters without the need to re-build or re-provision the clusters or impact application availability.
    * api-change:``network-firewall``: [``botocore``] AWS Network Firewall now provides status messages for firewalls to help you troubleshoot when your endpoint fails.
    * api-change:``rds``: [``botocore``] This release adds support for Custom Engine Version (CEV) on RDS Custom SQL Server.
    * api-change:``route53-recovery-control-config``: [``botocore``] Added support for Python paginators in the route53-recovery-control-config List* APIs.
    

    1.26.38

    =======
    
    * api-change:``memorydb``: [``botocore``] This release adds support for MemoryDB Reserved nodes which provides a significant discount compared to on-demand node pricing. Reserved nodes are not physical nodes, but rather a billing discount applied to the use of on-demand nodes in your account.
    * api-change:``transfer``: [``botocore``] Add additional operations to throw ThrottlingExceptions
    

    1.26.37

    =======
    
    * api-change:``connect``: [``botocore``] Support for Routing Profile filter, SortCriteria, and grouping by Routing Profiles for GetCurrentMetricData API. Support for RoutingProfiles, UserHierarchyGroups, and Agents as filters, NextStatus and AgentStatusName for GetCurrentUserData. Adds ApproximateTotalCount to both APIs.
    * api-change:``connectparticipant``: [``botocore``] Amazon Connect Chat introduces the Message Receipts feature. This feature allows agents and customers to receive message delivered and read receipts after they send a chat message.
    * api-change:``detective``: [``botocore``] This release adds a missed AccessDeniedException type to several endpoints.
    * api-change:``fsx``: [``botocore``] Fix a bug where a recent release might break certain existing SDKs.
    * api-change:``inspector2``: [``botocore``] Amazon Inspector adds support for scanning NodeJS 18.x and Go 1.x AWS Lambda function runtimes.
    

    1.26.36

    =======
    
    * api-change:``compute-optimizer``: [``botocore``] This release enables AWS Compute Optimizer to analyze and generate optimization recommendations for ecs services running on Fargate.
    * api-change:``connect``: [``botocore``] Amazon Connect Chat introduces the Idle Participant/Autodisconnect feature, which allows users to set timeouts relating to the activity of chat participants, using the new UpdateParticipantRoleConfig API.
    * api-change:``iotdeviceadvisor``: [``botocore``] This release adds the following new features: 1) Documentation updates for IoT Device Advisor APIs. 2) Updated required request parameters for IoT Device Advisor APIs. 3) Added new service feature: ability to provide the test endpoint when customer executing the StartSuiteRun API.
    * api-change:``kinesis-video-webrtc-storage``: [``botocore``] Amazon Kinesis Video Streams offers capabilities to stream video and audio in real-time via WebRTC to the cloud for storage, playback, and analytical processing. Customers can use our enhanced WebRTC SDK and cloud APIs to enable real-time streaming, as well as media ingestion to the cloud.
    * api-change:``rds``: [``botocore``] Add support for managing master user password in AWS Secrets Manager for the DBInstance and DBCluster.
    * api-change:``secretsmanager``: [``botocore``] Documentation updates for Secrets Manager
    

    1.26.35

    =======
    
    * api-change:``connect``: [``botocore``] Amazon Connect Chat now allows for JSON (application/json) message types to be sent as part of the initial message in the StartChatContact API.
    * api-change:``connectparticipant``: [``botocore``] Amazon Connect Chat now allows for JSON (application/json) message types to be sent in the SendMessage API.
    * api-change:``license-manager-linux-subscriptions``: [``botocore``] AWS License Manager now offers cross-region, cross-account tracking of commercial Linux subscriptions on AWS. This includes subscriptions purchased as part of EC2 subscription-included AMIs, on the AWS Marketplace, or brought to AWS via Red Hat Cloud Access Program.
    * api-change:``macie2``: [``botocore``] This release adds support for analyzing Amazon S3 objects that use the S3 Glacier Instant Retrieval (Glacier_IR) storage class.
    * api-change:``sagemaker``: [``botocore``] This release enables adding RStudio Workbench support to an existing Amazon SageMaker Studio domain. It allows setting your RStudio on SageMaker environment configuration parameters and also updating the RStudioConnectUrl and RStudioPackageManagerUrl parameters for existing domains
    * api-change:``scheduler``: [``botocore``] Updated the ListSchedules and ListScheduleGroups APIs to allow the NamePrefix field to start with a number. Updated the validation for executionRole field to support any role name.
    * api-change:``ssm``: [``botocore``] Doc-only updates for December 2022.
    * api-change:``support``: [``botocore``] Documentation updates for the AWS Support API
    * api-change:``transfer``: [``botocore``] This release adds support for Decrypt as a workflow step type.
    

    1.26.34

    =======
    
    * api-change:``batch``: [``botocore``] Adds isCancelled and isTerminated to DescribeJobs response.
    * api-change:``ec2``: [``botocore``] Adds support for pagination in the EC2 DescribeImages API.
    * api-change:``lookoutequipment``: [``botocore``] This release adds support for listing inference schedulers by status.
    * api-change:``medialive``: [``botocore``] This release adds support for two new features to AWS Elemental MediaLive. First, you can now burn-in timecodes to your MediaLive outputs. Second, we now now support the ability to decode Dolby E audio when it comes in on an input.
    * api-change:``nimble``: [``botocore``] Amazon Nimble Studio now supports configuring session storage volumes and persistence, as well as backup and restore sessions through launch profiles.
    * api-change:``resource-explorer-2``: [``botocore``] Documentation updates for AWS Resource Explorer.
    * api-change:``route53domains``: [``botocore``] Use Route 53 domain APIs to change owner, create/delete DS record, modify IPS tag, resend authorization. New: AssociateDelegationSignerToDomain, DisassociateDelegationSignerFromDomain, PushDomain, ResendOperationAuthorization. Updated: UpdateDomainContact, ListOperations, CheckDomainTransferability.
    * api-change:``sagemaker``: [``botocore``] Amazon SageMaker Autopilot adds support for new objective metrics in CreateAutoMLJob API.
    * api-change:``transcribe``: [``botocore``] Enable our batch transcription jobs for Swedish and Vietnamese.
    

    1.26.33

    =======
    
    * api-change:``athena``: [``botocore``] Add missed InvalidRequestException in GetCalculationExecutionCode,StopCalculationExecution APIs. Correct required parameters (Payload and Type) in UpdateNotebook API. Change Notebook size from 15 Mb to 10 Mb.
    * api-change:``ecs``: [``botocore``] This release adds support for alarm-based rollbacks in ECS, a new feature that allows customers to add automated safeguards for Amazon ECS service rolling updates.
    * api-change:``kinesis-video-webrtc-storage``: [``botocore``] Amazon Kinesis Video Streams offers capabilities to stream video and audio in real-time via WebRTC to the cloud for storage, playback, and analytical processing. Customers can use our enhanced WebRTC SDK and cloud APIs to enable real-time streaming, as well as media ingestion to the cloud.
    * api-change:``kinesisvideo``: [``botocore``] Amazon Kinesis Video Streams offers capabilities to stream video and audio in real-time via WebRTC to the cloud for storage, playback, and analytical processing. Customers can use our enhanced WebRTC SDK and cloud APIs to enable real-time streaming, as well as media ingestion to the cloud.
    * api-change:``rds``: [``botocore``] Add support for --enable-customer-owned-ip to RDS create-db-instance-read-replica API for RDS on Outposts.
    * api-change:``sagemaker``: [``botocore``] AWS Sagemaker - Sagemaker Images now supports Aliases as secondary identifiers for ImageVersions. SageMaker Images now supports additional metadata for ImageVersions for better images management.
    

    1.26.32

    =======
    
    * enhancement:s3: s3.transfer methods accept path-like objects as input
    * api-change:``appflow``: [``botocore``] This release updates the ListConnectorEntities API action so that it returns paginated responses that customers can retrieve with next tokens.
    * api-change:``cloudfront``: [``botocore``] Updated documentation for CloudFront
    * api-change:``datasync``: [``botocore``] AWS DataSync now supports the use of tags with task executions. With this new feature, you can apply tags each time you execute a task, giving you greater control and management over your task executions.
    * api-change:``efs``: [``botocore``] Update efs client to latest version
    * api-change:``guardduty``: [``botocore``] This release provides the valid characters for the Description and Name field.
    * api-change:``iotfleetwise``: [``botocore``] Updated error handling for empty resource names in &quot;UpdateSignalCatalog&quot; and &quot;GetModelManifest&quot; operations.
    * api-change:``sagemaker``: [``botocore``] AWS sagemaker - Features: This release adds support for random seed, it&#x27;s an integer value used to initialize a pseudo-random number generator. Setting a random seed will allow the hyperparameter tuning search strategies to produce more consistent configurations for the same tuning job.
    

    1.26.31

    =======
    
    * api-change:``backup-gateway``: [``botocore``] This release adds support for VMware vSphere tags, enabling customer to protect VMware virtual machines using tag-based policies for AWS tags mapped from vSphere tags. This release also adds support for customer-accessible gateway-hypervisor interaction log and upload bandwidth rate limit schedule.
    * api-change:``connect``: [``botocore``] Added support for &quot;English - New Zealand&quot; and &quot;English - South African&quot; to be used with Amazon Connect Custom Vocabulary APIs.
    * api-change:``ecs``: [``botocore``] This release adds support for container port ranges in ECS, a new capability that allows customers to provide container port ranges to simplify use cases where multiple ports are in use in a container. This release updates TaskDefinition mutation APIs and the Task description APIs.
    * api-change:``eks``: [``botocore``] Add support for Windows managed nodes groups.
    * api-change:``glue``: [``botocore``] This release adds support for AWS Glue Crawler with native DeltaLake tables, allowing Crawlers to classify Delta Lake format tables and catalog them for query engines to query against.
    * api-change:``kinesis``: [``botocore``] Added StreamARN parameter for Kinesis Data Streams APIs. Added a new opaque pagination token for ListStreams. SDKs will auto-generate Account Endpoint when accessing Kinesis Data Streams.
    * api-change:``location``: [``botocore``] This release adds support for a new style, &quot;VectorOpenDataStandardLight&quot; which can be used with the new data source, &quot;Open Data Maps (Preview)&quot;.
    * api-change:``m2``: [``botocore``] Adds an optional create-only `KmsKeyId` property to Environment and Application resources.
    * api-change:``sagemaker``: [``botocore``] SageMaker Inference Recommender now allows customers to load tests their models on various instance types using private VPC.
    * api-change:``securityhub``: [``botocore``] Added new resource details objects to ASFF, including resources for AwsEc2LaunchTemplate, AwsSageMakerNotebookInstance, AwsWafv2WebAcl and AwsWafv2RuleGroup.
    * api-change:``translate``: [``botocore``] Raised the input byte size limit of the Text field in the TranslateText API to 10000 bytes.
    

    1.26.30

    =======
    
    * api-change:``ce``: [``botocore``] This release supports percentage-based thresholds on Cost Anomaly Detection alert subscriptions.
    * api-change:``cloudwatch``: [``botocore``] Update cloudwatch client to latest version
    * api-change:``networkmanager``: [``botocore``] Appliance Mode support for AWS Cloud WAN.
    * api-change:``redshift-data``: [``botocore``] This release adds a new --client-token field to ExecuteStatement and BatchExecuteStatement operations. Customers can now run queries with the additional client token parameter to ensures idempotency.
    * api-change:``sagemaker-metrics``: [``botocore``] Update SageMaker Metrics documentation.
    

    1.26.29

    =======
    
    * api-change:``cloudtrail``: [``botocore``] Merging mainline branch for service model into mainline release branch. There are no new APIs.
    * api-change:``rds``: [``botocore``] This deployment adds ClientPasswordAuthType field to the Auth structure of the DBProxy.
    

    1.26.28

    =======
    
    * bugfix:Endpoint provider: [``botocore``] Updates ARN parsing ``resourceId`` delimiters
    * api-change:``customer-profiles``: [``botocore``] This release allows custom strings in PartyType and Gender through 2 new attributes in the CreateProfile and UpdateProfile APIs: PartyTypeString and GenderString.
    * api-change:``ec2``: [``botocore``] This release updates DescribeFpgaImages to show supported instance types of AFIs in its response.
    * api-change:``kinesisvideo``: [``botocore``] This release adds support for public preview of Kinesis Video Stream at Edge enabling customers to provide configuration for the Kinesis Video Stream EdgeAgent running on an on-premise IoT device. Customers can now locally record from cameras and stream videos to the cloud on configured schedule.
    * api-change:``lookoutvision``: [``botocore``] This documentation update adds kms:GenerateDataKey as a required permission to StartModelPackagingJob.
    * api-change:``migration-hub-refactor-spaces``: [``botocore``] This release adds support for Lambda alias service endpoints. Lambda alias ARNs can now be passed into CreateService.
    * api-change:``rds``: [``botocore``] Update the RDS API model to support copying option groups during the CopyDBSnapshot operation
    * api-change:``rekognition``: [``botocore``] Adds support for &quot;aliases&quot; and &quot;categories&quot;, inclusion and exclusion filters for labels and label categories, and aggregating labels by video segment timestamps for Stored Video Label Detection APIs.
    * api-change:``sagemaker-metrics``: [``botocore``] This release introduces support SageMaker Metrics APIs.
    * api-change:``wafv2``: [``botocore``] Documents the naming requirement for logging destinations that you use with web ACLs.
    

    1.26.27

    =======
    
    * api-change:``iotfleetwise``: [``botocore``] Deprecated assignedValue property for actuators and attributes.  Added a message to invalid nodes and invalid decoder manifest exceptions.
    * api-change:``logs``: [``botocore``] Doc-only update for CloudWatch Logs, for Tagging Permissions clarifications
    * api-change:``medialive``: [``botocore``] Link devices now support buffer size (latency) configuration. A higher latency value means a longer delay in transmitting from the device to MediaLive, but improved resiliency. A lower latency value means a shorter delay, but less resiliency.
    * api-change:``mediapackage-vod``: [``botocore``] This release provides the approximate number of assets in a packaging group.
    

    1.26.26

    =======
    
    * enhancement:Endpoint Provider Standard Library: [``botocore``] Correct spelling of &#x27;library&#x27; in ``StandardLibrary`` class
    * api-change:``autoscaling``: [``botocore``] Adds support for metric math for target tracking scaling policies, saving you the cost and effort of publishing a custom metric to CloudWatch. Also adds support for VPC Lattice by adding the Attach/Detach/DescribeTrafficSources APIs and a new health check type to the CreateAutoScalingGroup API.
    * api-change:``iottwinmaker``: [``botocore``] This release adds the following new features: 1) New APIs for managing a continuous sync of assets and asset models from AWS IoT SiteWise. 2) Support user friendly names for component types (ComponentTypeName) and properties (DisplayName).
    * api-change:``migrationhubstrategy``: [``botocore``] This release adds known application filtering, server selection for assessments, support for potential recommendations, and indications for configuration and assessment status. For more information, see the AWS Migration Hub documentation at https://docs.aws.amazon.com/migrationhub/index.html
    

    1.26.25

    =======
    
    * api-change:``ce``: [``botocore``] This release adds the LinkedAccountName field to the GetAnomalies API response under RootCause
    * api-change:``cloudfront``: [``botocore``] Introducing UpdateDistributionWithStagingConfig that can be used to promote the staging configuration to the production.
    * api-change:``eks``: [``botocore``] Adds support for EKS add-ons configurationValues fields and DescribeAddonConfiguration function
    * api-change:``kms``: [``botocore``] Updated examples and exceptions for External Key Store (XKS).
    

    1.26.24

    =======
    
    * api-change:``billingconductor``: [``botocore``] This release adds the Tiering Pricing Rule feature.
    * api-change:``connect``: [``botocore``] This release provides APIs that enable you to programmatically manage rules for Contact Lens conversational analytics and third party applications. For more information, see   https://docs.aws.amazon.com/connect/latest/APIReference/rules-api.html
    * api-change:``dynamodb``: [``botocore``] Endpoint Ruleset update: Use http instead of https for the &quot;local&quot; region.
    * api-change:``dynamodbstreams``: [``botocore``] Update dynamodbstreams client to latest version
    * api-change:``rds``: [``botocore``] This release adds the BlueGreenDeploymentNotFoundFault to the AddTagsToResource, ListTagsForResource, and RemoveTagsFromResource operations.
    * api-change:``sagemaker-featurestore-runtime``: [``botocore``] For online + offline Feature Groups, added ability to target PutRecord and DeleteRecord actions to only online store, or only offline store. If target store parameter is not specified, actions will apply to both stores.
    

    1.26.23

    =======
    
    * api-change:``ce``: [``botocore``] This release introduces two new APIs that offer a 1-click experience to refresh Savings Plans recommendations. The two APIs are StartSavingsPlansPurchaseRecommendationGeneration and ListSavingsPlansPurchaseRecommendationGeneration.
    * api-change:``ec2``: [``botocore``] Documentation updates for EC2.
    * api-change:``ivschat``: [``botocore``] Adds PendingVerification error type to messaging APIs to block the resource usage for accounts identified as being fraudulent.
    * api-change:``rds``: [``botocore``] This release adds the InvalidDBInstanceStateFault to the RestoreDBClusterFromSnapshot operation.
    * api-change:``transcribe``: [``botocore``] Amazon Transcribe now supports creating custom language models in the following languages: Japanese (ja-JP) and German (de-DE).
    

    1.26.22

    =======
    
    * api-change:``appsync``: [``botocore``] Fixes the URI for the evaluatecode endpoint to include the /v1 prefix (ie. &quot;/v1/dataplane-evaluatecode&quot;).
    * api-change:``ecs``: [``botocore``] Documentation updates for Amazon ECS
    * api-change:``fms``: [``botocore``] AWS Firewall Manager now supports Fortigate Cloud Native Firewall as a Service as a third-party policy type.
    * api-change:``mediaconvert``: [``botocore``] The AWS Elemental MediaConvert SDK has added support for configurable ID3 eMSG box attributes and the ability to signal them with InbandEventStream tags in DASH and CMAF outputs.
    * api-change:``medialive``: [``botocore``] Updates to Event Signaling and Management (ESAM) API and documentation.
    * api-change:``polly``: [``botocore``] Add language code for Finnish (fi-FI)
    * api-change:``proton``: [``botocore``] CreateEnvironmentAccountConnection RoleArn input is now optional
    * api-change:``redshift-serverless``: [``botocore``] Add Table Level Restore operations for Amazon Redshift Serverless. Add multi-port support for Amazon Redshift Serverless endpoints. Add Tagging support to Snapshots and Recovery Points in Amazon Redshift Serverless.
    * api-change:``sns``: [``botocore``] This release adds the message payload-filtering feature to the SNS Subscribe, SetSubscriptionAttributes, and GetSubscriptionAttributes API actions
    

    1.26.21

    =======
    
    * api-change:``codecatalyst``: [``botocore``] This release adds operations that support customers using the AWS Toolkits and Amazon CodeCatalyst, a unified software development service that helps developers develop, deploy, and maintain applications in the cloud. For more information, see the documentation.
    * api-change:``comprehend``: [``botocore``] Comprehend now supports semi-structured documents (such as PDF files or image files) as inputs for custom analysis using the synchronous APIs (ClassifyDocument and DetectEntities).
    * api-change:``gamelift``: [``botocore``] GameLift introduces a new feature, GameLift Anywhere. GameLift Anywhere allows you to integrate your own compute resources with GameLift. You can also use GameLift Anywhere to iteratively test your game servers without uploading the build to GameLift for every iteration.
    * api-change:``pipes``: [``botocore``] AWS introduces new Amazon EventBridge Pipes which allow you to connect sources (SQS, Kinesis, DDB, Kafka, MQ) to Targets (14+ EventBridge Targets) without any code, with filtering, batching, input transformation, and an optional Enrichment stage (Lambda, StepFunctions, ApiGateway, ApiDestinations)
    * api-change:``stepfunctions``: [``botocore``] Update stepfunctions client to latest version
    

    1.26.20

    =======
    
    * api-change:``accessanalyzer``: [``botocore``] This release adds support for S3 cross account access points. IAM Access Analyzer will now produce public or cross account findings when it detects bucket delegation to external account access points.
    * api-change:``athena``: [``botocore``] This release includes support for using Apache Spark in Amazon Athena.
    * api-change:``dataexchange``: [``botocore``] This release enables data providers to license direct access to data in their Amazon S3 buckets or AWS Lake Formation data lakes through AWS Data Exchange. Subscribers get read-only access to the data and can use it in downstream AWS services, like Amazon Athena, without creating or managing copies.
    * api-change:``docdb-elastic``: [``botocore``] Launched Amazon DocumentDB Elastic Clusters. You can now use the SDK to create, list, update and delete Amazon DocumentDB Elastic Cluster resources
    * api-change:``glue``: [``botocore``] This release adds support for AWS Glue Data Quality, which helps you evaluate and monitor the quality of your data and includes the API for creating, deleting, or updating data quality rulesets, runs and evaluations.
    * api-change:``s3control``: [``botocore``] Amazon S3 now supports cross-account access points. S3 bucket owners can now allow trusted AWS accounts to create access points associated with their bucket.
    * api-change:``sagemaker-geospatial``: [``botocore``] This release provides Amazon SageMaker geospatial APIs to build, train, deploy and visualize geospatial models.
    * api-change:``sagemaker``: [``botocore``] Added Models as part of the Search API. Added Model shadow deployments in realtime inference, and shadow testing in managed inference. Added support for shared spaces, geospatial APIs, Model Cards, AutoMLJobStep in pipelines, Git repositories on user profiles and domains, Model sharing in Jumpstart.
    

    1.26.19

    =======
    
    * api-change:``ec2``: [``botocore``] This release adds support for AWS Verified Access and the Hpc6id Amazon EC2 compute optimized instance type, which features 3rd generation Intel Xeon Scalable processors.
    * api-change:``firehose``: [``botocore``] Allow support for the Serverless offering for Amazon OpenSearch Service as a Kinesis Data Firehose delivery destination.
    * api-change:``kms``: [``botocore``] AWS KMS introduces the External Key Store (XKS), a new feature for customers who want to protect their data with encryption keys stored in an external key management system under their control.
    * api-change:``omics``: [``botocore``] Amazon Omics is a new, purpose-built service that can be used by healthcare and life science organizations to store, query, and analyze omics data. The insights from that data can be used to accelerate scientific discoveries and improve healthcare.
    * api-change:``opensearchserverless``: [``botocore``] Publish SDK for Amazon OpenSearch Serverless
    * api-change:``securitylake``: [``botocore``] Amazon Security Lake automatically centralizes security data from cloud, on-premises, and custom sources into a purpose-built data lake stored in your account. Security Lake makes it easier to analyze security data, so you can improve the protection of your workloads, applications, and data
    * api-change:``simspaceweaver``: [``botocore``] AWS SimSpace Weaver is a new service that helps customers build spatial simulations at new levels of scale - resulting in virtual worlds with millions of dynamic entities. See the AWS SimSpace Weaver developer guide for more details on how to get started. https://docs.aws.amazon.com/simspaceweaver
    

    1.26.18

    =======
    
    * api-change:``arc-zonal-shift``: [``botocore``] Amazon Route 53 Application Recovery Controller Zonal Shift is a new service that makes it easy to shift traffic away from an Availability Zone in a Region. See the developer guide for more information: https://docs.aws.amazon.com/r53recovery/latest/dg/what-is-route53-recovery.html
    * api-change:``compute-optimizer``: [``botocore``] Adds support for a new recommendation preference that makes it possible for customers to optimize their EC2 recommendations by utilizing an external metrics ingestion service to provide metrics.
    * api-change:``config``: [``botocore``] With this release, you can use AWS Config to evaluate your resources for compliance with Config rules before they are created or updated. Using Config rules in proactive mode enables you to test and build compliant resource templates or check resource configurations at the time they are provisioned.
    * api-change:``ec2``: [``botocore``] Introduces ENA Express, which uses AWS SRD and dynamic routing to increase throughput and minimize latency, adds support for trust relationships between Reachability Analyzer and AWS Organizations to enable cross-account analysis, and adds support for Infrastructure Performance metric subscriptions.
    * api-change:``eks``: [``botocore``] Adds support for additional EKS add-ons metadata and filtering fields
    * api-change:``fsx``: [``botocore``] This release adds support for 4GB/s / 160K PIOPS FSx for ONTAP file systems and 10GB/s / 350K PIOPS FSx for OpenZFS file systems (Single_AZ_2). For FSx for ONTAP, this also adds support for DP volumes, snapshot policy, copy tags to backups, and Multi-AZ route table updates.
    * api-change:``glue``: [``botocore``] This release allows the creation of Custom Visual Transforms (Dynamic Transforms) to be created via AWS Glue CLI/SDK.
    * api-change:``inspector2``: [``botocore``] This release adds support for Inspector to scan AWS Lambda.
    * api-change:``lambda``: [``botocore``] Adds support for Lambda SnapStart, which helps improve the startup performance of functions. Customers can now manage SnapStart based functions via CreateFunction and UpdateFunctionConfiguration APIs
    * api-change:``license-manager-user-subscriptions``: [``botocore``] AWS now offers fully-compliant, Amazon-provided licenses for Microsoft Office Professional Plus 2021 Amazon Machine Images (AMIs) on Amazon EC2. These AMIs are now available on the Amazon EC2 console and on AWS Marketplace to launch instances on-demand without any long-term licensing commitments.
    * api-change:``macie2``: [``botocore``] Added support for configuring Macie to continually sample objects from S3 buckets and inspect them for sensitive data. Results appear in statistics, findings, and other data that Macie provides.
    * api-change:``quicksight``: [``botocore``] This release adds new Describe APIs and updates Create and Update APIs to support the data model for Dashboards, Analyses, and Templates.
    * api-change:``s3control``: [``botocore``] Added two new APIs to support Amazon S3 Multi-Region Access Point failover controls: GetMultiRegionAccessPointRoutes and SubmitMultiRegionAccessPointRoutes. The failover control APIs are supported in the following Regions: us-east-1, us-west-2, eu-west-1, ap-southeast-2, and ap-northeast-1.
    * api-change:``securityhub``: [``botocore``] Adding StandardsManagedBy field to DescribeStandards API response
    

    1.26.17

    =======
    
    * bugfix:dynamodb: Fixes duplicate serialization issue in DynamoDB BatchWriter
    * api-change:``backup``: [``botocore``] AWS Backup introduces support for legal hold and application stack backups. AWS Backup Audit Manager introduces support for cross-Region, cross-account reports.
    * api-change:``cloudwatch``: [``botocore``] Update cloudwatch client to latest version
    * api-change:``drs``: [``botocore``] Non breaking changes to existing APIs, and additional APIs added to support in-AWS failing back using AWS Elastic Disaster Recovery.
    * api-change:``ecs``: [``botocore``] This release adds support for ECS Service Connect, a new capability that simplifies writing and operating resilient distributed applications. This release updates the TaskDefinition, Cluster, Service mutation APIs with Service connect constructs and also adds a new ListServicesByNamespace API.
    * api-change:``efs``: [``botocore``] Update efs client to latest version
    * api-change:``iot-data``: [``botocore``] This release adds support for MQTT5 properties to AWS IoT HTTP Publish API.
    * api-change:``iot``: [``botocore``] Job scheduling enables the scheduled rollout of a Job with start and end times and a customizable end behavior when end time is reached. This is available for continuous and snapshot jobs. Added support for MQTT5 properties to AWS IoT TopicRule Republish Action.
    * api-change:``iotwireless``: [``botocore``] This release includes a new feature for customers to calculate the position of their devices by adding three new APIs: UpdateResourcePosition, GetResourcePosition, and GetPositionEstimate.
    * api-change:``kendra``: [``botocore``] Amazon Kendra now supports preview of table information from HTML tables in the search results. The most relevant cells with their corresponding rows, columns are displayed as a preview in the search result. The most relevant table cell or cells are also highlighted in table preview.
    * api-change:``logs``: [``botocore``] Updates to support CloudWatch Logs data protection and CloudWatch cross-account observability
    * api-change:``mgn``: [``botocore``] This release adds support for Application and Wave management. We also now support custom post-launch actions.
    * api-change:``oam``: [``botocore``] Amazon CloudWatch Observability Access Manager is a new service that allows configuration of the CloudWatch cross-account observability feature.
    * api-change:``organizations``: [``botocore``] This release introduces delegated administrator for AWS Organizations, a new feature to help you delegate the management of your Organizations policies, enabling you to govern your AWS organization in a decentralized way. You can now allow member accounts to manage Organizations policies.
    * api-change:``rds``: [``botocore``] This release enables new Aurora and RDS feature called Blue/Green Deployments that makes updates to databases safer, simpler and faster.
    * api-change:``textract``: [``botocore``] This release adds support for classifying and splitting lending documents by type, and extracting information by using the Analyze Lending APIs. This release also includes support for summarized information of the processed lending document package, in addition to per document results.
    * api-change:``transcribe``: [``botocore``] This release adds support for &#x27;inputType&#x27; for post-call and real-time (streaming) Call Analytics within Amazon Transcribe.
    

    1.26.16

    =======
    
    * api-change:``grafana``: [``botocore``] This release includes support for configuring a Grafana workspace to connect to a datasource within a VPC as well as new APIs for configuring Grafana settings.
    * api-change:``rbin``: [``botocore``] This release adds support for Rule Lock for Recycle Bin, which allows you to lock retention rules so that they can no longer be modified or deleted.
    

    1.26.15

    =======
    
    * bugfix:Endpoints: [``botocore``] Resolve endpoint with default partition when no region is set
    * bugfix:s3: [``botocore``] fixes missing x-amz-content-sha256 header for s3 object lambda
    * api-change:``appflow``: [``botocore``] Adding support for Amazon AppFlow to transfer the data to Amazon Redshift databases through Amazon Redshift Data API service. This feature will support the Redshift destination connector on both public and private accessible Amazon Redshift Clusters and Amazon Redshift Serverless.
    * api-change:``kinesisanalyticsv2``: [``botocore``] Support for Apache Flink 1.15 in Kinesis Data Analytics.
    

    1.26.14

    =======
    
    * api-change:``route53``: [``botocore``] Amazon Route 53 now supports the Asia Pacific (Hyderabad) Region (ap-south-2) for latency records, geoproximity records, and private DNS for Amazon VPCs in that region.
    

    1.26.13

    =======
    
    * api-change:``appflow``: [``botocore``] AppFlow provides a new API called UpdateConnectorRegistration to update a custom connector that customers have previously registered. With this API, customers no longer need to unregister and then register a connector to make an update.
    * api-change:``auditmanager``: [``botocore``] This release introduces a new feature for Audit Manager: Evidence finder. You can now use evidence finder to quickly query your evidence, and add the matching evidence results to an assessment report.
    * api-change:``chime-sdk-voice``: [``botocore``] Amazon Chime Voice Connector, Voice Connector Group and PSTN Audio Service APIs are now available in the Amazon Chime SDK Voice namespace. See https://docs.aws.amazon.com/chime-sdk/latest/dg/sdk-available-regions.html for more details.
    * api-change:``cloudfront``: [``botocore``] CloudFront API support for staging distributions and associated traffic management policies.
    * api-change:``connect``: [``botocore``] Added AllowedAccessControlTags and TagRestrictedResource for Tag Based Access Control on Amazon Connect Webpage
    * api-change:``dynamodb``: [``botocore``] Updated minor fixes for DynamoDB documentation.
    * api-change:``dynamodbstreams``: [``botocore``] Update dynamodbstreams client to latest version
    * api-change:``ec2``: [``botocore``] This release adds support for copying an Amazon Machine Image&#x27;s tags when copying an AMI.
    * api-change:``glue``: [``botocore``] AWSGlue Crawler - Adding support for Table and Column level Comments with database level datatypes for JDBC based crawler.
    * api-change:``iot-roborunner``: [``botocore``] AWS IoT RoboRunner is a new service that makes it easy to build applications that help multi-vendor robots work together seamlessly. See the IoT RoboRunner developer guide for more details on getting started. https://docs.aws.amazon.com/iotroborunner/latest/dev/iotroborunner-welcome.html
    * api-change:``quicksight``: [``botocore``] This release adds the following: 1) Asset management for centralized assets governance 2) QuickSight Q now supports public embedding 3) New Termination protection flag to mitigate accidental deletes 4) Athena data sources now accept a custom IAM role 5) QuickSight supports connectivity to Databricks
    * api-change:``sagemaker``: [``botocore``] Added DisableProfiler flag as a new field in ProfilerConfig
    * api-change:``servicecatalog``: [``botocore``] This release 1. adds support for Principal Name Sharing with Service Catalog portfolio sharing. 2. Introduces repo sourced products which are created and managed with existing SC APIs. These products are synced to external repos and auto create new product versions based on changes in the repo.
    * api-change:``ssm-sap``: [``botocore``] AWS Systems Manager for SAP provides simplified operations and management of SAP applications such as SAP HANA. With this release, SAP customers and partners can automate and simplify their SAP system administration tasks such as backup/restore of SAP HANA.
    * api-change:``stepfunctions``: [``botocore``] Update stepfunctions client to latest version
    * api-change:``transfer``: [``botocore``] Adds a NONE encryption algorithm type to AS2 connectors, providing support for skipping encryption of the AS2 message body when a HTTPS URL is also specified.
    

    1.26.12

    =======
    
    * api-change:``amplify``: [``botocore``] Adds a new value (WEB_COMPUTE) to the Platform enum that allows customers to create Amplify Apps with Server-Side Rendering support.
    * api-change:``appflow``: [``botocore``] AppFlow simplifies the preparation and cataloging of SaaS data into the AWS Glue Data Catalog where your data can be discovered and accessed by AWS analytics and ML services. AppFlow now also supports data field partitioning and file size optimization to improve query performance and reduce cost.
    * api-change:``appsync``: [``botocore``] This release introduces the APPSYNC_JS runtime, and adds support for JavaScript in AppSync functions and AppSync pipeline resolvers.
    * api-change:``dms``: [``botocore``] Adds support for Internet Protocol Version 6 (IPv6) on DMS Replication Instances
    * api-change:``ec2``: [``botocore``] This release adds a new optional parameter &quot;privateIpAddress&quot; for the CreateNatGateway API. PrivateIPAddress will allow customers to select a custom Private IPv4 address instead of having it be auto-assigned.
    * api-change:``elbv2``: [``botocore``] Update elbv2 client to latest version
    * api-change:``emr-serverless``: [``botocore``] Adds support for AWS Graviton2 based applications. You can now select CPU architecture when creating new applications or updating existing ones.
    * api-change:``ivschat``: [``botocore``] Adds LoggingConfiguration APIs for IVS Chat - a feature that allows customers to store and record sent messages in a chat room to S3 buckets, CloudWatch logs, or Kinesis firehose.
    * api-change:``lambda``: [``botocore``] Add Node 18 (nodejs18.x) support to AWS Lambda.
    * api-change:``personalize``: [``botocore``] This release provides support for creation and use of metric attributions in AWS Personalize
    * api-change:``polly``: [``botocore``] Add two new neural voices - Ola (pl-PL) and Hala (ar-AE).
    * api-change:``rum``: [``botocore``] CloudWatch RUM now supports custom events. To use custom events, create an app monitor or update an app monitor with CustomEvent Status as ENABLED.
    * api-change:``s3control``: [``botocore``] Added 34 new S3 Storage Lens metrics to support additional customer use cases.
    * api-change:``secretsmanager``: [``botocore``] Documentation updates for Secrets Manager.
    * api-change:``securityhub``: [``botocore``] Added SourceLayerArn and SourceLayerHash field for security findings.  Updated AwsLambdaFunction Resource detail
    * api-change:``servicecatalog-appregistry``: [``botocore``] This release adds support for tagged resource associations, which allows you to associate a group of resources with a defined resource tag key and value to the application.
    * api-change:``sts``: [``botocore``] Documentation updates for AWS Security Token Service.
    * api-change:``textract``: [``botocore``] This release adds support for specifying and extracting information from documents using the Signatures feature within Analyze Document API
    * api-change:``workspaces``: [``botocore``] The release introduces CreateStandbyWorkspaces, an API that allows you to create standby WorkSpaces associated with a primary WorkSpace in another Region. DescribeWorkspaces now includes related WorkSpaces properties. DescribeWorkspaceBundles and CreateWorkspaceBundle now return more bundle details.
    

    1.26.11

    =======
    
    * api-change:``batch``: [``botocore``] Documentation updates related to Batch on EKS
    * api-change:``billingconductor``: [``botocore``] This release adds a new feature BillingEntity pricing rule.
    * api-change:``cloudformation``: [``botocore``] Added UnsupportedTarget HandlerErrorCode for use with CFN Resource Hooks
    * api-change:``comprehendmedical``: [``botocore``] This release supports new set of entities and traits. It also adds new category (BEHAVIORAL_ENVIRONMENTAL_SOCIAL).
    * api-change:``connect``: [``botocore``] This release adds a new MonitorContact API for initiating monitoring of ongoing Voice and Chat contacts.
    * api-change:``eks``: [``botocore``] Adds support for customer-provided placement groups for Kubernetes control plane instances when creating local EKS clusters on Outposts
    * api-change:``elasticache``: [``botocore``] for Redis now supports AWS Identity and Access Management authentication access to Redis clusters starting with redis-engine version 7.0
    * api-change:``iottwinmaker``: [``botocore``] This release adds the following: 1) ExecuteQuery API allows users to query their AWS IoT TwinMaker Knowledge Graph 2) Pricing plan APIs allow users to configure and manage their pricing mode 3) Support for property groups and tabular property values in existing AWS IoT TwinMaker APIs.
    * api-change:``personalize-events``: [``botocore``] This release provides support for creation and use of metric attributions in AWS Personalize
    * api-change:``proton``: [``botocore``] Add support for sorting and filtering in ListServiceInstances
    * api-change:``rds``: [``botocore``] This release adds support for container databases (CDBs) to Amazon RDS Custom for Oracle. A CDB contains one PDB at creation. You can add more PDBs using Oracle SQL. You can also customize your database installation by setting the Oracle base, Oracle home, and the OS user name and group.
    * api-change:``ssm-incidents``: [``botocore``] Add support for PagerDuty integrations on ResponsePlan, IncidentRecord, and RelatedItem APIs
    * api-change:``ssm``: [``botocore``] This release adds support for cross account access in CreateOpsItem, UpdateOpsItem and GetOpsItem. It introduces new APIs to setup resource policies for SSM resources: PutResourcePolicy, GetResourcePolicies and DeleteResourcePolicy.
    * api-change:``transfer``: [``botocore``] Allow additional operations to throw ThrottlingException
    * api-change:``xray``: [``botocore``] This release adds new APIs - PutResourcePolicy, DeleteResourcePolicy, ListResourcePolicies for supporting resource based policies for AWS X-Ray.
    

    1.26.10

    =======
    
    * bugfix:s3: [``botocore``] fixes missing x-amz-content-sha256 header for s3 on outpost
    * enhancement:sso: [``botocore``] Add support for loading sso-session profiles from the aws config
    * api-change:``connect``: [``botocore``] This release updates the APIs: UpdateInstanceAttribute, DescribeInstanceAttribute, and ListInstanceAttributes. You can use it to programmatically enable/disable enhanced contact monitoring using attribute type ENHANCED_CONTACT_MONITORING on the specified Amazon Connect instance.
    * api-change:``greengrassv2``: [``botocore``] Adds new parent target ARN paramater to CreateDeployment, GetDeployment, and ListDeployments APIs for the new subdeployments feature.
    * api-change:``route53``: [``botocore``] Amazon Route 53 now supports the Europe (Spain) Region (eu-south-2) for latency records, geoproximity records, and private DNS for Amazon VPCs in that region.
    * api-change:``ssmsap``: [``botocore``] AWS Systems Manager for SAP provides simplified operations and management of SAP applications such as SAP HANA. With this release, SAP customers and partners can automate and simplify their SAP system administration tasks such as backup/restore of SAP HANA.
    * api-change:``workspaces``: [``botocore``] This release introduces ModifyCertificateBasedAuthProperties, a new API that allows control of certificate-based auth properties associated with a WorkSpaces directory. The DescribeWorkspaceDirectories API will now additionally return certificate-based auth properties in its responses.
    

    1.26.9

    ======
    
    * api-change:``customer-profiles``: [``botocore``] This release enhances the SearchProfiles API by providing functionality to search for profiles using multiple keys and logical operators.
    * api-change:``lakeformation``: [``botocore``] This release adds a new parameter &quot;Parameters&quot; in the DataLakeSettings.
    * api-change:``managedblockchain``: [``botocore``] Updating the API docs data type: NetworkEthereumAttributes, and the operations DeleteNode, and CreateNode to also include the supported Goerli network.
    * api-change:``proton``: [``botocore``] Add support for CodeBuild Provisioning
    * api-change:``rds``: [``botocore``] This release adds support for restoring an RDS Multi-AZ DB cluster snapshot to a Single-AZ deployment or a Multi-AZ DB instance deployment.
    * api-change:``workdocs``: [``botocore``] Added 2 new document related operations, DeleteDocumentVersion and RestoreDocumentVersions.
    * api-change:``xray``: [``botocore``] This release enhances GetServiceGraph API to support new type of edge to represent links between SQS and Lambda in event-driven applications.
    

    1.26.8

    ======
    
    * api-change:``glue``: [``botocore``] Added links related to enabling job bookmarks.
    * api-change:``iot``: [``botocore``] This release add new api listRelatedResourcesForAuditFinding and new member type IssuerCertificates for Iot device device defender Audit.
    * api-change:``license-manager``: [``botocore``] AWS License Manager now supports onboarded Management Accounts or Delegated Admins to view granted licenses aggregated from all accounts in the organization.
    * api-change:``marketplace-catalog``: [``botocore``] Added three new APIs to support tagging and tag-based authorization: TagResource, UntagResource, and ListTagsForResource. Added optional parameters to the StartChangeSet API to support tagging a resource while making a request to create it.
    * api-change:``rekognition``: [``botocore``] Adding support for ImageProperties feature to detect dominant colors and image brightness, sharpness, and contrast, inclusion and exclusion filters for labels and label categories, new fields to the API response, &quot;aliases&quot; and &quot;categories&quot;
    * api-change:``securityhub``: [``botocore``] Documentation updates for Security Hub
    * api-change:``ssm-incidents``: [``botocore``] RelatedItems now have an ID field which can be used for referencing them else where. Introducing event references in TimelineEvent API and increasing maximum length of &quot;eventData&quot; to 12K characters.
    

    1.26.7

    ======
    
    * api-change:``autoscaling``: [``botocore``] This release adds a new price capacity optimized allocation strategy for Spot Instances to help customers optimize provisioning of Spot Instances via EC2 Auto Scaling, EC2 Fleet, and Spot Fleet. It allocates Spot Instances based on both spare capacity availability and Spot Instance price.
    * api-change:``ec2``: [``botocore``] This release adds a new price capacity optimized allocation strategy for Spot Instances to help customers optimize provisioning of Spot Instances via EC2 Auto Scaling, EC2 Fleet, and Spot Fleet. It allocates Spot Instances based on both spare capacity availability and Spot Instance price.
    * api-change:``ecs``: [``botocore``] This release adds support for task scale-in protection with updateTaskProtection and getTaskProtection APIs. UpdateTaskProtection API can be used to protect a service managed task from being terminated by scale-in events and getTaskProtection API to get the scale-in protection status of a task.
    * api-change:``es``: [``botocore``] Amazon OpenSearch Service now offers managed VPC endpoints to connect to your Amazon OpenSearch Service VPC-enabled domain in a Virtual Private Cloud (VPC). This feature allows you to privately access OpenSearch Service domain without using public IPs or requiring traffic to traverse the Internet.
    * api-change:``resource-explorer-2``: [``botocore``] Text only updates to some Resource Explorer descriptions.
    * api-change:``scheduler``: [``botocore``] AWS introduces the new Amazon EventBridge Scheduler. EventBridge Scheduler is a serverless scheduler that allows you to create, run, and manage tasks from one central, managed service.
    

    1.26.6

    ======
    
    * api-change:``connect``: [``botocore``] This release adds new fields SignInUrl, UserArn, and UserId to GetFederationToken response payload.
    * api-change:``connectcases``: [``botocore``] This release adds the ability to disable templates through the UpdateTemplate API. Disabling templates prevents customers from creating cases using the template. For more information see https://docs.aws.amazon.com/cases/latest/APIReference/Welcome.html
    * api-change:``ec2``: [``botocore``] Amazon EC2 Trn1 instances, powered by AWS Trainium chips, are purpose built for high-performance deep learning training. u-24tb1.112xlarge and u-18tb1.112xlarge High Memory instances are purpose-built to run large in-memory databases.
    * api-change:``groundstation``: [``botocore``] This release adds the preview of customer-provided ephemeris support for AWS Ground Station, allowing space vehicle owners to provide their own position and trajectory information for a satellite.
    * api-change:``mediapackage-vod``: [``botocore``] This release adds &quot;IncludeIframeOnlyStream&quot; for Dash endpoints.
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.5

    ======
    
    * api-change:``acm``: [``botocore``] Support added for requesting elliptic curve certificate key algorithm types P-256 (EC_prime256v1) and P-384 (EC_secp384r1).
    * api-change:``billingconductor``: [``botocore``] This release adds the Recurring Custom Line Item feature along with a new API ListCustomLineItemVersions.
    * api-change:``ec2``: [``botocore``] This release enables sharing of EC2 Placement Groups across accounts and within AWS Organizations using Resource Access Manager
    * api-change:``fms``: [``botocore``] AWS Firewall Manager now supports importing existing AWS Network Firewall firewalls into Firewall Manager policies.
    * api-change:``lightsail``: [``botocore``] This release adds support for Amazon Lightsail to automate the delegation of domains registered through Amazon Route 53 to Lightsail DNS management and to automate record creation for DNS validation of Lightsail SSL/TLS certificates.
    * api-change:``opensearch``: [``botocore``] Amazon OpenSearch Service now offers managed VPC endpoints to connect to your Amazon OpenSearch Service VPC-enabled domain in a Virtual Private Cloud (VPC). This feature allows you to privately access OpenSearch Service domain without using public IPs or requiring traffic to traverse the Internet.
    * api-change:``polly``: [``botocore``] Amazon Polly adds new voices: Elin (sv-SE), Ida (nb-NO), Laura (nl-NL) and Suvi (fi-FI). They are available as neural voices only.
    * api-change:``resource-explorer-2``: [``botocore``] This is the initial SDK release for AWS Resource Explorer. AWS Resource Explorer lets your users search for and discover your AWS resources across the AWS Regions in your account.
    * api-change:``route53``: [``botocore``] Amazon Route 53 now supports the Europe (Zurich) Region (eu-central-2) for latency records, geoproximity records, and private DNS for Amazon VPCs in that region.
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.4

    ======
    
    * api-change:``athena``: [``botocore``] Adds support for using Query Result Reuse
    * api-change:``autoscaling``: [``botocore``] This release adds support for two new attributes for attribute-based instance type selection - NetworkBandwidthGbps and AllowedInstanceTypes.
    * api-change:``cloudtrail``: [``botocore``] This release includes support for configuring a delegated administrator to manage an AWS Organizations organization CloudTrail trails and event data stores, and AWS Key Management Service encryption of CloudTrail Lake event data stores.
    * api-change:``ec2``: [``botocore``] This release adds support for two new attributes for attribute-based instance type selection - NetworkBandwidthGbps and AllowedInstanceTypes.
    * api-change:``elasticache``: [``botocore``] Added support for IPv6 and dual stack for Memcached and Redis clusters. Customers can now launch new Redis and Memcached clusters with IPv6 and dual stack networking support.
    * api-change:``lexv2-models``: [``botocore``] Update lexv2-models client to latest version
    * api-change:``mediaconvert``: [``botocore``] The AWS Elemental MediaConvert SDK has added support for setting the SDR reference white point for HDR conversions and conversion of HDR10 to DolbyVision without mastering metadata.
    * api-change:``ssm``: [``botocore``] This release includes support for applying a CloudWatch alarm to multi account multi region Systems Manager Automation
    * api-change:``wafv2``: [``botocore``] The geo match statement now adds labels for country and region. You can match requests at the region level by combining a geo match statement with label match statements.
    * api-change:``wellarchitected``: [``botocore``] This release adds support for integrations with AWS Trusted Advisor and AWS Service Catalog AppRegistry to improve workload discovery and speed up your workload reviews.
    * api-change:``workspaces``: [``botocore``] This release adds protocols attribute to workspaces properties data type. This enables customers to migrate workspaces from PC over IP (PCoIP) to WorkSpaces Streaming Protocol (WSP) using create and modify workspaces public APIs.
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.3

    ======
    
    * api-change:``ec2``: [``botocore``] This release adds API support for the recipient of an AMI account share to remove shared AMI launch permissions.
    * api-change:``emr-containers``: [``botocore``] Adding support for Job templates. Job templates allow you to create and store templates to configure Spark applications parameters. This helps you ensure consistent settings across applications by reusing and enforcing configuration overrides in data pipelines.
    * api-change:``logs``: [``botocore``] Doc-only update for bug fixes and support of export to buckets encrypted with SSE-KMS
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.2

    ======
    
    * api-change:``memorydb``: [``botocore``] Adding support for r6gd instances for MemoryDB Redis with data tiering. In a cluster with data tiering enabled, when available memory capacity is exhausted, the least recently used data is automatically tiered to solid state drives for cost-effective capacity scaling with minimal performance impact.
    * api-change:``sagemaker``: [``botocore``] Amazon SageMaker now supports running training jobs on ml.trn1 instance types.
    * api-change:``endpoint-rules``: [``botocore``] Update endpoint-rules client to latest version
    

    1.26.1

    ======
    
    * api-change:``iotsitewise``: [``botocore``] This release adds the ListAssetModelProperties and ListAssetProperties APIs. You can list all properties that belong to a single asset model or asset using these two new APIs.
    * api-change:``s3control``: [``botocore``] S3 on Outposts launches support for Lifecycle configuration for Outposts buckets. With S3 Lifecycle configuration, you can mange objects so they are stored cost effectively. You can manage objects using size-based rules and specify how many noncurrent versions bucket will retain.
    * api-change:``sagemaker``: [``botocore``] This release updates Framework model regex for ModelPackage to support new Framework version xgboost, sklearn.
    * api-change:``ssm-incidents``: [``botocore``] Adds support for tagging replication-set on creation.
    

    1.26.0

    ======
    
    * feature:Endpoints: [``botocore``] Migrate all services to use new AWS Endpoint Resolution framework
    * Enhancement:Endpoints: [``botocore``] Discontinued use of `sslCommonName` hosts as detailed in 1.27.0 (see `2705 &lt;https://github.com/boto/botocore/issues/2705&gt;`__ for more info)
    * api-change:``rds``: [``botocore``] Relational Database Service - This release adds support for configuring Storage Throughput on RDS database instances.
    * api-change:``textract``: [``botocore``] Add ocr results in AnalyzeIDResponse as blocks
    

    1.25.5

    ======
    
    * api-change:``apprunner``: [``botocore``] This release adds support for private App Runner services. Services may now be configured to be made private and only accessible from a VPC. The changes include a new VpcIngressConnection resource and several new and modified APIs.
    * api-change:``connect``: [``botocore``] Amazon connect now support a new API DismissUserContact to dismiss or remove terminated contacts in Agent CCP
    * api-change:``ec2``: [``botocore``] Elastic IP transfer is a new Amazon VPC feature that allows you to transfer your Elastic IP addresses from one AWS Account to another.
    * api-change:``iot``: [``botocore``] This release adds the Amazon Location action to IoT Rules Engine.
    * api-change:``logs``: [``botocore``] SDK release to support tagging for destinations and log groups with TagResource. Also supports tag on create with PutDestination.
    * api-change:``sesv2``: [``botocore``] This release includes support for interacting with the Virtual Deliverability Manager, allowing you to opt in/out of the feature and to retrieve recommendations and metric data.
    * api-change:``textract``: [``botocore``] This release introduces additional support for 30+ normalized fields such as vendor address and currency. It also includes OCR output in the response and accuracy improvements for the already supported fields in previous version
    

    1.25.4

    ======
    
    * api-change:``apprunner``: [``botocore``] AWS App Runner adds .NET 6, Go 1, PHP 8.1 and Ruby 3.1 runtimes.
    * api-change:``appstream``: [``botocore``] This release includes CertificateBasedAuthProperties in CreateDirectoryConfig and UpdateDirectoryConfig.
    * api-change:``cloud9``: [``botocore``] Update to the documentation section of the Cloud9 API Reference guide.
    * api-change:``cloudformation``: [``botocore``] This release adds more fields to improves visibility of AWS CloudFormation StackSets information in following APIs: ListStackInstances, DescribeStackInstance, ListStackSetOperationResults, ListStackSetOperations, DescribeStackSetOperation.
    * api-change:``gamesparks``: [``botocore``] Add LATEST as a possible GameSDK Version on snapshot
    * api-change:``mediatailor``: [``botocore``] This release introduces support for SCTE-35 segmentation descriptor messages which can be sent within time signal messages.
    

    1.25.3

    ======
    
    * api-change:``ec2``: [``botocore``] Feature supports the replacement of instance root volume using an updated AMI without requiring customers to stop their instance.
    * api-change:``fms``: [``botocore``] Add support NetworkFirewall Managed Rule Group Override flag in GetViolationDetails API
    * api-change:``glue``: [``botocore``] Added support for custom datatypes when using custom csv classifier.
    * api-change:``redshift``: [``botocore``] This release clarifies use for the ElasticIp parameter of the CreateCluster and RestoreFromClusterSnapshot APIs.
    * api-change:``sagemaker``: [``botocore``] This change allows customers to provide a custom entrypoint script for the docker container to be run while executing training jobs, and provide custom arguments to the entrypoint script.
    * api-change:``wafv2``: [``botocore``] This release adds the following: Challenge rule action, to silently verify client browsers; rule group rule action override to any valid rule action, not just Count; token sharing between protected applications for challenge/CAPTCHA token; targeted rules option for Bot Control managed rule group.
    

    1.25.2

    ======
    
    * api-change:``iam``: [``botocore``] Doc only update that corrects instances of CLI not using an entity.
    * api-change:``kafka``: [``botocore``] This release adds support for Tiered Storage. UpdateStorage allows you to control the Storage Mode for supported storage tiers.
    * api-change:``neptune``: [``botocore``] Added a new cluster-level attribute to set the capacity range for Neptune Serverless instances.
    * api-change:``sagemaker``: [``botocore``] Amazon SageMaker Automatic Model Tuning now supports specifying Grid Search strategy for tuning jobs, which evaluates all hyperparameter combinations exhaustively based on the categorical hyperparameters provided.
    

    1.25.1

    ======
    
    * api-change:``accessanalyzer``: [``botocore``] This release adds support for six new resource types in IAM Access Analyzer to help you easily identify public and cross-account access to your AWS resources. Updated service API, documentation, and paginators.
    * api-change:``location``: [``botocore``] Added new map styles with satellite imagery for map resources using HERE as a data provider.
    * api-change:``mediatailor``: [``botocore``] This release is a documentation update
    * api-change:``rds``: [``botocore``] Relational Database Service - This release adds support for exporting DB cluster data to Amazon S3.
    * api-change:``workspaces``: [``botocore``] This release adds new enums for sup
    opened by pyup-bot 0
  • Update django to 4.1.5

    Update django to 4.1.5

    This PR updates Django from 2.2.3 to 4.1.5.

    Changelog

    4.1.5

    ==========================
    
    *January 2, 2023*
    
    Django 4.1.5 fixes a bug in 4.1.4. Also, the latest string translations from
    Transifex are incorporated.
    
    Bugfixes
    ========
    
    * Fixed a long standing bug in the ``__len`` lookup for ``ArrayField`` that
    caused a crash of model validation on
    :attr:`Meta.constraints &lt;django.db.models.Options.constraints&gt;`
    (:ticket:`34205`).
    
    
    ==========================
    

    4.1.4

    ==========================
    
    *December 6, 2022*
    
    Django 4.1.4 fixes several bugs in 4.1.3.
    
    Bugfixes
    ========
    
    * Fixed a regression in Django 4.1 that caused an unnecessary table rebuild
    when adding a ``ManyToManyField`` on SQLite (:ticket:`34138`).
    
    * Fixed a bug in Django 4.1 that caused a crash of the sitemap index view with
    an empty :meth:`Sitemap.items() &lt;django.contrib.sitemaps.Sitemap.items&gt;` and
    a callable :attr:`~django.contrib.sitemaps.Sitemap.lastmod`
    (:ticket:`34088`).
    
    * Fixed a bug in Django 4.1 that caused a crash using ``acreate()``,
    ``aget_or_create()``, and ``aupdate_or_create()`` asynchronous methods of
    related managers (:ticket:`34139`).
    
    * Fixed a bug in Django 4.1 that caused a crash of ``QuerySet.bulk_create()``
    with ``&quot;pk&quot;`` in ``unique_fields`` (:ticket:`34177`).
    
    * Fixed a bug in Django 4.1 that caused a crash of ``QuerySet.bulk_create()``
    on fields with ``db_column`` (:ticket:`34171`).
    
    
    ==========================
    

    4.1.3

    ==========================
    
    *November 1, 2022*
    
    Django 4.1.3 fixes a bug in 4.1.2 and adds compatibility with Python 3.11.
    
    Bugfixes
    ========
    
    * Fixed a bug in Django 4.1 that caused non-Python files created by
    ``startproject`` and ``startapp`` management commands from custom templates
    to be incorrectly formatted using the ``black`` command (:ticket:`34085`).
    
    
    ==========================
    

    4.1.2

    ==========================
    
    *October 4, 2022*
    
    Django 4.1.2 fixes a security issue with severity &quot;medium&quot; and several bugs in
    4.1.1.
    
    CVE-2022-41323: Potential denial-of-service vulnerability in internationalized URLs
    ===================================================================================
    
    Internationalized URLs were subject to potential denial of service attack via
    the locale parameter.
    
    Bugfixes
    ========
    
    * Fixed a regression in Django 4.1 that caused a migration crash on PostgreSQL
    when adding a model with ``ExclusionConstraint`` (:ticket:`33982`).
    
    * Fixed a regression in Django 4.1 that caused aggregation over a queryset that
    contained an ``Exists`` annotation to crash due to too many selected columns
    (:ticket:`33992`).
    
    * Fixed a bug in Django 4.1 that caused an incorrect validation of
    ``CheckConstraint`` on ``NULL`` values (:ticket:`33996`).
    
    * Fixed a regression in Django 4.1 that caused a
    ``QuerySet.values()/values_list()`` crash on ``ArrayAgg()`` and
    ``JSONBAgg()`` (:ticket:`34016`).
    
    * Fixed a bug in Django 4.1 that caused :attr:`.ModelAdmin.autocomplete_fields`
    to be incorrectly selected after adding/changing related instances via popups
    (:ticket:`34025`).
    
    * Fixed a regression in Django 4.1 where the app registry was not populated
    when running parallel tests with the ``multiprocessing`` start method
    ``spawn`` (:ticket:`34010`).
    
    * Fixed a regression in Django 4.1 where the ``--debug-mode`` argument to
    ``test`` did not work when running parallel tests with the
    ``multiprocessing`` start method ``spawn`` (:ticket:`34010`).
    
    * Fixed a regression in Django 4.1 that didn&#x27;t alter a sequence type when
    altering type of pre-Django 4.1 serial columns on PostgreSQL
    (:ticket:`34058`).
    
    * Fixed a regression in Django 4.1 that caused a crash for :class:`View`
    subclasses with asynchronous handlers when handling non-allowed HTTP methods
    (:ticket:`34062`).
    
    * Reverted caching related managers for ``ForeignKey``, ``ManyToManyField``,
    and ``GenericRelation`` that caused the incorrect refreshing of related
    objects (:ticket:`33984`).
    
    * Relaxed the system check added in Django 4.1 for the same name used for
    multiple template tag modules to a warning (:ticket:`32987`).
    
    
    ==========================
    

    4.1.1

    ==========================
    
    *September 5, 2022*
    
    Django 4.1.1 fixes several bugs in 4.1.
    
    Bugfixes
    ========
    
    * Reallowed, following a regression in Django 4.1, using ``GeoIP2()`` when GEOS
    is not installed (:ticket:`33886`).
    
    * Fixed a regression in Django 4.1 that caused a crash of admin&#x27;s autocomplete
    widgets when translations are deactivated (:ticket:`33888`).
    
    * Fixed a regression in Django 4.1 that caused a crash of the ``test``
    management command when running in parallel and ``multiprocessing`` start
    method is ``spawn`` (:ticket:`33891`).
    
    * Fixed a regression in Django 4.1 that caused an incorrect redirection to the
    admin changelist view when using *&quot;Save and continue editing&quot;* and *&quot;Save and
    add another&quot;* options (:ticket:`33893`).
    
    * Fixed a regression in Django 4.1 that caused a crash of
    :class:`~django.db.models.expressions.Window` expressions with
    :class:`~django.contrib.postgres.aggregates.ArrayAgg` (:ticket:`33898`).
    
    * Fixed a regression in Django 4.1 that caused a migration crash on SQLite
    3.35.5+ when removing an indexed field (:ticket:`33899`).
    
    * Fixed a bug in Django 4.1 that caused a crash of model validation on
    ``UniqueConstraint()`` with field names in ``expressions`` (:ticket:`33902`).
    
    * Fixed a bug in Django 4.1 that caused an incorrect validation of
    ``CheckConstraint()`` with range fields on PostgreSQL (:ticket:`33905`).
    
    * Fixed a regression in Django 4.1 that caused an incorrect migration when
    adding ``AutoField``, ``BigAutoField``, or ``SmallAutoField`` on PostgreSQL
    (:ticket:`33919`).
    
    * Fixed a regression in Django 4.1 that caused a migration crash on PostgreSQL
    when altering ``AutoField``, ``BigAutoField``, or ``SmallAutoField`` to
    ``OneToOneField`` (:ticket:`33932`).
    
    * Fixed a migration crash on ``ManyToManyField`` fields with ``through``
    referencing models in different apps (:ticket:`33938`).
    
    * Fixed a regression in Django 4.1 that caused an incorrect migration when
    renaming a model with ``ManyToManyField`` and ``db_table`` (:ticket:`33953`).
    
    * Reallowed, following a regression in Django 4.1, creating reverse foreign key
    managers on unsaved instances (:ticket:`33952`).
    
    * Fixed a regression in Django 4.1 that caused a migration crash on SQLite &lt;
    3.20 (:ticket:`33960`).
    
    * Fixed a regression in Django 4.1 that caused an admin crash when the
    :mod:`~django.contrib.admindocs` app was used (:ticket:`33955`,
    :ticket:`33971`).
    
    
    ========================
    

    4.1

    ========================
    
    *August 3, 2022*
    
    Welcome to Django 4.1!
    
    These release notes cover the :ref:`new features &lt;whats-new-4.1&gt;`, as well as
    some :ref:`backwards incompatible changes &lt;backwards-incompatible-4.1&gt;` you&#x27;ll
    want to be aware of when upgrading from Django 4.0 or earlier. We&#x27;ve
    :ref:`begun the deprecation process for some features
    &lt;deprecated-features-4.1&gt;`.
    
    See the :doc:`/howto/upgrade-version` guide if you&#x27;re updating an existing
    project.
    
    Python compatibility
    ====================
    
    Django 4.1 supports Python 3.8, 3.9, 3.10, and 3.11 (as of 4.1.3). We
    **highly recommend** and only officially support the latest release of each
    series.
    
    .. _whats-new-4.1:
    
    What&#x27;s new in Django 4.1
    ========================
    
    Asynchronous handlers for class-based views
    -------------------------------------------
    
    View subclasses may now define async HTTP method handlers::
    
     import asyncio
     from django.http import HttpResponse
     from django.views import View
    
     class AsyncView(View):
         async def get(self, request, *args, **kwargs):
              Perform view logic using await.
             await asyncio.sleep(1)
             return HttpResponse(&quot;Hello async world!&quot;)
    
    See :ref:`async-class-based-views` for more details.
    
    Asynchronous ORM interface
    --------------------------
    
    ``QuerySet`` now provides an asynchronous interface for all data access
    operations. These are named as-per the existing synchronous operations but with
    an ``a`` prefix, for example ``acreate()``, ``aget()``, and so on.
    
    The new interface allows you to write asynchronous code without needing to wrap
    ORM operations in ``sync_to_async()``::
    
     async for author in Author.objects.filter(name__startswith=&quot;A&quot;):
         book = await author.books.afirst()
    
    Note that, at this stage, the underlying database operations remain
    synchronous, with contributions ongoing to push asynchronous support down into
    the SQL compiler, and integrate asynchronous database drivers. The new
    asynchronous queryset interface currently encapsulates the necessary
    ``sync_to_async()`` operations for you, and will allow your code to take
    advantage of developments in the ORM&#x27;s asynchronous support as it evolves.
    
    See :ref:`async-queries` for details and limitations.
    
    Validation of Constraints
    -------------------------
    
    :class:`Check &lt;django.db.models.CheckConstraint&gt;`,
    :class:`unique &lt;django.db.models.UniqueConstraint&gt;`, and :class:`exclusion
    &lt;django.contrib.postgres.constraints.ExclusionConstraint&gt;` constraints defined
    in the :attr:`Meta.constraints &lt;django.db.models.Options.constraints&gt;` option
    are now checked during :ref:`model validation &lt;validating-objects&gt;`.
    
    Form rendering accessibility
    ----------------------------
    
    In order to aid users with screen readers, and other assistive technology, new
    ``&lt;div&gt;`` based form templates are available from this release. These provide
    more accessible navigation than the older templates, and are able to correctly
    group related controls, such as radio-lists, into fieldsets.
    
    The new templates are recommended, and will become the default form rendering
    style when outputting a form, like ``{{ form }}`` in a template, from Django
    5.0.
    
    In order to ease adopting the new output style, the default form and formset
    templates are now configurable at the project level via the
    :setting:`FORM_RENDERER` setting.
    
    See :ref:`the Forms section (below)&lt;forms-4.1&gt;` for full details.
    
    .. _csrf-cookie-masked-usage:
    
    ``CSRF_COOKIE_MASKED`` setting
    ------------------------------
    
    The new :setting:`CSRF_COOKIE_MASKED` transitional setting allows specifying
    whether to mask the CSRF cookie.
    
    :class:`~django.middleware.csrf.CsrfViewMiddleware` no longer masks the CSRF
    cookie like it does the CSRF token in the DOM. If you are upgrading multiple
    instances of the same project to Django 4.1, you should set
    :setting:`CSRF_COOKIE_MASKED` to ``True`` during the transition, in
    order to allow compatibility with the older versions of Django. Once the
    transition to 4.1 is complete you can stop overriding
    :setting:`CSRF_COOKIE_MASKED`.
    
    This setting is deprecated as of this release and will be removed in Django
    5.0.
    
    Minor features
    --------------
    
    :mod:`django.contrib.admin`
    ~~~~~~~~~~~~~~~~~~~~~~~~~~~
    
    * The admin :ref:`dark mode CSS variables &lt;admin-theming&gt;` are now applied in a
    separate stylesheet and template block.
    
    * :ref:`modeladmin-list-filters` providing custom ``FieldListFilter``
    subclasses can now control the query string value separator when filtering
    for multiple values using the ``__in`` lookup.
    
    * The admin :meth:`history view &lt;django.contrib.admin.ModelAdmin.history_view&gt;`
    is now paginated.
    
    * Related widget wrappers now have a link to object&#x27;s change form.
    
    * The :meth:`.AdminSite.get_app_list` method now allows changing the order of
    apps and models on the admin index page.
    
    :mod:`django.contrib.auth`
    ~~~~~~~~~~~~~~~~~~~~~~~~~~
    
    * The default iteration count for the PBKDF2 password hasher is increased from
    320,000 to 390,000.
    
    * The :meth:`.RemoteUserBackend.configure_user` method now allows synchronizing
    user attributes with attributes in a remote system such as an LDAP directory.
    
    :mod:`django.contrib.gis`
    ~~~~~~~~~~~~~~~~~~~~~~~~~
    
    * The new :meth:`.GEOSGeometry.make_valid()` method allows converting invalid
    geometries to valid ones.
    
    * The new ``clone`` argument for :meth:`.GEOSGeometry.normalize` allows
    creating a normalized clone of the geometry.
    
    :mod:`django.contrib.postgres`
    ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    
    * The new :class:`BitXor() &lt;django.contrib.postgres.aggregates.BitXor&gt;`
    aggregate function returns an ``int`` of the bitwise ``XOR`` of all non-null
    input values.
    
    * :class:`~django.contrib.postgres.indexes.SpGistIndex` now supports covering
    indexes on PostgreSQL 14+.
    
    * :class:`~django.contrib.postgres.constraints.ExclusionConstraint` now
    supports covering exclusion constraints using SP-GiST indexes on PostgreSQL
    14+.
    
    * The new ``default_bounds`` attribute of :attr:`DateTimeRangeField
    &lt;django.contrib.postgres.fields.DateTimeRangeField.default_bounds&gt;` and
    :attr:`DecimalRangeField
    &lt;django.contrib.postgres.fields.DecimalRangeField.default_bounds&gt;` allows
    specifying bounds for list and tuple inputs.
    
    * :class:`~django.contrib.postgres.constraints.ExclusionConstraint` now allows
    specifying operator classes with the
    :class:`OpClass() &lt;django.contrib.postgres.indexes.OpClass&gt;` expression.
    
    :mod:`django.contrib.sitemaps`
    ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    
    * The default sitemap index template ``&lt;sitemapindex&gt;`` now includes the
    ``&lt;lastmod&gt;`` timestamp where available, through the new
    :meth:`~django.contrib.sitemaps.Sitemap.get_latest_lastmod` method. Custom
    sitemap index templates should be updated for the adjusted :ref:`context
    variables &lt;sitemap-index-context-variables&gt;`.
    
    :mod:`django.contrib.staticfiles`
    ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    
    * :class:`~django.contrib.staticfiles.storage.ManifestStaticFilesStorage` now
    replaces paths to CSS source map references with their hashed counterparts.
    
    Database backends
    ~~~~~~~~~~~~~~~~~
    
    * Third-party database backends can now specify the minimum required version of
    the database using the ``DatabaseFeatures.minimum_database_version``
    attribute which is a tuple (e.g. ``(10, 0)`` means &quot;10.0&quot;). If a minimum
    version is specified, backends must also implement
    ``DatabaseWrapper.get_database_version()``, which returns a tuple of the
    current database version. The backend&#x27;s
    ``DatabaseWrapper.init_connection_state()`` method must call ``super()`` in
    order for the check to run.
    
    .. _forms-4.1:
    
    Forms
    ~~~~~
    
    * The default template used to render forms when cast to a string, e.g. in
    templates as ``{{ form }}``, is now configurable at the project-level by
    setting :attr:`~django.forms.renderers.BaseRenderer.form_template_name` on
    the class provided for :setting:`FORM_RENDERER`.
    
    :attr:`.Form.template_name` is now a property deferring to the renderer, but
    may be overridden with a string value to specify the template name per-form
    class.
    
    Similarly, the default template used to render formsets can be specified via
    the matching
    :attr:`~django.forms.renderers.BaseRenderer.formset_template_name` renderer
    attribute.
    
    * The new ``div.html`` form template, referencing
    :attr:`.Form.template_name_div` attribute, and matching :meth:`.Form.as_div`
    method, render forms using HTML ``&lt;div&gt;`` elements.
    
    This new output style is recommended over the existing
    :meth:`~.Form.as_table`, :meth:`~.Form.as_p` and :meth:`~.Form.as_ul` styles,
    as the template implements ``&lt;fieldset&gt;`` and ``&lt;legend&gt;`` to group related
    inputs and is easier for screen reader users to navigate.
    
    The div-based output will become the default rendering style from Django 5.0.
    
    * In order to smooth adoption of the new ``&lt;div&gt;`` output style, two
    transitional form renderer classes are available:
    :class:`django.forms.renderers.DjangoDivFormRenderer` and
    :class:`django.forms.renderers.Jinja2DivFormRenderer`, for the Django and
    Jinja2 template backends respectively.
    
    You can apply one of these via the :setting:`FORM_RENDERER` setting. For
    example::
    
     FORM_RENDERER = &quot;django.forms.renderers.DjangoDivFormRenderer&quot;
    
    Once the ``&lt;div&gt;`` output style is the default, from Django 5.0, these
    transitional renderers will be deprecated, for removal in Django 6.0. The
    ``FORM_RENDERER`` declaration can be removed at that time.
    
    * If the new ``&lt;div&gt;`` output style is not appropriate for your project, you should
    define a renderer subclass specifying
    :attr:`~django.forms.renderers.BaseRenderer.form_template_name` and
    :attr:`~django.forms.renderers.BaseRenderer.formset_template_name` for your
    required style, and set :setting:`FORM_RENDERER` accordingly.
    
    For example, for the ``&lt;p&gt;`` output style used by :meth:`~.Form.as_p`, you
    would define a form renderer setting ``form_template_name`` to
    ``&quot;django/forms/p.html&quot;`` and ``formset_template_name`` to
    ``&quot;django/forms/formsets/p.html&quot;``.
    
    * The new :meth:`~django.forms.BoundField.legend_tag` allows rendering field
    labels in ``&lt;legend&gt;`` tags via the new ``tag`` argument of
    :meth:`~django.forms.BoundField.label_tag`.
    
    * The new ``edit_only`` argument for :func:`.modelformset_factory` and
    :func:`.inlineformset_factory` allows preventing new objects creation.
    
    * The ``js`` and ``css`` class attributes of :doc:`Media &lt;/topics/forms/media&gt;`
    now allow using hashable objects, not only path strings, as long as those
    objects implement the ``__html__()`` method (typically when decorated with
    the :func:`~django.utils.html.html_safe` decorator).
    
    * The new :attr:`.BoundField.use_fieldset` and :attr:`.Widget.use_fieldset`
    attributes help to identify widgets where its inputs should be grouped in a
    ``&lt;fieldset&gt;`` with a ``&lt;legend&gt;``.
    
    * The :ref:`formsets-error-messages` argument for
    :class:`~django.forms.formsets.BaseFormSet` now allows customizing
    error messages for invalid number of forms by passing ``&#x27;too_few_forms&#x27;``
    and ``&#x27;too_many_forms&#x27;`` keys.
    
    * :class:`~django.forms.IntegerField`, :class:`~django.forms.FloatField`, and
    :class:`~django.forms.DecimalField` now optionally accept a ``step_size``
    argument. This is used to set the ``step`` HTML attribute, and is validated
    on form submission.
    
    Internationalization
    ~~~~~~~~~~~~~~~~~~~~
    
    * The :func:`~django.conf.urls.i18n.i18n_patterns` function now supports
    languages with both scripts and regions.
    
    Management Commands
    ~~~~~~~~~~~~~~~~~~~
    
    * :option:`makemigrations --no-input` now logs default answers and reasons why
    migrations cannot be created.
    
    * The new :option:`makemigrations --scriptable` option diverts log output and
    input prompts to ``stderr``, writing only paths of generated migration files
    to ``stdout``.
    
    * The new :option:`migrate --prune` option allows deleting nonexistent
    migrations from the ``django_migrations`` table.
    
    * Python files created by :djadmin:`startproject`, :djadmin:`startapp`,
    :djadmin:`optimizemigration`, :djadmin:`makemigrations`, and
    :djadmin:`squashmigrations` are now formatted using the ``black`` command if
    it is present on your ``PATH``.
    
    * The new :djadmin:`optimizemigration` command allows optimizing operations for
    a migration.
    
    Migrations
    ~~~~~~~~~~
    
    * The new :class:`~django.db.migrations.operations.RenameIndex` operation
    allows renaming indexes defined in the
    :attr:`Meta.indexes &lt;django.db.models.Options.indexes&gt;` or
    :attr:`~django.db.models.Options.index_together` options.
    
    * The migrations autodetector now generates
    :class:`~django.db.migrations.operations.RenameIndex` operations instead of
    ``RemoveIndex`` and ``AddIndex``, when renaming indexes defined in the
    :attr:`Meta.indexes &lt;django.db.models.Options.indexes&gt;`.
    
    * The migrations autodetector now generates
    :class:`~django.db.migrations.operations.RenameIndex` operations instead of
    ``AlterIndexTogether`` and ``AddIndex``, when moving indexes defined in the
    :attr:`Meta.index_together &lt;django.db.models.Options.index_together&gt;` to the
    :attr:`Meta.indexes &lt;django.db.models.Options.indexes&gt;`.
    
    Models
    ~~~~~~
    
    * The ``order_by`` argument of the
    :class:`~django.db.models.expressions.Window` expression now accepts string
    references to fields and transforms.
    
    * The new :setting:`CONN_HEALTH_CHECKS` setting allows enabling health checks
    for :ref:`persistent database connections &lt;persistent-database-connections&gt;`
    in order to reduce the number of failed requests, e.g. after database server
    restart.
    
    * :meth:`.QuerySet.bulk_create` now supports updating fields when a row
    insertion fails uniqueness constraints. This is supported on MariaDB, MySQL,
    PostgreSQL, and SQLite 3.24+.
    
    * :meth:`.QuerySet.iterator` now supports prefetching related objects as long
    as the ``chunk_size`` argument is provided. In older versions, no prefetching
    was done.
    
    * :class:`~django.db.models.Q` objects and querysets can now be combined using
    ``^`` as the exclusive or (``XOR``) operator. ``XOR`` is natively supported
    on MariaDB and MySQL. For databases that do not support ``XOR``, the query
    will be converted to an equivalent using ``AND``, ``OR``, and ``NOT``.
    
    * The new :ref:`Field.non_db_attrs &lt;custom-field-non_db_attrs&gt;` attribute
    allows customizing attributes of fields that don&#x27;t affect a column
    definition.
    
    * On PostgreSQL, ``AutoField``, ``BigAutoField``, and ``SmallAutoField`` are
    now created as identity columns rather than serial columns with sequences.
    
    Requests and Responses
    ~~~~~~~~~~~~~~~~~~~~~~
    
    * :meth:`.HttpResponse.set_cookie` now supports :class:`~datetime.timedelta`
    objects for the ``max_age`` argument.
    
    Security
    ~~~~~~~~
    
    * The new :setting:`SECRET_KEY_FALLBACKS` setting allows providing a list of
    values for secret key rotation.
    
    * The :setting:`SECURE_PROXY_SSL_HEADER` setting now supports a comma-separated
    list of protocols in the header value.
    
    Signals
    ~~~~~~~
    
    * The :data:`~django.db.models.signals.pre_delete` and
    :data:`~django.db.models.signals.post_delete` signals now dispatch the
    ``origin`` of the deletion.
    
    .. _templates-4.1:
    
    Templates
    ~~~~~~~~~
    
    * The HTML ``&lt;script&gt;`` element ``id`` attribute is no longer required when
    wrapping the :tfilter:`json_script` template filter.
    
    * The :class:`cached template loader &lt;django.template.loaders.cached.Loader&gt;`
    is now enabled in development, when :setting:`DEBUG` is ``True``, and
    :setting:`OPTIONS[&#x27;loaders&#x27;] &lt;TEMPLATES-OPTIONS&gt;` isn&#x27;t specified. You may
    specify ``OPTIONS[&#x27;loaders&#x27;]`` to override this, if necessary.
    
    Tests
    ~~~~~
    
    * The :class:`.DiscoverRunner` now supports running tests in parallel on
    macOS, Windows, and any other systems where the default
    :mod:`multiprocessing` start method is ``spawn``.
    
    * A nested atomic block marked as durable in :class:`django.test.TestCase` now
    raises a ``RuntimeError``, the same as outside of tests.
    
    * :meth:`.SimpleTestCase.assertFormError` and
    :meth:`assertFormsetError() &lt;django.test.SimpleTestCase.assertFormSetError&gt;`
    now support passing a form/formset object directly.
    
    URLs
    ~~~~
    
    * The new :attr:`.ResolverMatch.captured_kwargs` attribute stores the captured
    keyword arguments, as parsed from the URL.
    
    * The new :attr:`.ResolverMatch.extra_kwargs` attribute stores the additional
    keyword arguments passed to the view function.
    
    Utilities
    ~~~~~~~~~
    
    * ``SimpleLazyObject`` now supports addition operations.
    
    * :func:`~django.utils.safestring.mark_safe` now preserves lazy objects.
    
    Validators
    ~~~~~~~~~~
    
    * The new :class:`~django.core.validators.StepValueValidator` checks if a value
    is an integral multiple of a given step size. This new validator is used for
    the new ``step_size`` argument added to form fields representing numeric
    values.
    
    .. _backwards-incompatible-4.1:
    
    Backwards incompatible changes in 4.1
    =====================================
    
    Database backend API
    --------------------
    
    This section describes changes that may be needed in third-party database
    backends.
    
    * ``BaseDatabaseFeatures.has_case_insensitive_like`` is changed from ``True``
    to ``False`` to reflect the behavior of most databases.
    
    * ``DatabaseIntrospection.get_key_columns()`` is removed. Use
    ``DatabaseIntrospection.get_relations()`` instead.
    
    * ``DatabaseOperations.ignore_conflicts_suffix_sql()`` method is replaced by
    ``DatabaseOperations.on_conflict_suffix_sql()`` that accepts the ``fields``,
    ``on_conflict``, ``update_fields``, and ``unique_fields`` arguments.
    
    * The ``ignore_conflicts`` argument of the
    ``DatabaseOperations.insert_statement()`` method is replaced by
    ``on_conflict`` that accepts ``django.db.models.constants.OnConflict``.
    
    * ``DatabaseOperations._convert_field_to_tz()`` is replaced by
    ``DatabaseOperations._convert_sql_to_tz()`` that accepts the ``sql``,
    ``params``, and ``tzname`` arguments.
    
    * Several date and time methods on ``DatabaseOperations`` now take ``sql`` and
    ``params`` arguments instead of ``field_name`` and return 2-tuple containing
    some SQL and the parameters to be interpolated into that SQL. The changed
    methods have these new signatures:
    
    * ``DatabaseOperations.date_extract_sql(lookup_type, sql, params)``
    * ``DatabaseOperations.datetime_extract_sql(lookup_type, sql, params, tzname)``
    * ``DatabaseOperations.time_extract_sql(lookup_type, sql, params)``
    * ``DatabaseOperations.date_trunc_sql(lookup_type, sql, params, tzname=None)``
    * ``DatabaseOperations.datetime_trunc_sql(self, lookup_type, sql, params, tzname)``
    * ``DatabaseOperations.time_trunc_sql(lookup_type, sql, params, tzname=None)``
    * ``DatabaseOperations.datetime_cast_date_sql(sql, params, tzname)``
    * ``DatabaseOperations.datetime_cast_time_sql(sql, params, tzname)``
    
    :mod:`django.contrib.gis`
    -------------------------
    
    * Support for GDAL 2.1 is removed.
    
    * Support for PostGIS 2.4 is removed.
    
    Dropped support for PostgreSQL 10
    ---------------------------------
    
    Upstream support for PostgreSQL 10 ends in November 2022. Django 4.1 supports
    PostgreSQL 11 and higher.
    
    Dropped support for MariaDB 10.2
    --------------------------------
    
    Upstream support for MariaDB 10.2 ends in May 2022. Django 4.1 supports MariaDB
    10.3 and higher.
    
    Admin changelist searches spanning multi-valued relationships changes
    ---------------------------------------------------------------------
    
    Admin changelist searches using multiple search terms are now applied in a
    single call to ``filter()``, rather than in sequential ``filter()`` calls.
    
    For multi-valued relationships, this means that rows from the related model
    must match all terms rather than any term. For example, if ``search_fields``
    is set to ``[&#x27;child__name&#x27;, &#x27;child__age&#x27;]``, and a user searches for
    ``&#x27;Jamal 17&#x27;``, parent rows will be returned only if there is a relationship to
    some 17-year-old child named Jamal, rather than also returning parents who
    merely have a younger or older child named Jamal in addition to some other
    17-year-old.
    
    See the :ref:`spanning-multi-valued-relationships` topic for more discussion of
    this difference. In Django 4.0 and earlier,
    :meth:`~django.contrib.admin.ModelAdmin.get_search_results` followed the
    second example query, but this undocumented behavior led to queries with
    excessive joins.
    
    Reverse foreign key changes for unsaved model instances
    -------------------------------------------------------
    
    In order to unify the behavior with many-to-many relations for unsaved model
    instances, a reverse foreign key now raises ``ValueError`` when calling
    :class:`related managers &lt;django.db.models.fields.related.RelatedManager&gt;` for
    unsaved objects.
    
    Miscellaneous
    -------------
    
    * Related managers for :class:`~django.db.models.ForeignKey`,
    :class:`~django.db.models.ManyToManyField`, and
    :class:`~django.contrib.contenttypes.fields.GenericRelation` are now cached
    on the :class:`~django.db.models.Model` instance to which they belong. *This
    change was reverted in Django 4.1.2.*
    
    * The Django test runner now returns a non-zero error code for unexpected
    successes from tests marked with :py:func:`unittest.expectedFailure`.
    
    * :class:`~django.middleware.csrf.CsrfViewMiddleware` no longer masks the CSRF
    cookie like it does the CSRF token in the DOM.
    
    * :class:`~django.middleware.csrf.CsrfViewMiddleware` now uses
    ``request.META[&#x27;CSRF_COOKIE&#x27;]`` for storing the unmasked CSRF secret rather
    than a masked version. This is an undocumented, private API.
    
    * The :attr:`.ModelAdmin.actions` and
    :attr:`~django.contrib.admin.ModelAdmin.inlines` attributes now default to an
    empty tuple rather than an empty list to discourage unintended mutation.
    
    * The ``type=&quot;text/css&quot;`` attribute is no longer included in ``&lt;link&gt;`` tags
    for CSS :doc:`form media &lt;/topics/forms/media&gt;`.
    
    * ``formset:added`` and ``formset:removed`` JavaScript events are now pure
    JavaScript events and don&#x27;t depend on jQuery. See
    :ref:`admin-javascript-inline-form-events` for more details on the change.
    
    * The ``exc_info`` argument of the undocumented
    ``django.utils.log.log_response()`` function is replaced by ``exception``.
    
    * The ``size`` argument of the undocumented
    ``django.views.static.was_modified_since()`` function is removed.
    
    * The admin log out UI now uses ``POST`` requests.
    
    * The undocumented ``InlineAdminFormSet.non_form_errors`` property is replaced
    by the ``non_form_errors()`` method. This is consistent with ``BaseFormSet``.
    
    * As per :ref:`above&lt;templates-4.1&gt;`, the cached template loader is now
    enabled in development. You may specify ``OPTIONS[&#x27;loaders&#x27;]`` to override
    this, if necessary.
    
    * The undocumented ``django.contrib.auth.views.SuccessURLAllowedHostsMixin``
    mixin is replaced by ``RedirectURLMixin``.
    
    * :class:`~django.db.models.BaseConstraint` subclasses must implement
    :meth:`~django.db.models.BaseConstraint.validate` method to allow those
    constraints to be used for validation.
    
    * The undocumented ``URLResolver._is_callback()``,
    ``URLResolver._callback_strs``, and ``URLPattern.lookup_str()`` are
    moved to ``django.contrib.admindocs.utils``.
    
    * The :meth:`.Model.full_clean` method now converts an ``exclude`` value to a
    ``set``. It’s also preferable to pass an ``exclude`` value as a ``set`` to
    the :meth:`.Model.clean_fields`, :meth:`.Model.full_clean`,
    :meth:`.Model.validate_unique`, and :meth:`.Model.validate_constraints`
    methods.
    
    * The minimum supported version of ``asgiref`` is increased from 3.4.1 to
    3.5.2.
    
    * Combined expressions no longer use the error-prone behavior of guessing
    ``output_field`` when argument types match. As a consequence, resolving an
    ``output_field`` for database functions and combined expressions may now
    crash with mixed types. You will need to explicitly set the ``output_field``
    in such cases.
    
    .. _deprecated-features-4.1:
    
    Features deprecated in 4.1
    ==========================
    
    Log out via GET
    ---------------
    
    Logging out via ``GET`` requests to the :py:class:`built-in logout view
    &lt;django.contrib.auth.views.LogoutView&gt;` is deprecated. Use ``POST`` requests
    instead.
    
    If you want to retain the user experience of an HTML link, you can use a form
    that is styled to appear as a link:
    
    .. code-block:: html
    
    &lt;form id=&quot;logout-form&quot; method=&quot;post&quot; action=&quot;{% url &#x27;admin:logout&#x27; %}&quot;&gt;
     {% csrf_token %}
     &lt;button type=&quot;submit&quot;&gt;{% translate &quot;Log out&quot; %}&lt;/button&gt;
    &lt;/form&gt;
    
    .. code-block:: css
    
    logout-form {
     display: inline;
    }
    logout-form button {
     background: none;
     border: none;
     cursor: pointer;
     padding: 0;
     text-decoration: underline;
    }
    
    Miscellaneous
    -------------
    
    * The context for sitemap index templates of a flat list of URLs is deprecated.
    Custom sitemap index templates should be updated for the adjusted
    :ref:`context variables &lt;sitemap-index-context-variables&gt;`, expecting a list
    of objects with ``location`` and optional ``lastmod`` attributes.
    
    * ``CSRF_COOKIE_MASKED`` transitional setting is deprecated.
    
    * The ``name`` argument of :func:`django.utils.functional.cached_property` is
    deprecated as it&#x27;s unnecessary as of Python 3.6.
    
    * The ``opclasses`` argument of
    ``django.contrib.postgres.constraints.ExclusionConstraint`` is deprecated in
    favor of using :class:`OpClass() &lt;django.contrib.postgres.indexes.OpClass&gt;`
    in :attr:`.ExclusionConstraint.expressions`. To use it, you need to add
    ``&#x27;django.contrib.postgres&#x27;`` in your :setting:`INSTALLED_APPS`.
    
    After making this change, :djadmin:`makemigrations` will generate a new
    migration with two operations: ``RemoveConstraint`` and ``AddConstraint``.
    Since this change has no effect on the database schema,
    the :class:`~django.db.migrations.operations.SeparateDatabaseAndState`
    operation can be used to only update the migration state without running any
    SQL. Move the generated operations into the ``state_operations`` argument of
    :class:`~django.db.migrations.operations.SeparateDatabaseAndState`. For
    example::
    
     class Migration(migrations.Migration):
         ...
    
         operations = [
             migrations.SeparateDatabaseAndState(
                 database_operations=[],
                 state_operations=[
                     migrations.RemoveConstraint(
                         ...
                     ),
                     migrations.AddConstraint(
                         ...
                     ),
                 ],
             ),
         ]
    
    * The undocumented ability to pass ``errors=None`` to
    :meth:`.SimpleTestCase.assertFormError` and
    :meth:`assertFormsetError() &lt;django.test.SimpleTestCase.assertFormSetError&gt;`
    is deprecated. Use ``errors=[]`` instead.
    
    * ``django.contrib.sessions.serializers.PickleSerializer`` is deprecated due to
    the risk of remote code execution.
    
    * The usage of ``QuerySet.iterator()`` on a queryset that prefetches related
    objects without providing the ``chunk_size`` argument is deprecated. In older
    versions, no prefetching was done. Providing a value for ``chunk_size``
    signifies that the additional query per chunk needed to prefetch is desired.
    
    * Passing unsaved model instances to related filters is deprecated. In Django
    5.0, the exception will be raised.
    
    * ``created=True`` is added to the signature of
    :meth:`.RemoteUserBackend.configure_user`. Support  for ``RemoteUserBackend``
    subclasses that do not accept this argument is deprecated.
    
    * The :data:`django.utils.timezone.utc` alias to :attr:`datetime.timezone.utc`
    is deprecated. Use :attr:`datetime.timezone.utc` directly.
    
    * Passing a response object and a form/formset name to
    ``SimpleTestCase.assertFormError()`` and ``assertFormsetError()`` is
    deprecated. Use::
    
     assertFormError(response.context[&#x27;form_name&#x27;], …)
     assertFormsetError(response.context[&#x27;formset_name&#x27;], …)
    
    or pass the form/formset object directly instead.
    
    * The undocumented ``django.contrib.gis.admin.OpenLayersWidget`` is deprecated.
    
    * ``django.contrib.auth.hashers.CryptPasswordHasher`` is deprecated.
    
    * The ability to pass ``nulls_first=False`` or ``nulls_last=False`` to
    ``Expression.asc()`` and ``Expression.desc()`` methods, and the ``OrderBy``
    expression is deprecated. Use ``None`` instead.
    
    * The ``&quot;django/forms/default.html&quot;`` and
    ``&quot;django/forms/formsets/default.html&quot;`` templates which are a proxy to the
    table-based templates are deprecated. Use the specific template instead.
    
    * The undocumented ``LogoutView.get_next_page()`` method is renamed to
    ``get_success_url()``.
    
    Features removed in 4.1
    =======================
    
    These features have reached the end of their deprecation cycle and are removed
    in Django 4.1.
    
    See :ref:`deprecated-features-3.2` for details on these changes, including how
    to remove usage of these features.
    
    * Support for assigning objects which don&#x27;t support creating deep copies with
    ``copy.deepcopy()`` to class attributes in ``TestCase.setUpTestData()`` is
    removed.
    
    * Support for using a boolean value in
    :attr:`.BaseCommand.requires_system_checks` is removed.
    
    * The ``whitelist`` argument and ``domain_whitelist`` attribute of
    ``django.core.validators.EmailValidator`` are removed.
    
    * The ``default_app_config`` application configuration variable is removed.
    
    * ``TransactionTestCase.assertQuerysetEqual()`` no longer calls ``repr()`` on a
    queryset when compared to string values.
    
    * The ``django.core.cache.backends.memcached.MemcachedCache`` backend is
    removed.
    
    * Support for the pre-Django 3.2 format of messages used by
    ``django.contrib.messages.storage.cookie.CookieStorage`` is removed.
    
    
    ==========================
    

    4.0.8

    ==========================
    
    *October 4, 2022*
    
    Django 4.0.8 fixes a security issue with severity &quot;medium&quot; in 4.0.7.
    
    CVE-2022-41323: Potential denial-of-service vulnerability in internationalized URLs
    ===================================================================================
    
    Internationalized URLs were subject to potential denial of service attack via
    the locale parameter.
    
    
    ==========================
    

    4.0.7

    ==========================
    
    *August 3, 2022*
    
    Django 4.0.7 fixes a security issue with severity &quot;high&quot; in 4.0.6.
    
    CVE-2022-36359: Potential reflected file download vulnerability in ``FileResponse``
    ===================================================================================
    
    An application may have been vulnerable to a reflected file download (RFD)
    attack that sets the Content-Disposition header of a
    :class:`~django.http.FileResponse` when the ``filename`` was derived from
    user-supplied input. The ``filename`` is now escaped to avoid this possibility.
    
    
    ==========================
    

    4.0.6

    ==========================
    
    *July 4, 2022*
    
    Django 4.0.6 fixes a security issue with severity &quot;high&quot; in 4.0.5.
    
    CVE-2022-34265: Potential SQL injection via ``Trunc(kind)`` and ``Extract(lookup_name)`` arguments
    ==================================================================================================
    
    :class:`Trunc() &lt;django.db.models.functions.Trunc&gt;` and
    :class:`Extract() &lt;django.db.models.functions.Extract&gt;` database functions were
    subject to SQL injection if untrusted data was used as a
    ``kind``/``lookup_name`` value.
    
    Applications that constrain the lookup name and kind choice to a known safe
    list are unaffected.
    
    
    ==========================
    

    4.0.5

    ==========================
    
    *June 1, 2022*
    
    Django 4.0.5 fixes several bugs in 4.0.4.
    
    Bugfixes
    ========
    
    * Fixed a bug in Django 4.0 where not all :setting:`OPTIONS &lt;CACHES-OPTIONS&gt;`
    were passed to a Redis client (:ticket:`33681`).
    
    * Fixed a bug in Django 4.0 that caused a crash of ``QuerySet.filter()`` on
    ``IsNull()`` expressions (:ticket:`33705`).
    
    * Fixed a bug in Django 4.0 where a hidden quick filter toolbar in the admin&#x27;s
    navigation sidebar was focusable (:ticket:`33725`).
    
    
    ==========================
    

    4.0.4

    ==========================
    
    *April 11, 2022*
    
    Django 4.0.4 fixes two security issues with severity &quot;high&quot; and two bugs in
    4.0.3.
    
    CVE-2022-28346: Potential SQL injection in ``QuerySet.annotate()``, ``aggregate()``, and ``extra()``
    ====================================================================================================
    
    :meth:`.QuerySet.annotate`, :meth:`~.QuerySet.aggregate`, and
    :meth:`~.QuerySet.extra` methods were subject to SQL injection in column
    aliases, using a suitably crafted dictionary, with dictionary expansion, as the
    ``**kwargs`` passed to these methods.
    
    CVE-2022-28347: Potential SQL injection via ``QuerySet.explain(**options)`` on PostgreSQL
    =========================================================================================
    
    :meth:`.QuerySet.explain` method was subject to SQL injection in option names,
    using a suitably crafted dictionary, with dictionary expansion, as the
    ``**options`` argument.
    
    Bugfixes
    ========
    
    * Fixed a regression in Django 4.0 that caused ignoring multiple
    ``FilteredRelation()`` relationships to the same field (:ticket:`33598`).
    
    * Fixed a regression in Django 3.2.4 that caused the auto-reloader to no longer
    detect changes when the ``DIRS`` option of the ``TEMPLATES`` setting
    contained an empty string (:ticket:`33628`).
    
    
    ==========================
    

    4.0.3

    ==========================
    
    *March 1, 2022*
    
    Django 4.0.3 fixes several bugs in 4.0.2. Also, all Python code in Django is
    reformatted with `black`_.
    
    .. _black: https://pypi.org/project/black/
    
    Bugfixes
    ========
    
    * Prevented, following a regression in Django 4.0.1, :djadmin:`makemigrations`
    from generating infinite migrations for a model with ``ManyToManyField`` to
    a lowercased swappable model such as ``&#x27;auth.user&#x27;`` (:ticket:`33515`).
    
    * Fixed a regression in Django 4.0 that caused a crash when rendering invalid
    inlines with :attr:`~django.contrib.admin.ModelAdmin.readonly_fields` in the
    admin (:ticket:`33547`).
    
    
    ==========================
    

    4.0.2

    ==========================
    
    *February 1, 2022*
    
    Django 4.0.2 fixes two security issues with severity &quot;medium&quot; and several bugs
    in 4.0.1. Also, the latest string translations from Transifex are incorporated,
    with a special mention for Bulgarian (fully translated).
    
    CVE-2022-22818: Possible XSS via ``{% debug %}`` template tag
    =============================================================
    
    The ``{% debug %}`` template tag didn&#x27;t properly encode the current context,
    posing an XSS attack vector.
    
    In order to avoid this vulnerability, ``{% debug %}`` no longer outputs
    information when the ``DEBUG`` setting is ``False``, and it ensures all context
    variables are correctly escaped when the ``DEBUG`` setting is ``True``.
    
    CVE-2022-23833: Denial-of-service possibility in file uploads
    =============================================================
    
    Passing certain inputs to multipart forms could result in an infinite loop when
    parsing files.
    
    Bugfixes
    ========
    
    * Fixed a bug in Django 4.0 where ``TestCase.captureOnCommitCallbacks()`` could
    execute callbacks multiple times (:ticket:`33410`).
    
    * Fixed a regression in Django 4.0 where ``help_text`` was HTML-escaped in
    automatically-generated forms (:ticket:`33419`).
    
    * Fixed a regression in Django 4.0 that caused displaying an incorrect name for
    class-based views on the technical 404 debug page (:ticket:`33425`).
    
    * Fixed a regression in Django 4.0 that caused an incorrect ``repr`` of
    ``ResolverMatch`` for class-based views (:ticket:`33426`).
    
    * Fixed a regression in Django 4.0 that caused a crash of ``makemigrations`` on
    models without ``Meta.order_with_respect_to`` but with a field named
    ``_order`` (:ticket:`33449`).
    
    * Fixed a regression in Django 4.0 that caused incorrect
    :attr:`.ModelAdmin.radio_fields` layout in the admin (:ticket:`33407`).
    
    * Fixed a duplicate operation regression in Django 4.0 that caused a migration
    crash when altering a primary key type for a concrete parent model referenced
    by a foreign key (:ticket:`33462`).
    
    * Fixed a bug in Django 4.0 that caused a crash of ``QuerySet.aggregate()``
    after ``annotate()`` on an aggregate function with a
    :ref:`default &lt;aggregate-default&gt;` (:ticket:`33468`).
    
    * Fixed a regression in Django 4.0 that caused a crash of ``makemigrations``
    when renaming a field of a renamed model (:ticket:`33480`).
    
    
    ==========================
    

    4.0.1

    ==========================
    
    *January 4, 2022*
    
    Django 4.0.1 fixes one security issue with severity &quot;medium&quot;, two security
    issues with severity &quot;low&quot;, and several bugs in 4.0.
    
    CVE-2021-45115: Denial-of-service possibility in ``UserAttributeSimilarityValidator``
    =====================================================================================
    
    :class:`.UserAttributeSimilarityValidator` incurred significant overhead
    evaluating submitted password that were artificially large in relative to the
    comparison values. On the assumption that access to user registration was
    unrestricted this provided a potential vector for a denial-of-service attack.
    
    In order to mitigate this issue, relatively long values are now ignored by
    ``UserAttributeSimilarityValidator``.
    
    This issue has severity &quot;medium&quot; according to the :ref:`Django security policy
    &lt;security-disclosure&gt;`.
    
    CVE-2021-45116: Potential information disclosure in ``dictsort`` template filter
    ================================================================================
    
    Due to leveraging the Django Template Language&#x27;s variable resolution logic, the
    :tfilter:`dictsort` template filter was potentially vulnerable to information
    disclosure or unintended method calls, if passed a suitably crafted key.
    
    In order to avoid this possibility, ``dictsort`` now works with a restricted
    resolution logic, that will not call methods, nor allow indexing on
    dictionaries.
    
    As a reminder, all untrusted user input should be validated before use.
    
    This issue has severity &quot;low&quot; according to the :ref:`Django security policy
    &lt;security-disclosure&gt;`.
    
    CVE-2021-45452: Potential directory-traversal via ``Storage.save()``
    ====================================================================
    
    ``Storage.save()`` allowed directory-traversal if directly passed suitably
    crafted file names.
    
    This issue has severity &quot;low&quot; according to the :ref:`Django security policy
    &lt;security-disclosure&gt;`.
    
    Bugfixes
    ========
    
    * Fixed a regression in Django 4.0 that caused a crash of
    ``assertFormsetError()`` on a formset named ``form`` (:ticket:`33346`).
    
    * Fixed a bug in Django 4.0 that caused a crash on booleans with the
    ``RedisCache`` backend (:ticket:`33361`).
    
    * Relaxed the check added in Django 4.0 to reallow use of a duck-typed
    ``HttpRequest`` in ``django.views.decorators.cache.cache_control()`` and
    ``never_cache()`` decorators (:ticket:`33350`).
    
    * Fixed a regression in Django 4.0 that caused creating bogus migrations for
    models that reference swappable models such as ``auth.User``
    (:ticket:`33366`).
    
    * Fixed a long standing bug in :ref:`geos-geometry-collections` and
    :class:`~django.contrib.gis.geos.Polygon` that caused a crash on some
    platforms (reported on macOS based on the ``ARM64`` architecture)
    (:ticket:`32600`).
    
    
    ========================
    

    4.0

    ========================
    
    *December 7, 2021*
    
    Welcome to Django 4.0!
    
    These release notes cover the :ref:`new features &lt;whats-new-4.0&gt;`, as well as
    some :ref:`backwards incompatible changes &lt;backwards-incompatible-4.0&gt;` you&#x27;ll
    want to be aware of when upgrading from Django 3.2 or earlier. We&#x27;ve
    :ref:`begun the deprecation process for some features
    &lt;deprecated-features-4.0&gt;`.
    
    See the :doc:`/howto/upgrade-version` guide if you&#x27;re updating an existing
    project.
    
    Python compatibility
    ====================
    
    Django 4.0 supports Python 3.8, 3.9, and 3.10. We **highly recommend** and only
    officially support the latest release of each series.
    
    The Django 3.2.x series is the last to support Python 3.6 and 3.7.
    
    .. _whats-new-4.0:
    
    What&#x27;s new in Django 4.0
    ========================
    
    ``zoneinfo`` default timezone implementation
    --------------------------------------------
    
    The Python standard library&#x27;s :mod:`zoneinfo` is now the default timezone
    implementation in Django.
    
    This is the next step in the migration from using ``pytz`` to using
    :mod:`zoneinfo`. Django 3.2 allowed the use of non-``pytz`` time zones. Django
    4.0 makes ``zoneinfo`` the default implementation. Support for ``pytz`` is now
    deprecated and will be removed in Django 5.0.
    
    :mod:`zoneinfo` is part of the Python standard library from Python 3.9. The
    ``backports.zoneinfo`` package is automatically installed alongside Django if
    you are using Python 3.8.
    
    The move to ``zoneinfo`` should be largely transparent. Selection of the
    current timezone, conversion of datetime instances to the current timezone in
    forms and templates, as well as operations on aware datetimes in UTC are
    unaffected.
    
    However, if you are working with non-UTC time zones, and using the ``pytz``
    ``normalize()`` and ``localize()`` APIs, possibly with the :setting:`TIME_ZONE
    &lt;DATABASE-TIME_ZONE&gt;` setting, you will need to audit your code, since ``pytz``
    and ``zoneinfo`` are not entirely equivalent.
    
    To give time for such an audit, the transitional :setting:`USE_DEPRECATED_PYTZ`
    setting allows continued use of ``pytz`` during the 4.x release cycle. This
    setting will be removed in Django 5.0.
    
    In addition, a `pytz_deprecation_shim`_ package, created by the ``zoneinfo``
    author, can be used to assist with the migration from ``pytz``. This package
    provides shims to help you safely remove ``pytz``, and has a detailed
    `migration guide`_ showing how to move to the new ``zoneinfo`` APIs.
    
    Using `pytz_deprecation_shim`_ and the :setting:`USE_DEPRECATED_PYTZ`
    transitional setting is recommended if you need a gradual update path.
    
    .. _pytz_deprecation_shim: https://pytz-deprecation-shim.readthedocs.io/en/latest/index.html
    .. _migration guide: https://pytz-deprecation-shim.readthedocs.io/en/latest/migration.html
    
    Functional unique constraints
    -----------------------------
    
    The new :attr:`*expressions &lt;django.db.models.UniqueConstraint.expressions&gt;`
    positional argument of
    :class:`UniqueConstraint() &lt;django.db.models.UniqueConstraint&gt;` enables
    creating functional unique constraints on expressions and database functions.
    For example::
    
     from django.db import models
     from django.db.models import UniqueConstraint
     from django.db.models.functions import Lower
    
    
     class MyModel(models.Model):
         first_name = models.CharField(max_length=255)
         last_name = models.CharField(max_length=255)
    
         class Meta:
             constraints = [
                 UniqueConstraint(
                     Lower(&#x27;first_name&#x27;),
                     Lower(&#x27;last_name&#x27;).desc(),
                     name=&#x27;first_last_name_unique&#x27;,
                 ),
             ]
    
    Functional unique constraints are added to models using the
    :attr:`Meta.constraints &lt;django.db.models.Options.constraints&gt;` option.
    
    ``scrypt`` password hasher
    --------------------------
    
    The new :ref:`scrypt password hasher &lt;scrypt-usage&gt;` is more secure and
    recommended over PBKDF2. However, it&#x27;s not the default as it requires OpenSSL
    1.1+ and more memory.
    
    Redis cache backend
    -------------------
    
    The new ``django.core.cache.backends.redis.RedisCache`` cache backend provides
    built-in support for caching with Redis. `redis-py`_ 3.0.0 or higher is
    required. For more details, see the :ref:`documentation on caching with Redis
    in Django &lt;redis&gt;`.
    
    .. _`redis-py`: https://pypi.org/project/redis/
    
    Template based form rendering
    -----------------------------
    
    :class:`Forms &lt;django.forms.Form&gt;`, :doc:`Formsets &lt;/topics/forms/formsets&gt;`,
    and :class:`~django.forms.ErrorList` are now rendered using the template engine
    to enhance customization. See the new :meth:`~django.forms.Form.render`,
    :meth:`~django.forms.Form.get_context`, and
    :attr:`~django.forms.Form.template_name` for ``Form`` and
    :ref:`formset rendering &lt;formset-rendering&gt;` for ``Formset``.
    
    Minor features
    --------------
    
    :mod:`django.contrib.admin`
    ~~~~~~~~~~~~~~~~~~~~~~~~~~~
    
    * The ``admin/base.html`` template now has a new block ``header`` which
    contains the admin site header.
    
    * The new :meth:`.ModelAdmin.get_formset_kwargs` method allows customizing the
    keyword arguments passed to the constructor of a formset.
    
    * The navigation sidebar now has a quick filter toolbar.
    
    * The new context variable ``model`` which contains the model class for each
    model is added to the :meth:`.AdminSite.each_context` method.
    
    * The new :attr:`.ModelAdmin.search_help_text` attribute allows specifying a
    descriptive text for the search box.
    
    * The :attr:`.InlineModelAdmin.verbose_name_plural` attribute now fallbacks to
    the :attr:`.InlineModelAdmin.verbose_name` + ``&#x27;s&#x27;``.
    
    * jQuery is upgraded from version 3.5.1 to 3.6.0.
    
    :mod:`django.contrib.admindocs`
    ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    
    * The admindocs now allows esoteric setups where :setting:`ROOT_URLCONF` is not
    a string.
    
    * The model section of the ``admindocs`` now shows cached properties.
    
    :mod:`django.contrib.auth`
    ~~~~~~~~~~~~~~~~~~~~~~~~~~
    
    * The default iteration count for the PBKDF2 password hasher is increased from
    260,000 to 320,000.
    
    * The new
    :attr:`LoginView.next_page &lt;django.contrib.auth.views.LoginView.next_page&gt;`
    attribute and
    :meth:`~django.contrib.auth.views.LoginView.get_default_redirect_url` method
    allow customizing the redirect after login.
    
    :mod:`django.contrib.gis`
    ~~~~~~~~~~~~~~~~~~~~~~~~~
    
    * Added support for SpatiaLite 5.
    
    * :class:`~django.contrib.gis.gdal.GDALRaster` now allows creating rasters in
    any GDAL virtual filesystem.
    
    * The new :class:`~django.contrib.gis.admin.GISModelAdmin` class allows
    customizing the widget used for ``GeometryField``. This is encouraged instead
    of deprecated ``GeoModelAdmin`` and ``OSMGeoAdmin``.
    
    :mod:`django.contrib.postgres`
    ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    
    * The PostgreSQL backend now supports connecting by a service name. See
    :ref:`postgresql-connection-settings` for more details.
    
    * The new :class:`~django.contrib.postgres.operations.AddConstraintNotValid`
    operation allows creating check constraints on PostgreSQL without verifying
    that all existing rows satisfy the new constraint.
    
    * The new :class:`~django.contrib.postgres.operations.ValidateConstraint`
    operation allows validating check constraints which were created using
    :class:`~django.contrib.postgres.operations.AddConstraintNotValid` on
    PostgreSQL.
    
    * The new
    :class:`ArraySubquery() &lt;django.contrib.postgres.expressions.ArraySubquery&gt;`
    expression allows using subqueries to construct lists of values on
    PostgreSQL.
    
    * The new :lookup:`trigram_word_similar` lookup, and the
    :class:`TrigramWordDistance()
    &lt;django.contrib.postgres.search.TrigramWordDistance&gt;` and
    :class:`TrigramWordSimilarity()
    &lt;django.contrib.postgres.search.TrigramWordSimilarity&gt;` expressions allow
    using trigram word similarity.
    
    :mod:`django.contrib.staticfiles`
    ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    
    * :class:`~django.contrib.staticfiles.storage.ManifestStaticFilesStorage` now
    replaces paths to JavaScript source map references with their hashed
    counterparts.
    
    * The new ``manifest_storage`` argument of
    :class:`~django.contrib.staticfiles.storage.ManifestFilesMixin` and
    :class:`~django.contrib.staticfiles.storage.ManifestStaticFilesStorage`
    allows customizing the manifest file storage.
    
    Cache
    ~~~~~
    
    * The new async API for ``django.core.cache.backends.base.BaseCache`` begins
    the process of making cache backends async-compatible. The new async methods
    all have ``a`` prefixed names, e.g. ``aadd()``, ``aget()``, ``aset()``,
    ``aget_or_set()``, or ``adelete_many()``.
    
    Going forward, the ``a`` prefix will be used for async variants of methods
    generally.
    
    CSRF
    ~~~~
    
    * CSRF protection now consults the ``Origin`` header, if present. To facilitate
    this, :ref:`some changes &lt;csrf-trusted-origins-changes-4.0&gt;` to the
    :setting:`CSRF_TRUSTED_ORIGINS` setting are required.
    
    Forms
    ~~~~~
    
    * :class:`~django.forms.ModelChoiceField` now includes the provided value in
    the ``params`` argument of a raised
    :exc:`~django.core.exceptions.ValidationError` for the ``invalid_choice``
    error message. This allows custom error messages to use the ``%(value)s``
    placeholder.
    
    * :class:`~django.forms.formsets.BaseFormSet` now renders non-form errors with
    an additional class of ``nonform`` to help distinguish them from
    form-specific errors.
    
    * :class:`~django.forms.formsets.BaseFormSet` now allows customizing the widget
    used when deleting forms via
    :attr:`~django.forms.formsets.BaseFormSet.can_delete` by setting the
    :attr:`~django.forms.formsets.BaseFormSet.deletion_widget` attribute or
    overriding :meth:`~django.forms.formsets.BaseFormSet.get_deletion_widget`
    method.
    
    Internationalization
    ~~~~~~~~~~~~~~~~~~~~
    
    * Added support and translations for the Malay language.
    
    Generic Views
    ~~~~~~~~~~~~~
    
    * :class:`~django.views.generic.edit.DeleteView` now uses
    :class:`~django.views.generic.edit.FormMixin`, allowing you to provide a
    :class:`~django.forms.Form` subclass, with a checkbox for example, to confirm
    deletion. In addition, this allows ``DeleteView`` to function with
    :class:`django.contrib.messages.views.SuccessMessageMixin`.
    
    In accordance with ``FormMixin``, object deletion for POST requests is
    handled in ``form_valid()``. Custom delete logic in ``delete()`` handlers
    should be moved to ``form_valid()``, or a shared helper method, as needed.
    
    Logging
    ~~~~~~~
    
    * The alias of the database used in an SQL call is now passed as extra context
    along with each message to the :ref:`django-db-logger` logger.
    
    Management Commands
    ~~~~~~~~~~~~~~~~~~~
    
    * The :djadmin:`runserver` management command now supports the
    :option:`--skip-checks` option.
    
    * On PostgreSQL, :djadmin:`dbshell` now supports specifying a password file.
    
    * The :djadmin:`shell` command now respects :py:data:`sys.__interactivehook__`
    at startup. This allows loading shell history between interactive sessions.
    As a consequence, ``readline`` is no longer loaded if running in *isolated*
    mode.
    
    * The new :attr:`BaseCommand.suppressed_base_arguments
    &lt;django.core.management.BaseCommand.suppressed_base_arguments&gt;` attribute
    allows suppressing unsupported default command options in the help output.
    
    * The new :option:`startapp --exclude` and :option:`startproject --exclude`
    options allow excluding directories from the template.
    
    Models
    ~~~~~~
    
    * New :meth:`QuerySet.contains(obj) &lt;.QuerySet.contains&gt;` method returns
    whether the queryset contains the given object. This tries to perform the
    query in the simplest and fastest way possible.
    
    * The new ``precision`` argument of the
    :class:`Round() &lt;django.db.models.functions.Round&gt;` database function allows
    specifying the number of decimal places after rounding.
    
    * :meth:`.QuerySet.bulk_create` now sets the primary key on objects when using
    SQLite 3.35+.
    
    * :class:`~django.db.models.DurationField` now supports multiplying and
    dividing by scalar values on SQLite.
    
    * :meth:`.QuerySet.bulk_update` now returns the number of objects updated.
    
    * The new :attr:`.Expression.empty_result_set_value` attribute allows
    specifying a value to return when the function is used over an empty result
    set.
    
    * The ``skip_locked`` argument of :meth:`.QuerySet.select_for_update()` is now
    allowed on MariaDB 10.6+.
    
    * :class:`~django.db.models.Lookup` expressions may now be used in ``QuerySet``
    annotations, aggregations, and directly in filters.
    
    * The new :ref:`default &lt;aggregate-default&gt;` argument for built-in aggregates
    allows specifying a value to be returned when the queryset (or grouping)
    contains no entries, rather than ``None``.
    
    Requests and Responses
    ~~~~~~~~~~~~~~~~~~~~~~
    
    * The :class:`~django.middleware.security.SecurityMiddleware` now adds the
    :ref:`Cross-Origin Opener Policy &lt;cross-origin-opener-policy&gt;` header with a
    value of ``&#x27;same-origin&#x27;`` to prevent cross-origin popups from sharing the
    same browsing context. You can prevent this header from being added by
    setting the :setting:`SECURE_CROSS_ORIGIN_OPENER_POLICY` setting to ``None``.
    
    Signals
    ~~~~~~~
    
    * The new ``stdout`` argument for :func:`~django.db.models.signals.pre_migrate`
    and :func:`~django.db.models.signals.post_migrate` signals allows redirecting
    output to a stream-like object. It should be preferred over
    :py:data:`sys.stdout` and :py:func:`print` when emitting verbose output in
    order to allow proper capture when testing.
    
    Templates
    ~~~~~~~~~
    
    * :tfilter:`floatformat` template filter now allows using the ``u`` suffix to
    force disabling localization.
    
    Tests
    ~~~~~
    
    * The new ``serialized_aliases`` argument of
    :func:`django.test.utils.setup_databases` determines which
    :setting:`DATABASES` aliases test databases should have their state
    serialized to allow usage of the
    :ref:`serialized_rollback &lt;test-case-serialized-rollback&gt;` feature.
    
    * Django test runner now supports a :option:`--buffer &lt;test --buffer&gt;` option
    with parallel tests.
    
    * The new ``logger`` argument to :class:`~django.test.runner.DiscoverRunner`
    allows a Python :py:ref:`logger &lt;logger&gt;` to be used for logging.
    
    * The new :meth:`.DiscoverRunner.log` method provides a way to log messages
    that uses the ``DiscoverRunner.logger``, or prints to the console if not set.
    
    * Django test runner now supports a :option:`--shuffle &lt;test --shuffle&gt;` option
    to execute tests in a random order.
    
    * The :option:`test --parallel` option now supports the value ``auto`` to run
    one test process for each processor core.
    
    * :meth:`.TestCase.captureOnCommitCallbacks` now captures new callbacks added
    while executing :func:`.transaction.on_commit` callbacks.
    
    .. _backwards-incompatible-4.0:
    
    Backwards incompatible changes in 4.0
    =====================================
    
    Database backend API
    --------------------
    
    This section describes changes that may be needed in third-party database
    backends.
    
    * ``DatabaseOperations.year_lookup_bounds_for_date_field()`` and
    ``year_lookup_bounds_for_datetime_field()`` methods now take the optional
    ``iso_year`` argument in order to support bounds for ISO-8601 week-numbering
    years.
    
    * The second argument of ``DatabaseSchemaEditor._unique_sql()`` and
    ``_create_unique_sql()`` methods is now ``fields`` instead of ``columns``.
    
    :mod:`django.contrib.gis`
    -------------------------
    
    * Support for PostGIS 2.3 is removed.
    
    * Support for GDAL 2.0 and GEOS 3.5 is removed.
    
    Dropped support for PostgreSQL 9.6
    ----------------------------------
    
    Upstream support for PostgreSQL 9.6 ends in November 2021. Django 4.0 supports
    PostgreSQL 10 and higher.
    
    Also, the minimum supported version of ``psycopg2`` is increased from 2.5.4 to
    2.8.4, as ``psycopg2`` 2.8.4 is the first release to support Python 3.8.
    
    Dropped support for Oracle 12.2 and 18c
    ---------------------------------------
    
    Upstream support for Oracle 12.2 ends in March 2022 and for Oracle 18c it ends
    in June 2021. Django 3.2 will be supported until April 2024. Django 4.0
    officially supports Oracle 19c.
    
    .. _csrf-trusted-origins-changes-4.0:
    
    ``CSRF_TRUSTED_ORIGINS`` changes
    --------------------------------
    
    Format change
    ~~~~~~~~~~~~~
    
    Values in the :setting:`CSRF_TRUSTED_ORIGINS` setting must include the scheme
    (e.g. ``&#x27;http://&#x27;`` or ``&#x27;https://&#x27;``) instead of only the hostname.
    
    Also, values that started with a dot, must now also include an asterisk before
    the dot. For example, change ``&#x27;.example.com&#x27;`` to ``&#x27;https://*.example.com&#x27;``.
    
    A system check detects any required changes.
    
    Configuring it may now be required
    ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
    
    As CSRF protection now consults the ``Origin`` header, you may need to set
    :setting:`CSRF_TRUSTED_ORIGINS`, particularly if you allow requests from
    subdomains by setting :setting:`CSRF_COOKIE_DOMAIN` (or
    :setting:`SESSION_COOKIE_DOMAIN` if :setting:`CSRF_USE_SESSIONS` is enabled) to
    a value starting with a dot.
    
    ``SecurityMiddleware`` no longer sets the ``X-XSS-Protection`` header
    ---------------------------------------------------------------------
    
    The :class:`~django.middleware.security.SecurityMiddleware` no longer sets the
    ``X-XSS-Protection`` header if the ``SECURE_BROWSER_XSS_FILTER`` setting is
    ``True``. The setting is removed.
    
    Most modern browsers don&#x27;t honor the ``X-XSS-Protection`` HTTP header. You can
    use Content-Security-Policy_ without allowing ``&#x27;unsafe-inline&#x27;`` scripts
    instead.
    
    If you want to support legacy browsers and set the header, use this line in a
    custom middleware::
    
     response.headers.setdefault(&#x27;X-XSS-Protection&#x27;, &#x27;1; mode=block&#x27;)
    
    .. _Content-Security-Policy: https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/Content-Security-Policy
    
    Migrations autodetector changes
    -------------------------------
    
    The migrations autodetector now uses model states instead of model classes.
    Also, migration operations for ``ForeignKey`` and ``ManyToManyField`` fields no
    longer specify attributes which were not passed to the fields during
    initialization.
    
    As a side-effect, running ``makemigrations`` might generate no-op
    ``AlterField`` operations for ``ManyToManyField`` and ``ForeignKey`` fields in
    some cases.
    
    ``DeleteView`` changes
    ----------------------
    
    :class:`~django.views.generic.edit.DeleteView` now uses
    :class:`~django.views.generic.edit.FormMixin` to handle POST re
    opened by pyup-bot 0
  • Update django-allauth to 0.52.0

    Update django-allauth to 0.52.0

    This PR updates django-allauth from 0.39.1 to 0.52.0.

    Changelog

    0.52.0

    *******************
    
    Note worthy changes
    -------------------
    
    - Officially support Django 4.1.
    
    - New providers: OpenID Connect, Twitter (OAuth2), Wahoo, DingTalk.
    
    - Introduced a new provider setting ``OAUTH_PKCE_ENABLED`` that enables the
    PKCE-enhanced Authorization Code Flow for OAuth 2.0 providers.
    
    - When ``ACCOUNT_PREVENT_ENUMERATION`` is turned on, enumeration is now also
    prevented during signup, provided you are using mandatory email
    verification. There is a new email template
    (`templates/account/email/acccount_already_exists_message.txt`) that will be
    used in this scenario.
    
    - Updated URLs of Google&#x27;s endpoints to the latest version; removed a redundant
    ``userinfo`` call.
    
    - Fixed Pinterest provider on new api version.
    

    0.51.0

    *******************
    
    Note worthy changes
    -------------------
    
    - New providers: Snapchat, Hubspot, Pocket, Clever.
    
    
    Security notice
    ---------------
    
    The reset password form is protected by rate limits. There is a limit per IP,
    and per email. In previous versions, the latter rate limit could be bypassed by
    changing the casing of the email address. Note that in that case, the former
    rate limit would still kick in.
    

    0.50.0

    *******************
    
    Note worthy changes
    -------------------
    
    - Fixed compatibility issue with setuptools 61.
    
    - New providers: Drip.
    
    - The Facebook API version now defaults to v13.0.
    

    0.49.0

    *******************
    
    Note worthy changes
    -------------------
    
    - New providers: LemonLDAP::NG.
    
    - Fixed ``SignupForm`` setting username and email attributes on the ``User`` class
    instead of a dummy user instance.
    
    - Email addresses POST&#x27;ed to the email management view (done in order to resend
    the confirmation email) were not properly validated. Yet, these email
    addresses were still added as secondary email addresses. Given the lack of
    proper validation, invalid email addresses could have entered the database.
    
    - New translations: Romanian.
    
    
    Backwards incompatible changes
    ------------------------------
    
    - The Microsoft ``tenant`` setting must now be specified using uppercase ``TENANT``.
    
    - Changed naming of ``internal_reset_url_key`` attribute in
    ``allauth.account.views.PasswordResetFromKeyView`` to ``reset_url_key``.
    

    0.48.0

    *******************
    
    Note worthy changes
    -------------------
    - New translations: Catalan, Bulgarian.
    
    - Introduced a new setting ``ACCOUNT_PREVENT_ENUMERATION`` that controls whether
    or not information is revealed about whether or not a user account exists.
    **Warning**: this is a work in progress, password reset is covered, yet,
    signing up is not.
    
    - The ``ACCOUNT_EMAIL_CONFIRMATION_COOLDOWN`` is now also respected when using
    HMAC based email confirmations. In earlier versions, users could trigger email
    verification mails without any limits.
    
    - Added builtin rate limiting (see ``ACCOUNT_RATE_LIMITS``).
    
    - Added ``internal_reset_url_key`` attribute in
    ``allauth.account.views.PasswordResetFromKeyView`` which allows specifying
    a token parameter displayed as a component of password reset URLs.
    
    - It is now possible to use allauth without having ``sites`` installed. Whether or
    not sites is used affects the data models. For example, the social app model
    uses a many-to-many pointing to the sites model if the ``sites`` app is
    installed. Therefore, enabling or disabling ``sites`` is not something you can
    do on the fly.
    
    - The ``facebook`` provider no longer raises ``ImproperlyConfigured``
    within ``{% providers_media_js %}`` when it is not configured.
    
    
    Backwards incompatible changes
    ------------------------------
    
    - The newly introduced ``ACCOUNT_PREVENT_ENUMERATION`` defaults to ``True`` impacting
    the current behavior of the password reset flow.
    
    - The newly introduced rate limiting is by default turned on. You will need to provide
    a ``429.html`` template.
    
    - The default of ``SOCIALACCOUNT_STORE_TOKENS`` has been changed to
    ``False``. Rationale is that storing sensitive information should be opt in, not
    opt out. If you were relying on this functionality without having it
    explicitly turned on, please add it to your ``settings.py``.
    

    0.47.0

    *******************
    
    Note worthy changes
    -------------------
    
    - New providers: Gumroad.
    
    
    Backwards incompatible changes
    ------------------------------
    
    - Added a new setting ``SOCIALACCOUNT_LOGIN_ON_GET`` that controls whether or not
    the endpoints for initiating a social login (for example,
    &quot;/accounts/google/login/&quot;) require a POST request to initiate the
    handshake. As requiring a POST is more secure, the default of this new setting
    is ``False``.
    
    
    Security notice
    ---------------
    
    Automatically signing in users into their account and connecting additional
    third party accounts via a simple redirect (&quot;/accounts/facebook/login/&quot;) can
    lead to unexpected results and become a security issue especially when the
    redirect is triggered from a malicious web site. For example, if an attacker
    prepares a malicious website that (ab)uses the Facebook password recovery
    mechanism to first sign into his/her own Facebook account, followed by a
    redirect to connect a new social account, you may end up with the attacker&#x27;s
    Facebook account added to the account of the victim. To mitigate this,
    ``SOCIALACCOUNT_LOGIN_ON_GET`` is introduced.
    

    0.46.0

    *******************
    
    Note worthy changes
    -------------------
    
    - New providers: Gitea, MediaWiki.
    
    - New translations: Georgian, Mongolian.
    
    - Django 3.2 compatibility.
    

    0.45.0

    *******************
    
    
    Note worthy changes
    -------------------
    
    - New providers: Feishu, NetIQ, Frontier, CILogin.
    

    0.44.0

    ******
    
    - Better compatibility with Django 3.2
    

    0.43.0

    *******************
    
    Note worthy changes
    -------------------
    
    - New translation: Slovenian.
    
    - If ``ACCOUNT_LOGIN_ATTEMPTS_LIMIT`` is set and the user successfully
    resets their password, the timeout is cleared to allow immediate login.
    
    - You can now limit the amount of email addresses a user can associate to his
    account by setting ``ACCOUNT_MAX_EMAIL_ADDRESSES``.
    
    - New providers: Apple, Okta, Stocktwits, Zoho, Zoom.
    
    - If email verification is set to mandatory, the email address you use to login
    with must now be verified as well. In previous versions, it was sufficient if
    the account had at least one verified email address, not necessarily the one
    used to login with.
    
    - Added a new setting: ``ACCOUNT_SIGNUP_REDIRECT_URL`` -- the URL (or URL
    name) to redirect to directly after signing up.
    
    
    Backwards incompatible changes
    ------------------------------
    
    - In previous versions, the ``allauth`` app included a ``base.html``
    template. This template could conflict with an equally named template at
    project level. Therefore, ``base.html`` has now been moved to
    ``account/base.html`` -- you will need to check your templates and likely
    override ``account/base.html`` within your project.
    

    0.42.0

    *******************
    
    Note worthy changes
    -------------------
    
    - New providers: EDX, Yandex, Mixer.
    
    - Fixed Twitch ``get_avatar_url()`` method to use the profile picture retrieved
    by new user details endpoint introduced in version 0.40.0.
    
    - The Facebook API version now defaults to v7.0.
    

    0.41.0

    *******************
    
    Security notice
    ---------------
    
    - See `CVE-2019-19844
    &lt;https://www.djangoproject.com/weblog/2019/dec/18/security-releases/&gt;`_.
    
    
    Note worthy changes
    -------------------
    
    - New providers: Exist.io., YNAB, Amazon Cognito.
    
    - You can now store OAuth credentials directly in your
    ``settings.SOCIALACCOUNT_PROVIDERS`` settings instead of storing them in the
    database using a ``SocialApp`` record.
    
    - Adding Keycloak Provider
    
    
    Backwards incompatible changes
    ------------------------------
    
    - Dropped Python 2 and Django 1 compatibility.
    

    0.40.0

    *******************
    
    Note worthy changes
    -------------------
    
    - The ``instagram`` provider now extracts the user&#x27;s full name.
    
    - New provider: NextCloud (OAuth2)
    
    - Added an ``SDK_URL`` setting for customizing the loading of the Facebook
    JavaScript SDK.
    
    - Updated Twitch provider to use new authentication endpoints
    (``https://id.twitch.tv``) over deprecated v5 endpoints
    (``https://api.twitch.tv/kraken``)
    
    - Added support for Patreon API v2, with API v1 set as default for
    backwards compatibility.
    
    
    Backwards incompatible changes
    ------------------------------
    
    - ``Twitch``: The new API&#x27;s profile data is different in both
    structure and content than the old V5 endpoint. Any project
    that relies on data from ``SocialAccount.extra_data`` should
    refer to the new API user endpoint documentation:
    https://dev.twitch.tv/docs/api/reference/#get-users
    
    Links
    • PyPI: https://pypi.org/project/django-allauth
    • Changelog: https://pyup.io/changelogs/django-allauth/
    • Homepage: http://www.intenct.nl/projects/django-allauth/
    opened by pyup-bot 0
  • Bump qs and express in /client

    Bump qs and express in /client

    Bumps qs to 6.11.0 and updates ancestor dependency express. These dependencies need to be updated together.

    Updates qs from 6.5.2 to 6.11.0

    Changelog

    Sourced from qs's changelog.

    6.11.0

    • [New] [Fix] stringify: revert 0e903c0; add commaRoundTrip option (#442)
    • [readme] fix version badge

    6.10.5

    • [Fix] stringify: with arrayFormat: comma, properly include an explicit [] on a single-item array (#434)

    6.10.4

    • [Fix] stringify: with arrayFormat: comma, include an explicit [] on a single-item array (#441)
    • [meta] use npmignore to autogenerate an npmignore file
    • [Dev Deps] update eslint, @ljharb/eslint-config, aud, has-symbol, object-inspect, tape

    6.10.3

    • [Fix] parse: ignore __proto__ keys (#428)
    • [Robustness] stringify: avoid relying on a global undefined (#427)
    • [actions] reuse common workflows
    • [Dev Deps] update eslint, @ljharb/eslint-config, object-inspect, tape

    6.10.2

    • [Fix] stringify: actually fix cyclic references (#426)
    • [Fix] stringify: avoid encoding arrayformat comma when encodeValuesOnly = true (#424)
    • [readme] remove travis badge; add github actions/codecov badges; update URLs
    • [Docs] add note and links for coercing primitive values (#408)
    • [actions] update codecov uploader
    • [actions] update workflows
    • [Tests] clean up stringify tests slightly
    • [Dev Deps] update eslint, @ljharb/eslint-config, aud, object-inspect, safe-publish-latest, tape

    6.10.1

    • [Fix] stringify: avoid exception on repeated object values (#402)

    6.10.0

    • [New] stringify: throw on cycles, instead of an infinite loop (#395, #394, #393)
    • [New] parse: add allowSparse option for collapsing arrays with missing indices (#312)
    • [meta] fix README.md (#399)
    • [meta] only run npm run dist in publish, not install
    • [Dev Deps] update eslint, @ljharb/eslint-config, aud, has-symbols, tape
    • [Tests] fix tests on node v0.6
    • [Tests] use ljharb/actions/node/install instead of ljharb/actions/node/run
    • [Tests] Revert "[meta] ignore eclint transitive audit warning"

    6.9.7

    • [Fix] parse: ignore __proto__ keys (#428)
    • [Fix] stringify: avoid encoding arrayformat comma when encodeValuesOnly = true (#424)
    • [Robustness] stringify: avoid relying on a global undefined (#427)
    • [readme] remove travis badge; add github actions/codecov badges; update URLs
    • [Docs] add note and links for coercing primitive values (#408)
    • [Tests] clean up stringify tests slightly
    • [meta] fix README.md (#399)
    • Revert "[meta] ignore eclint transitive audit warning"

    ... (truncated)

    Commits
    • 56763c1 v6.11.0
    • ddd3e29 [readme] fix version badge
    • c313472 [New] [Fix] stringify: revert 0e903c0; add commaRoundTrip option
    • 95bc018 v6.10.5
    • 0e903c0 [Fix] stringify: with arrayFormat: comma, properly include an explicit `[...
    • ba9703c v6.10.4
    • 4e44019 [Fix] stringify: with arrayFormat: comma, include an explicit [] on a s...
    • 113b990 [Dev Deps] update object-inspect
    • c77f38f [Dev Deps] update eslint, @ljharb/eslint-config, aud, has-symbol, tape
    • 2cf45b2 [meta] use npmignore to autogenerate an npmignore file
    • Additional commits viewable in compare view

    Updates express from 4.16.4 to 4.18.2

    Release notes

    Sourced from express's releases.

    4.18.2

    4.18.1

    • Fix hanging on large stack of sync routes

    4.18.0

    ... (truncated)

    Changelog

    Sourced from express's changelog.

    4.18.2 / 2022-10-08

    4.18.1 / 2022-04-29

    • Fix hanging on large stack of sync routes

    4.18.0 / 2022-04-25

    ... (truncated)

    Commits

    Dependabot will resolve any conflicts with this PR as long as you don't alter it yourself. You can also trigger a rebase manually by commenting @dependabot rebase.


    Dependabot commands and options

    You can trigger Dependabot actions by commenting on this PR:

    • @dependabot rebase will rebase this PR
    • @dependabot recreate will recreate this PR, overwriting any edits that have been made to it
    • @dependabot merge will merge this PR after your CI passes on it
    • @dependabot squash and merge will squash and merge this PR after your CI passes on it
    • @dependabot cancel merge will cancel a previously requested merge and block automerging
    • @dependabot reopen will reopen this PR if it is closed
    • @dependabot close will close this PR and stop Dependabot recreating it. You can achieve the same result by closing it manually
    • @dependabot ignore this major version will close this PR and stop Dependabot creating any more for this major version (unless you reopen the PR or upgrade to it yourself)
    • @dependabot ignore this minor version will close this PR and stop Dependabot creating any more for this minor version (unless you reopen the PR or upgrade to it yourself)
    • @dependabot ignore this dependency will close this PR and stop Dependabot creating any more for this dependency (unless you reopen the PR or upgrade to it yourself)
    • @dependabot use these labels will set the current labels as the default for future PRs for this repo and language
    • @dependabot use these reviewers will set the current reviewers as the default for future PRs for this repo and language
    • @dependabot use these assignees will set the current assignees as the default for future PRs for this repo and language
    • @dependabot use this milestone will set the current milestone as the default for future PRs for this repo and language

    You can disable automated security fix PRs for this repo from the Security Alerts page.

    dependencies javascript 
    opened by dependabot[bot] 0
Releases(0.4.0)
  • 0.4.0(Apr 9, 2019)

    This release contains the following

    • Storage of matplots for an experiment
    • Viewing matplots for an experiment
    • Updated Readme on "how to deploy open source modelchimp for production"
    Source code(tar.gz)
    Source code(zip)
  • 0.3.1(Apr 1, 2019)

  • 0.3.0(Mar 25, 2019)

    Following are the major in changes in the 0.3.0 release

    • Asset Feature: Assets such as images, text and model files can be stored for an experiment along with meta information such metrics or parameters
    • Optimized docker configuration: Docoker compose files have been optimized for development, local use and production
    • Bug Fixes
    Source code(tar.gz)
    Source code(zip)
Convolutional neural network visualization techniques implemented in PyTorch.

This repository contains a number of convolutional neural network visualization techniques implemented in PyTorch.

1 Nov 06, 2021
Visualizer for neural network, deep learning, and machine learning models

Netron is a viewer for neural network, deep learning and machine learning models. Netron supports ONNX (.onnx, .pb, .pbtxt), Keras (.h5, .keras), Tens

Lutz Roeder 20.9k Dec 28, 2022
🎆 A visualization of the CapsNet layers to better understand how it works

CapsNet-Visualization For more information on capsule networks check out my Medium articles here and here. Setup Use pip to install the required pytho

Nick Bourdakos 387 Dec 06, 2022
Making decision trees competitive with neural networks on CIFAR10, CIFAR100, TinyImagenet200, Imagenet

Neural-Backed Decision Trees · Site · Paper · Blog · Video Alvin Wan, *Lisa Dunlap, *Daniel Ho, Jihan Yin, Scott Lee, Henry Jin, Suzanne Petryk, Sarah

Alvin Wan 556 Dec 20, 2022
A data-driven approach to quantify the value of classifiers in a machine learning ensemble.

Documentation | External Resources | Research Paper Shapley is a Python library for evaluating binary classifiers in a machine learning ensemble. The

Benedek Rozemberczki 187 Dec 27, 2022
Auralisation of learned features in CNN (for audio)

AuralisationCNN This repo is for an example of auralisastion of CNNs that is demonstrated on ISMIR 2015. Files auralise.py: includes all required func

Keunwoo Choi 39 Nov 19, 2022
A collection of infrastructure and tools for research in neural network interpretability.

Lucid Lucid is a collection of infrastructure and tools for research in neural network interpretability. We're not currently supporting tensorflow 2!

4.5k Jan 07, 2023
Many Class Activation Map methods implemented in Pytorch for CNNs and Vision Transformers. Including Grad-CAM, Grad-CAM++, Score-CAM, Ablation-CAM and XGrad-CAM

Class Activation Map methods implemented in Pytorch pip install grad-cam ⭐ Comprehensive collection of Pixel Attribution methods for Computer Vision.

Jacob Gildenblat 6.5k Jan 01, 2023
Tool for visualizing attention in the Transformer model (BERT, GPT-2, Albert, XLNet, RoBERTa, CTRL, etc.)

Tool for visualizing attention in the Transformer model (BERT, GPT-2, Albert, XLNet, RoBERTa, CTRL, etc.)

Jesse Vig 4.7k Jan 01, 2023
Visualize a molecule and its conformations in Jupyter notebooks/lab using py3dmol

Mol Viewer This is a simple package wrapping py3dmol for a single command visualization of a RDKit molecule and its conformations (embed as Conformer

Benoît BAILLIF 1 Feb 11, 2022
treeinterpreter - Interpreting scikit-learn's decision tree and random forest predictions.

TreeInterpreter Package for interpreting scikit-learn's decision tree and random forest predictions. Allows decomposing each prediction into bias and

Ando Saabas 720 Dec 22, 2022
python partial dependence plot toolbox

PDPbox python partial dependence plot toolbox Motivation This repository is inspired by ICEbox. The goal is to visualize the impact of certain feature

Li Jiangchun 722 Dec 30, 2022
Visual Computing Group (Ulm University) 99 Nov 30, 2022
Implementation of linear CorEx and temporal CorEx.

Correlation Explanation Methods Official implementation of linear correlation explanation (linear CorEx) and temporal correlation explanation (T-CorEx

Hrayr Harutyunyan 34 Nov 15, 2022
pytorch implementation of "Distilling a Neural Network Into a Soft Decision Tree"

Soft-Decision-Tree Soft-Decision-Tree is the pytorch implementation of Distilling a Neural Network Into a Soft Decision Tree, paper recently published

Kim Heecheol 262 Dec 04, 2022
Contrastive Explanation (Foil Trees), developed at TNO/Utrecht University

Contrastive Explanation (Foil Trees) Contrastive and counterfactual explanations for machine learning (ML) Marcel Robeer (2018-2020), TNO/Utrecht Univ

M.J. Robeer 41 Aug 29, 2022
Neural network visualization toolkit for tf.keras

Neural network visualization toolkit for tf.keras

Yasuhiro Kubota 262 Dec 19, 2022
FairML - is a python toolbox auditing the machine learning models for bias.

======== FairML: Auditing Black-Box Predictive Models FairML is a python toolbox auditing the machine learning models for bias. Description Predictive

Julius Adebayo 338 Nov 09, 2022
Code for "High-Precision Model-Agnostic Explanations" paper

Anchor This repository has code for the paper High-Precision Model-Agnostic Explanations. An anchor explanation is a rule that sufficiently “anchors”

Marco Tulio Correia Ribeiro 735 Jan 05, 2023
Interpretability and explainability of data and machine learning models

AI Explainability 360 (v0.2.1) The AI Explainability 360 toolkit is an open-source library that supports interpretability and explainability of datase

1.2k Dec 29, 2022