AWS Lambda 使用 python boto3 列出 EC2 实例 ID

310*_*981 3 python amazon-web-services boto3 aws-lambda

我正在尝试使用 python boto3 列出 EC2 实例 id。我是Python新手。

下面的代码工作正常

import boto3
region = 'ap-south-1'
ec2 = boto3.client('ec2', region_name=region)

def lambda_handler(event, context):
    print('Into DescribeEc2Instance')
    instances = ec2.describe_instances(Filters=[{'Name': 'instance-type', 'Values': ["t2.micro", "t3.micro"]}])
    print(instances)
Run Code Online (Sandbox Code Playgroud)

输出是

START RequestId: bb4e9b27-db8e-49fe-85ef-e26ae53f1308 Version: $LATEST
Into DescribeEc2Instance
{'Reservations': [{'Groups': [], 'Instances': [{'AmiLaunchIndex': 0, 'ImageId': 'ami-052c08d70def62', 'InstanceId': 'i-0a22a6209740df', 'InstanceType': 't2.micro', 'KeyName': 'testserver', 'LaunchTime': datetime.datetime(2020, 11, 12, 8, 11, 43, tzinfo=tzlocal()), 'Monitoring': {'State': 'disabled'}
Run Code Online (Sandbox Code Playgroud)

现在,为了从上面的输出中删除实例 ID,我添加了下面的代码(最后 2 行),但由于某种原因它不起作用。

import boto3
region = 'ap-south-1'
instance = []
ec2 = boto3.client('ec2', region_name=region)

    def lambda_handler(event, context):
        print('Into DescribeEc2Instance')
        instances = ec2.describe_instances(Filters=[{'Name': 'instance-type', 'Values': ["t2.micro", "t3.micro"]}])
        print(instances)
        for ins_id in instances['Instances']:
                print(ins_id['InstanceId'])
Run Code Online (Sandbox Code Playgroud)

错误是

{
  "errorMessage": "'Instances'",
  "errorType": "KeyError",
  "stackTrace": [
    "  File \"/var/task/lambda_function.py\", line 10, in lambda_handler\n    for ins_id in instances['Instances']:\n"
  ]
}
Run Code Online (Sandbox Code Playgroud)

Msv*_*Msv 6

实际上,接受的答案instances['Reservations'][0]['Instances']可能并不包含所有实例。实例按安全组分组在一起。不同的安全组意味着会有许多列表元素。要获取该区域中的每个实例,您需要使用以下代码。

注意: ['Reservations'][0]['Instances']不会列出所有实例,它只提供按第一个安全组分组的实例。如果有很多组,您将无法获得所有实例。

import boto3
region = 'ap-south-1'

ec2 = boto3.client('ec2', region_name=region)

def lambda_handler(event, context):
    instance_ids = []
    response = ec2.describe_instances(Filters=[{'Name': 'instance-type', 'Values': ["t2.micro", "t3.micro"]}])
    instances_full_details = response['Reservations']
    for instance_detail in instances_full_details:
        group_instances = instance_detail['Instances']

        for instance in group_instances:
            instance_id = instance['InstanceId']
            instance_ids.append(instance_id)
    return instance_ids
Run Code Online (Sandbox Code Playgroud)