溫馨提示×

Python中set怎樣實(shí)現(xiàn)集合運(yùn)算

小樊
82
2024-11-19 18:17:53
欄目: 編程語言

在Python中,可以使用set類型進(jìn)行集合運(yùn)算,包括并集、交集、差集和對稱差集。

  1. 并集:使用union()方法或|運(yùn)算符將兩個集合合并為一個集合,包含所有不同的元素。
set1 = {1, 2, 3}
set2 = {3, 4, 5}

# 使用union()方法
result = set1.union(set2)
print(result)  # 輸出:{1, 2, 3, 4, 5}

# 使用|運(yùn)算符
result = set1 | set2
print(result)  # 輸出:{1, 2, 3, 4, 5}
  1. 交集:使用intersection()方法或&運(yùn)算符找出兩個集合中相同的元素。
set1 = {1, 2, 3}
set2 = {3, 4, 5}

# 使用intersection()方法
result = set1.intersection(set2)
print(result)  # 輸出:{3}

# 使用&運(yùn)算符
result = set1 & set2
print(result)  # 輸出:{3}
  1. 差集:使用difference()方法或-運(yùn)算符找出一個集合中不屬于另一個集合的元素。
set1 = {1, 2, 3}
set2 = {3, 4, 5}

# 使用difference()方法
result = set1.difference(set2)
print(result)  # 輸出:{1, 2}

# 使用-運(yùn)算符
result = set1 - set2
print(result)  # 輸出:{1, 2}
  1. 對稱差集:使用symmetric_difference()方法或^運(yùn)算符找出兩個集合中不屬于它們交集的元素。
set1 = {1, 2, 3}
set2 = {3, 4, 5}

# 使用symmetric_difference()方法
result = set1.symmetric_difference(set2)
print(result)  # 輸出:{1, 2, 4, 5}

# 使用^運(yùn)算符
result = set1 ^ set2
print(result)  # 輸出:{1, 2, 4, 5}

0