I have a list of dictionaries that all have the same structure within the list. For example:
test_data = [{'id':1, 'value':'one'}, {'id':2, 'value':'two'}, {'id':3, 'value':'three'}]
I want to get each of the value
items from each dictionary in the list:
['one', 'two', 'three']
I can of course iterate through the list and extract each value using a for loop:
results = [] for item in test_data: results.append(item['value'])
however my data set is quite large. I'm wondering if there's a faster way to this.
Python dictionary get() Method Python dictionary method get() returns a value for the given key. If key is not available then returns default value None.
If you just need to iterate over the values once, use the generator expression:
generator = ( item['value'] for item in test_data ) ... for i in generator: do_something(i)
Another (esoteric) option might be to use map
with itemgetter
- it could be slightly faster than the generator expression, or not, depending on circumstances:
from operator import itemgetter generator = map(itemgetter('value'), test_data)
And if you absolutely need a list, a list comprehension is faster than iterated list.append
, thus:
results = [ item['value'] for item in test_data ]
You can do this:
result = map (lambda x:x['value'],test_data)
If you love us? You can donate to us via Paypal or buy me a coffee so we can maintain and grow! Thank you!
Donate Us With