📌  相关文章
📜  Python|从两个列表中生成对,使得元素成对不同

📅  最后修改于: 2022-05-13 01:54:41.561000             🧑  作者: Mango

Python|从两个列表中生成对,使得元素成对不同

给定两个列表,任务是从两个列表创建元素对(对可以重复),使得元素成对不同。

例子:

Input : list1 = [100, 20, 30, 400]
        list2 = [400, 2, 30]
Output:
[[100, 400], [100, 2], [100, 30],
 [20, 400], [20, 2], [20, 30],
 [30, 400], [30, 2], [400, 2], [400, 30]]

Input: list1 = [10,20,30,40]
       list2 = [60, 10, 20]
Output:
[[10, 60], [10, 20], [20, 60], [20, 10],
 [30, 60], [30, 10], [30, 20],
 [40, 60], [40, 10], [40, 20]]


方法 #1:使用列表推导

# Python code to create pair of element 
# from two list such that element 
# in pairs are not equal.
  
# List initialization
list1 =[10, 20, 30, 40]
list2 =[40, 50, 60]
  
# using list comprehension
output = [[a, b] for a in list1 
          for b in list2 if a != b]
  
# printing output
print(output)
输出:

方法 #2:使用 itertools 和迭代

# Python code to create pair of element 
# from two list such that element 
# in pairs are not equal.
  
# Importing
import itertools
  
# List initialization
list1 =[11, 22, 33, 44]
list2 =[22, 44, 66]
  
# using itertools
temp = list(itertools.product(list1, list1))
  
# output list initialization
out = []
  
# iteration
for elem in temp:
    if elem[0]!= elem[1]:
        out.append(elem)
  
# printing output
print(out)
输出: