从 key/value 对中获取价值

get value out of the key/value pair

对于某些 python 专业人士来说,这可能真的是一个微不足道的问题,但我正在使用 boto3 获取一些快照信息....我执行以下操作并得到结果......我的问题是我如何获得 "VolumeId",我认为这是一个键值输出,我可以使用某些值 rs.value 来获得它,但我没有得到所需的输出...

>>> import boto3
>>> client = boto3.client('ec2')
>>> rs = client.describe_snapshots(SnapshotIds=['snap-656f5566'])
>>> print rs
{'ResponseMetadata': {'HTTPStatusCode': 200, 'RequestId': '6f99cc31-f586-48cf-b9bd-f5ca48a536fe'}, u'Snapshots': [{u'Description': 'Created by CreateImage(i-bbe81dc1) for ami-28ne0f44 from vol-72e14126', u'Encrypted': False, u'VolumeId': 'vol-41e14536', u'State': 'completed', u'VolumeSize': 30, u'Progress': '100%', u'StartTime': datetime.datetime(2012, 10, 7, 14, 33, 16, tzinfo=tzlocal()), u'SnapshotId': 'snap-658f5566', u'OwnerId': '0111233286342'}]}
>>>
>>>
>>> dir(rs)
['__class__', '__cmp__', '__contains__', '__delattr__', '__delitem__', '__doc__', '__eq__', '__format__', '__ge__', '__getattribute__', '__getitem__', '__gt__', '__hash__', '__init__', '__iter__', '__le__', '__len__', '__lt__', '__ne__', '__new__', '__reduce__', '__reduce_ex__', '__repr__', '__setattr__', '__setitem__', '__sizeof__', '__str__', '__subclasshook__', 'clear', 'copy', 'fromkeys', 'get', 'has_key', 'items', 'iteritems', 'iterkeys', 'itervalues', 'keys', 'pop', 'popitem', 'setdefault', 'update', 'values']
>>>
>>> print rs.keys
<built-in method keys of dict object at 0x1e76a60>
>>>
>>> print rs.values
<built-in method values of dict object at 0x1e76a60>
>>>

修复后出错

>>> print rs.keys()
['ResponseMetadata', u'Snapshots']
>>> print(rs['ResponseMetadata']['Snapshots'][0]['VolumeId'])
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
KeyError: 'Snapshots'
>>>

它们是函数,可以这样称呼它们:

print rs.keys()
print rs.values()

要获取准确的元数据:

print(rs['Snapshots'][0]['VolumeId'])

编辑:

正如@Anand S Kumar 指出的那样,如果有多个快照,您将不得不像他演示的那样在循环中迭代它们。

rs.values是函数,需要调用-

print rs.values()

rs.keys 相同,它也是一个函数,称之为 - rs.keys() .

但是如果你的情况只是获取 VolumeId ,你可以在首先获取快照列表然后迭代它并获取 volumeId 之后使用 subscript 直接访问它每个快照 -

snapshots = rs['Snapshots']
for snapshot in snapshots:
    print snapshot['VolumeId']

或者正如@CasualDemon 在他的回答中给出的那样,如果您只想要第一个快照的 VolumeId,您可以执行 -

print rs['Snapshots'][0]['VolumeId']

如果我没记错的话,你想得到的是与u'VolumeId'关联的值, 即 'vol-41e14536'(如果您有多个快照,则值更多)。

rs是一个字典,它的u'Snapshot'键关联了一个字典列表(实际上只有一个字典),而这些字典包含一个键u'VolumeId',它的关联值是你想要的。

{ ....                   u'Snapshot' : [                                 {...                        u'VolumeId': 'vol-41e14536' ...}  ] ... }
^Beginning of dictionary ^key          ^Value(list of dictionaries)      ^firstElement(a dictionary) ^The key you are looking for and its value

你能做的是

snapshots = rs[u'Snapshots']
volumeIds = []
for snapshotDict in snapshots :
    volumeIds.append(snapshotDict[u'VolumeId'])
print(volumeIds)

假设python3句法