ajknzhol
ajknzhol

Reputation: 6450

Iterate over list of values dictionary

I have a dict like this

data = {
    'a': [95, 93, 90],
    'b': [643, 611, 610]
}

I want to iterate over the dict and fetch key and value from list of values for each item, something like this

{'a': 95, 'b': 643}
{'a': 93, 'b': 611}
{'a': 90, 'b': 610}

I have implemented the logic for this and it works fine, but when i see the temp_dict created in process, i see lots of intermediate unnecessary looping. The end result works just fine but i think it can be improved a lot.

import timeit

data = {
    'a': [95, 93, 90],
    'b': [643, 611, 610]
}


def calculate(**kwargs):
    temp_dict = {}
    index = 0
    len_values = list(kwargs.values())[0]

    while index < len(len_values):
        for k, v in kwargs.items():
            temp_dict[k] = v[index]
        index += 1
        yield temp_dict


start_time = timeit.default_timer()
for k in (calculate(**data)):
    print(k)
print(timeit.default_timer() - start_time)

How to do it more efficiently?

Upvotes: 3

Views: 447

Answers (5)

krethika
krethika

Reputation: 4476

A fun way to do it with a list comprehension.

>>> data = {
'a': [95, 93, 90],
'b': [643, 611, 610]
}
>>> [dict(zip(data, x)) for x in zip(*data.values())] 
[{'a': 95, 'b': 643}, {'a': 93, 'b': 611}, {'a': 90, 'b': 610}]

Or a more traditional (less fun) way

>>> result = []
>>> for tuple_ in zip(*data.values()):
...     d = {}
...     for key, val in zip(data, tuple_):
...         d[key] = val
...     result.append(d)
>>> print result
[{'a': 95, 'b': 643}, {'a': 93, 'b': 611}, {'a': 90, 'b': 610}]

And per comments, here is a way to do it without relying on 'non-guaranteed' behavior like the same ordering of data.keys() and data.values().

List Comprehension

>>> keys, values = zip(*data.items())
>>> [dict(zip(keys, tuple_)) for tuple_ in zip(*values)]
[{'a': 95, 'b': 643}, {'a': 93, 'b': 611}, {'a': 90, 'b': 610}]

And traditional for-loop

>>> result = []
>>> keys, values = zip(*data.items())
>>> for tuple_ in zip(*values):
...     d = {}
...     for key, val in zip(keys, tuple_):
...         d[key] = val
...     result.append(d)
>>> print result
[{'a': 95, 'b': 643}, {'a': 93, 'b': 611}, {'a': 90, 'b': 610}]

Upvotes: 4

Anand S Kumar
Anand S Kumar

Reputation: 90899

Try something like this -

>>> data = {
...     'a': [95, 93, 90],
...     'b': [643, 611, 610]
... }
>>> lst = list(data.items())
>>> lst1 = list(zip(*[i[1] for i in lst]))
>>> lst1
[(95, 643), (93, 611), (90, 610)]
>>> newlist = []
>>> for aval, bval in lst1:
...     newlist.append({lst[0][0]:aval , lst[1][0]:bval})
...
>>> newlist
[{'a': 95, 'b': 643}, {'a': 93, 'b': 611}, {'a': 90, 'b': 610}]

When passing a list using * as a parameter to a function, it will break the list into individual elements and pass it onto the function. Example - if we pass [[1,2],[3,4]] it would be passed as two different arguments - [1,2] and [3,4] - checkt this here (Section - * in Function calls)

Example to explain this -

>>> lst = [[1,2,3],[4,5,6],[7,8,9]]
>>> def func(a, b, c):
...     print(a)
...     print(b)
...     print(c)
...
>>> func(*lst)
[1, 2, 3]
[4, 5, 6]
[7, 8, 9]

zip - This function returns a list of tuples, where the i-th tuple contains the i-th element from each of the argument sequences or iterables.


A bit more scale-able model -

>>> lst = list(data.items())
>>> lst
[('a', [95, 93, 90]), ('b', [643, 611, 610])]
>>> lst1 = list(zip(*[i[1] for i in lst]))
>>> lst1
[(95, 643), (93, 611), (90, 610)]
>>> newlist = []
>>> for x in lst1:
...     d = {}
...     for i,y in enumerate(lst):
...             d[y[0]] = x[i]
...     newlist.append(d)
...
>>> newlist
[{'a': 95, 'b': 643}, {'a': 93, 'b': 611}, {'a': 90, 'b': 610}]

Upvotes: 13

Bas Swinckels
Bas Swinckels

Reputation: 18488

Something similar to this (but replace the print with a yield):

keys = []
values = []
for k, v in data.iteritems():
    keys.append(k)
    values.append(v)
for vals in zip(*values):
    print dict(zip(keys, vals))

The zip(*values) in the second for-loop more or less transposes the list of lists in values. Slightly more compact way of writing the same:

keys = list(data)
for vals in zip(*data.values()):
    print dict(zip(keys, vals))

In both cases, the result is:

{'a': 95, 'b': 643}
{'a': 93, 'b': 611}
{'a': 90, 'b': 610}

Upvotes: 1

Joe T. Boka
Joe T. Boka

Reputation: 6583

This is one way to do it:

data = {
    'a': [95, 93, 90],
    'b': [643, 611, 610]
}

x = data.values()
d1 = {'a':x[0][0], 'b':x[1][0]}
d2 = {'a':x[0][1], 'b':x[1][1]}
d3 = {'a':x[0][2], 'b':x[1][2]}

Output:

{'a': 95, 'b': 643}
{'a': 93, 'b': 611}
{'a': 90, 'b': 610}

Upvotes: 0

Dilum Ranatunga
Dilum Ranatunga

Reputation: 13374

If the number and actual literals used as keys are not known at coding time, here's an idea:

you can yield a series of dict-like objects. Each instance would expose the the i-th value from the value list. You can read about emulating python container types.

Upvotes: 1

Related Questions