How to split a list item by list item from another list using Python?

I would like to split the elements of a list inside two lists.

a = [[1, 0, 2], [0, 0, 0], [1], [1]]
b = [[5, 6, 4], [6, 6, 6], [3], [3]]

      

How can I split a by b to get this output:

c = [[0.2, 0, 0.5], [0, 0, 0], [0.333], [0.333]]

      

Can anyone help me?

+3


source to share


3 answers


Using itertools.izip

(Python2.7):



import itertools

[[float(aaa) / bbb for (aaa, bbb) in itertools.izip(aa, bb)] \
    for (aa, bb) in itertools.izip(a, b)]

      

+5


source


Block two lists and use a list comprehension:

from __future__ import division   # in python2 only
result = [[x/y for x,y in zip(xs, ys)] for xs, ys in zip(a, b)]

      




Run example:

In [1]: a = [[1, 0, 2], [0, 0, 0], [1], [1]]
   ...: b = [[5, 6, 4], [6, 6, 6], [3], [3]]
   ...: 

In [2]: result = [[x/y for x,y in zip(xs, ys)] for xs, ys in zip(a, b)]

In [3]: result
Out[3]: [[0.2, 0.0, 0.5], [0.0, 0.0, 0.0], [0.3333333333333333], [0.3333333333333333]]

      

+8


source


from __future__ import division # for Python2

[[x / y for x, y  in zip(*item)] for item in zip(a, b)]

      

+2


source







All Articles