How to Find the Difference Between Two Lists

92 views

How to Find the Difference Between Two Lists

How to Find the Difference Between Two Lists

I have two lists and I need to find the elements that are in one list but not in the other. How can I do this?

solveurit24@gmail.com Changed status to publish February 16, 2025
0

You can use set operations to find the difference between two lists.

Code Example:

def list_difference(list1, list2):
    set1 = set(list1)
    set2 = set(list2)
    return list(set1 - set2)

a = [1, 2, 3, 4]
b = [3, 4, 5, 6]
print(list_difference(a, b))  # Output: [1, 2]

This function returns a list of elements present in the first list but not in the second.

solveurit24@gmail.com Changed status to publish February 16, 2025
0