Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Python: Combination in lists of lists (?)

First of all I wanted to say that my title is probably not describing my question correctly. I don't know how the process I am trying to accomplish is called, which made searching for a solution on stackoverflow or google very difficult. A hint regarding this could already help me a lot!

What I currently have are basically two lists with lists as elements. Example:

List1 = [ [a,b], [c,d,e], [f] ]
List2 = [ [g,h,i], [j], [k,l] ]

These lists are basically vertices of a graph I am trying to create later in my project, where the edges are supposed to be from List1 to List2 by rows.

If we look at the first row of each of the lists, I therefore have:

[a,b] -> [g,h,i]

However, I want to have assingments/edges of unique elements, so I need:

[a] -> [g]
[a] -> [h]
[a] -> [i]
[b] -> [g]
[b] -> [h]
[b] -> [i]

The result I want to have is another list, with these unique assigments as elements, i.e.

List3 = [ [a,g], [a,h], [a,i], [b,g], ...]

Is there any elegant way to get from List1 and List2 to List 3?

The way I wanted to accomplish that is by going row by row, determining the amount of elements of each row and then write clauses and loops to create a new list with all combinations possible. This, however, feels like a very inefficient way to do it.

like image 547
user4911943 Avatar asked May 18 '15 12:05

user4911943


People also ask

How do you get all the combinations of multiple lists in Python?

Generating all combinations taking one element from each list in Python can be done easily using itertools. product function.

How do you print all array combinations in Python?

Let the input array be {1, 2, 3, 4, 5} and r be 3. We first fix 1 at index 0 in data[], then recur for remaining indexes, then we fix 2 at index 0 and recur. Finally, we fix 3 and recur for remaining indexes. When number of elements in data[] becomes equal to r (size of a combination), we print data[].


2 Answers

You can zip your two lists, then use itertools.product to create each of your combinations. You can use itertools.chain.from_iterable to flatten the resulting list.

>>> import itertools
>>> List1 = [ ['a','b'], ['c','d','e'], ['f'] ]
>>> List2 = [ ['g','h','i'], ['j'], ['k','l'] ]
>>> list(itertools.chain.from_iterable(itertools.product(a,b) for a,b in zip(List1, List2)))
[('a', 'g'), ('a', 'h'), ('a', 'i'), ('b', 'g'), ('b', 'h'), ('b', 'i'), ('c', 'j'), ('d', 'j'), ('e', 'j'), ('f', 'k'), ('f', 'l')]
like image 68
Cory Kramer Avatar answered Oct 21 '22 21:10

Cory Kramer


If you don't want to use itertools, you can also use list comprehensions in combination with zip to do this fairly elegantly:

lst1 = [['a','b'], ['c','d','e'], ['f']]
lst2 = [['g','h','i'], ['j'], ['k','l']]
edges = [[x, y] for il1, il2 in zip(lst1, lst2) for x in il1 for y in il2]
like image 23
Shashank Avatar answered Oct 21 '22 22:10

Shashank