When a Lambda runtime is approaching deprecation, Lambda alerts you through email and provides notifications in the AWS Health Dashboard and Trusted Advisor. These emails and notifications list the $LATEST versions of functions using the runtime. To list all of your function versions that use a particular runtime, you can use the AWS Command Line Interface (AWS CLI) or one of the AWS SDKs.
If you have a large number of functions which use a runtime that is due to be deprecated, you can also use the AWS CLI or AWS SDKs to help you prioritize updates to your most commonly invoked functions.
Refer to the following sections to learn how to use the AWS CLI and AWS SDKs to gather data about functions that use a particular runtime.
To use the AWS CLI to list all of your function versions that use a particular runtime, run the following command. ReplaceRUNTIME_IDENTIFIER
with the name of the runtime that’s being deprecated and choose your own AWS Region. To list only $LATEST function versions, omit--function-version ALL
from the command.
aws lambda list-functions --function-version ALL --regionus-east-1
--output text --query "Functions[?Runtime=='RUNTIME_IDENTIFIER
'].FunctionArn"
The example command lists functions in theus-east-1
region for a particular AWS account You’ll need to repeat this command for each region in which your account has functions and for each of your AWS accounts.
You can also list functions that use a particular runtime using one of the AWS SDKs. The following example code uses the V3 AWS SDK for JavaScript and the AWS SDK for Python (Boto3) to return a list of the function ARNs for functions using a particular runtime. The example code also returns the CloudWatch log group for each of the listed functions. You can use this log group to find the last invocation date for the function. See the following sectionIdentifying most commonly and most recently invoked functions for more information.
import{ LambdaClient, ListFunctionsCommand } from "@aws-sdk/client-lambda";const lambdaClient = new LambdaClient();const command = new ListFunctionsCommand({ FunctionVersion: "ALL", MaxItems: 50});const response = await lambdaClient.send(command);for (const f of response.Functions){ if (f.Runtime == '<your_runtime>
'){ // Use the runtime id, e.g. 'nodejs18.x' or 'python3.9' console.log(f.FunctionArn); // get the CloudWatch log group of the function to // use later for finding the last invocation date console.log(f.LoggingConfig.LogGroup); } }// If your account has more functions than the specified// MaxItems, use the returned pagination token in the // next request with the 'Marker' parameterif ('NextMarker' in response){ let paginationToken = response.NextMarker; }
import boto3from botocore.exceptions import ClientErrordef list_lambda_functions(target_runtime): lambda_client = boto3.client('lambda') response = lambda_client.list_functions( FunctionVersion='ALL', MaxItems=50 ) if not response['Functions']: print("No Lambda functions found") else: for function in response['Functions']: if function['PackageType']=='Zip' and function['Runtime'] == target_runtime: print(function['FunctionArn']) # Print the CloudWatch log group of the function # to use later for finding last invocation date print(function['LoggingConfig']['LogGroup']) if 'NextMarker' in response: pagination_token = response['NextMarker']if __name__ == "__main__": # Replace python3.12 with the appropriate runtime ID for your Lambda functions list_lambda_functions('python3.12
')
To learn more about using an AWS SDK to list your functions using theListFunctions action, see theSDK documentation for your preferred programming language.
You can also use the AWS Config Advanced queries feature to list all your functions that use an affected runtime. This query only returns function $LATEST versions, but you can aggregate queries to list function across all regions and multiple AWS accounts with a single command. To learn more, seeQuerying the Current Configuration State of AWS Auto Scaling Resources in theAWS Config Developer Guide.
If your AWS account contains functions that use a runtime that's due to be deprecated, you might want to prioritize updating functions that are frequently invoked or functions that have been invoked recently.
If you have only a few functions, you can use the CloudWatch Logs console to gather this information by looking at your functions' log streams. SeeView log data sent to CloudWatch Logs for more information.
To see the number of recent function invocations, you can also use the CloudWatch metrics information shown in the Lambda console. To view this information, do the following:
Open theFunctions page of the Lambda console.
Select the function you want to see invocation statistics for.
Choose theMonitor tab.
Set the time period you wish to view statistics for using the date range picker. Recent invocations are displayed in theInvocations pane.
For accounts with larger numbers of functions, it can be more efficient to gather this data programmatically using the AWS CLI or one of the AWS SDKs using theDescribeLogStreams andGetMetricStatistics API actions.
The following examples provide code snippets using the V3 AWS SDK for JavaScript and the AWS SDK for Python (Boto3) to identify the last invoke date for a particular function and to determine the number of invocations for a particular function in the last 14 days.
import{ CloudWatchLogsClient, DescribeLogStreamsCommand } from "@aws-sdk/client-cloudwatch-logs";const cloudWatchLogsClient = new CloudWatchLogsClient();const command = new DescribeLogStreamsCommand({ logGroupName: '<your_log_group_name>
', orderBy: 'LastEventTime', descending: true, limit: 1});try{ const response = await cloudWatchLogsClient.send(command); const lastEventTimestamp = response.logStreams.length > 0 ? response.logStreams[0].lastEventTimestamp : null; // Convert the UNIX timestamp to a human-readable format for display const date = new Date(lastEventTimestamp).toLocaleDateString(); const time = new Date(lastEventTimestamp).toLocaleTimeString(); console.log(`${date} ${time}`); } catch (e){ console.error('Log group not found.')}
import boto3from datetime import datetimecloudwatch_logs_client = boto3.client('logs')response = cloudwatch_logs_client.describe_log_streams( logGroupName='<your_log_group_name>
', orderBy='LastEventTime', descending=True, limit=1)try: if len(response['logStreams']) > 0: last_event_timestamp = response['logStreams'][0]['lastEventTimestamp'] print(datetime.fromtimestamp(last_event_timestamp/1000)) # Convert timestamp from ms to seconds else: last_event_timestamp = Noneexcept: print('Log group not found')
You can find your function's log group name using theListFunctions API operation. See the code inListing function versions that use a particular runtime for an example of how to do this.
import{ CloudWatchClient, GetMetricStatisticsCommand } from "@aws-sdk/client-cloudwatch";const cloudWatchClient = new CloudWatchClient();const command = new GetMetricStatisticsCommand({ Namespace: 'AWS/Lambda', MetricName: 'Invocations', StartTime: new Date(Date.now()-86400*1000*14), // 14 days ago EndTime: new Date(Date.now()), Period: 86400 * 14, // 14 days. Statistics: ['Sum'], Dimensions: [{ Name: 'FunctionName', Value: '<your_function_name>
' }]});const response = await cloudWatchClient.send(command);const invokesInLast14Days = response.Datapoints.length > 0 ? response.Datapoints[0].Sum : 0;console.log('Number of invocations: ' + invokesInLast14Days);
import boto3from datetime import datetime, timedeltacloudwatch_client = boto3.client('cloudwatch')response = cloudwatch_client.get_metric_statistics( Namespace='AWS/Lambda', MetricName='Invocations', Dimensions=[{ 'Name': 'FunctionName', 'Value': '<your_function_name>
' }, ], StartTime=datetime.now() - timedelta(days=14), EndTime=datetime.now(), Period=86400 * 14, # 14 days Statistics=[ 'Sum' ])if len(response['Datapoints']) > 0: invokes_in_last_14_days = int(response['Datapoints'][0]['Sum'])else: invokes_in_last_14_days = 0print(f'Number of invocations:{invokes_in_last_14_days}')