Reputation: 395
I have two lists:
list1 = ["a", "b", "c", "d"]
list2 = [1, 2, 3]
I want to take 3 elements from list1
and 2 elements from list2
to combine like the following (a total of 12 combinations):
[a b c 1 2]
[a b c 1 3]
[a b c 2 3]
[a b d 1 2]
[a b d 1 3]
[a b d 2 3]
[a c d 1 2]
[a c d 1 3]
[a c d 2 3]
[b c d 1 2]
[b c d 1 3]
[b c d 2 3]
This is the code I have that isn't working:
import itertools
from itertools import combinations
def combi(arr, r):
return list(combinations(arr, r))
# Driver Function
if __name__ == "__main__":
a = ["a", "b", "c", "d"]
r = 3
a= combi(arr, r)
print (a)
b = [1, 2, 3]
s =2
b = combi(brr, s)
print (b)
crr = a + b
print (crr)
c = combi(crr, 2)
print (c)
for i in range(len(c)):
for j in range(len(c)):
print c[i][j]
print '\n'
Upvotes: 1
Views: 183
Reputation: 683
You can use nested loops.Here is the code without any library(works only if you're leaving one element from each list!)
list3=[]
for a in list1:
st=''
for t in list1:
if(t!=a):
st=st+t+' '
for b in list2:
st1=''
for m in list2:
if(m!=b):
st1=st1+m+' '
list3.append(st+st1.strip())
Upvotes: 0
Reputation: 88378
Here's an approach that might work for you:
>>> from itertools import combinations
>>> list1 = ["a", "b", "c", "d"]
>>> list2 = [1, 2, 3]
>>> [[*x, *y] for x in combinations(list1, 3) for y in combinations(list2, 2)]
[['a', 'b', 'c', 1, 2], ['a', 'b', 'c', 1, 3], ['a', 'b', 'c', 2, 3], ['a', 'b', 'd', 1, 2], ['a', 'b', 'd', 1, 3], ['a', 'b', 'd', 2, 3], ['a', 'c', 'd', 1, 2], ['a', 'c', 'd', 1, 3], ['a', 'c', 'd', 2, 3], ['b', 'c', 'd', 1, 2], ['b', 'c', 'd', 1, 3], ['b', 'c', 'd', 2, 3]]
Upvotes: 3
Reputation: 42678
Use a combination of itertools
functions combinations
, product
and chain
:
list1 = ["a", "b", "c", "d"]
list2 = [1, 2, 3]
import itertools
comb1 = itertools.combinations(list1, 3)
comb2 = itertools.combinations(list2, 2)
result = itertools.product(comb1, comb2)
result = [list(itertools.chain.from_iterable(x)) for x in result]
Result:
[['a', 'b', 'c', 1, 2],
['a', 'b', 'c', 1, 3],
['a', 'b', 'c', 2, 3],
['a', 'b', 'd', 1, 2],
['a', 'b', 'd', 1, 3],
['a', 'b', 'd', 2, 3],
['a', 'c', 'd', 1, 2],
['a', 'c', 'd', 1, 3],
['a', 'c', 'd', 2, 3],
['b', 'c', 'd', 1, 2],
['b', 'c', 'd', 1, 3],
['b', 'c', 'd', 2, 3]]
Here you have the live example
Upvotes: 3