Как найти совпадения в двух списках python

A quick performance test showing Lutz’s solution is the best:

import time

def speed_test(func):
    def wrapper(*args, **kwargs):
        t1 = time.time()
        for x in xrange(5000):
            results = func(*args, **kwargs)
        t2 = time.time()
        print '%s took %0.3f ms' % (func.func_name, (t2-t1)*1000.0)
        return results
    return wrapper

@speed_test
def compare_bitwise(x, y):
    set_x = frozenset(x)
    set_y = frozenset(y)
    return set_x & set_y

@speed_test
def compare_listcomp(x, y):
    return [i for i, j in zip(x, y) if i == j]

@speed_test
def compare_intersect(x, y):
    return frozenset(x).intersection(y)

# Comparing short lists
a = [1, 2, 3, 4, 5]
b = [9, 8, 7, 6, 5]
compare_bitwise(a, b)
compare_listcomp(a, b)
compare_intersect(a, b)

# Comparing longer lists
import random
a = random.sample(xrange(100000), 10000)
b = random.sample(xrange(100000), 10000)
compare_bitwise(a, b)
compare_listcomp(a, b)
compare_intersect(a, b)

These are the results on my machine:

# Short list:
compare_bitwise took 10.145 ms
compare_listcomp took 11.157 ms
compare_intersect took 7.461 ms

# Long list:
compare_bitwise took 11203.709 ms
compare_listcomp took 17361.736 ms
compare_intersect took 6833.768 ms

Obviously, any artificial performance test should be taken with a grain of salt, but since the set().intersection() answer is at least as fast as the other solutions, and also the most readable, it should be the standard solution for this common problem.

Все таки Python динамичен и выразителен. Этого у него не отнять.

Там некоторые логические и арифметические операторы перегружены для множеств.

Вот Ваш однострочник:

result=list(set(Ans) & set(Word))

Это даст пересечение обоих списков:

['red', 'white']

Если нужен список уникальных элементов в объединении двух списков:

['red', 'white', 'green', 'blue']

result = list(set(Ans + Word))

Симметричная разность:

['green','blue']

result=list(set(Ans) ^ set(Word))

Обычная разность(Множество из Ans не входящее в Word):

['green','blue']

result=list(set(Ans) - set(Word))

Вариант, сохраняющий порядок с меньшим количеством конверсий типов:

sbuf = set(Word)
result = [x for x in Ans if x in sbuf)]

A while ago I wrote a guide on how to compare two dictionaries in Python 3, and how this task is not as simple as it might sound. It turns out comparing two lists in Python is just so tricky as comparing dicts.

The way we’ve been taught to compare two objects in Python is a bit misleading. Most books and tutorials teach object comparison by using either the == or the is operator. In reality, these two operators cover just a small fraction of the most frequent use cases.

For example:

  • what if we want to compare a list of floating-point numbers considering a certain tolerance?
  • what if we wish to contrast two lists but ignoring the order in which the elements appear?
  • maybe we need to compare two lists and return the elements that intersect both
  • sometimes we might want to get the difference between two lists
  • what if we have two lists of strings and need to compare them by ignoring the string cases?
  • what if we’re given a list of numpy arrays to compare each other, what can we do?
  • or maybe we have a list of custom objects, or a list of dictionaries.

The list goes on and on, and for all of these use cases using == doesn’t help.

That’s what we are going to see in this article. We’ll learn the best ways of comparing two lists in Python for several use cases where the == operator is not enough.

Ready? Let’s go!

Comparing if two lists are equal in python

Comparing if two lists are equal in python

The easiest way to compare two lists for equality is to use the == operator. This comparison method works well for simple cases, but as we’ll see later, it doesn’t work with advanced comparisons.

An example of a simple case would be a list of int or str objects.

>>> numbers = [1, 2, 3]
>>> target = [1, 2, 3]
>>> numbers == target
True
>>> [1, 2, 3] == [1, 3, 2]
False
>>> ['name', 'lastname'] == ['name', 'lastname']
True
>>> ['name', 'lastname'] == ['name', 'last name']   
False

Pretty simple, right? Unfortunately, the world is complex, and so is production grade code. In the real world, things get complicated really fast. As an illustration, consider the following cases.

Suppose you have a list of floating points that is built dynamically. You can add single elements, or elements derived from a mathematical operation such as 0.1 + 0.1.

>>> numbers = []
>>> numbers.append(0.1 + 0.1 + 0.1)  # derive the element based on a summation
>>> numbers.append(0.2) # add a single element
>>> target = [0.3, 0.2]
>>> numbers == target  # compares the lists
False
>>> numbers  # Ooopppssss....
[0.30000000000000004, 0.2]
>>> target
[0.3, 0.2]

Clearly, floating point arithmetic has its limitations, and sometimes we want to compare two lists but ignore precision errors, or even define some tolerance. For cases like this, the == operator won’t suffice.

Things can get more complicated if the lists have custom objects or objects from other libraries, such as numpy.

In [1]: import numpy as np

In [2]: numbers = [np.ones(3), np.zeros(2)]

In [3]: numbers
Out[3]: [array([1., 1., 1.]), array([0., 0.])]

In [4]: target = [np.ones(3), np.zeros(2)]

In [5]: numbers == target
---------------------------------------------------------------------------
ValueError                                Traceback (most recent call last)
<ipython-input-5-b832db4b039d> in <module>
----> 1 numbers == target

ValueError: The truth value of an array with more than one element is ambiguous. Use a.any() or a.all()

You might also like to compare the lists and return the matches. Or maybe compare the two lists and return the differences. Or perhaps you want to compare two lists ignoring the duplicates, or compare a list of dictionaries in Python.

In every single case, using == is not the answer, and that’s what we are going to see next: how to perform complex comparison operations between two lists in Python.

Comparing two lists of float numbers

In the previous section, we saw that floating point arithmetic can cause precision errors. If we have a list of floats and want to compare it with another list, chances are that the == operator won’t help.

Let’s revisit the example from the previous section and see what is the best way of comparing two lists of floats.

>>> numbers = []
>>> numbers.append(0.1 + 0.1 + 0.1)  # derive the element based on a summation
>>> numbers.append(0.2) # add a single element
>>> target = [0.3, 0.2]
>>> numbers == target  # compares the lists
False
>>> numbers  # Ooopppssss....
[0.30000000000000004, 0.2]
>>> target
[0.3, 0.2]

As you see, 0.1 + 0.1 + 0.1 = 0.30000000000000004, which causes the comparison to fail. Now, how can we do better? Is it even possible?

There are a few ways of doing approaching this task. One would be to create our own custom function, that iterates over the elements and compare it one by one using the math.isclose() function.

Fortunately we don’t have to reinvent the wheel. As I showed in the “how to compare two dicts” article, we can use a library called deepdiff for that. This library supports different types of objects and lists are one of them.

The example below starts off by setting up the two lists we want to compare. We then pass it to the deepdiff.DeepDiff constructor which returns the difference. That’s great, the returned value is much more informative than a simple boolean.

Since we want to ignore the precision error, we can set the number of digits AFTER the decimal point to be used in the comparison.

The result is an empty dict, which means the lists are equal. If we try comparing a list with a float number that differs in more than 3 significant digits, the library will return that diff.

For reproducibility, in this article I used the latest version of deepdiff which is 5.6.0.

In [1]: from deepdiff import DeepDiff

In [2]: numbers = []

In [3]: numbers.append(0.1 + 0.1 + 0.1)  # derive the element based on a summation

In [4]: numbers.append(0.2) # add a single element

In [5]: target = [0.3, 0.2]

# if we don't specify the number of significant digits, the comparison will use ==
In [6]: DeepDiff(numbers, target)
Out[6]: 
{'values_changed': {'root[0]': {'new_value': 0.3,
   'old_value': 0.30000000000000004}}}

# 0.30000000000000004 and 0.3 are equal if we only look at the first 3 significant digits
In [7]: DeepDiff(numbers, target, significant_digits=3)
Out[7]: {}

In [8]: numbers
Out[8]: [0.30000000000000004, 0.2]

In [9]: target = [0.341, 0.2]

# 0.341 differs in more than 3 significant digits
In [10]: DeepDiff(numbers, target, significant_digits=3)
Out[10]: 
{'values_changed': {'root[0]': {'new_value': 0.341,
   'old_value': 0.30000000000000004}}}

Comparing if two lists without order (unordered lists) are equal

Lists in Python are unordered by default. Sometimes we want to compare two lists but treat them as the same as long as they have the same elements—regardless of their order.

There are two ways of doing this:

  • sorting the lists and using the == operator
  • converting them to sets and using the == operator
  • using deepdiff

These first two methods assume the elements can be safely compared using the == operator. This approach doesn’t work for floating-point numbers, and other complex objects, but as we saw in the previous section, we can use deepdiff.

Sorting the lists and using the == operator

comparing two lists in python using the sorted function

You can sort lists in Python in two different ways:

  • using the list.sort() method
  • using the sorted() function

The first method sorts a list in place, and that means your list will be modified. It’s a good idea to not modify a list in place as it can introduce bugs that are hard to detect.

Using sorted is better since it returns a new list and keep the original unmodified.

Let’s see how it works.

In [6]: numbers = [10, 30, 20]

In [7]: target = [10, 20, 30]

In [8]: numbers == target
Out[8]: False

In [9]: sorted(numbers) == sorted(target)
Out[9]: True

In [10]: sorted(numbers)
Out[10]: [10, 20, 30]

In [11]: sorted(target)
Out[11]: [10, 20, 30]

As a consequence, by sorting the lists first we ensure that both lists will have the same order, and thus can be compared using the == operator.

Converting the lists to a set

comparing two lists in python using a set

Contrary to lists, sets in Python don’t care about order. For example, a set {1, 2, 3} is the same as {2, 3, 1}. As such, we can use this feature to compare the two lists ignoring the elements’ order.

To do so, we convert each list into a set, then using the == to compare them.

In [12]: numbers = [10, 30, 20]

In [13]: target = [10, 20, 30]

In [14]: set(numbers) == set(target)
Out[14]: True

In [15]: set(numbers)
Out[15]: {10, 20, 30}

In [16]: set(target)
Out[16]: {10, 20, 30}

Using the deepdiff library

This library also allows us to ignore the order in sequences such as lists. By default, it will take the order in consideration, but if we set ignore_order to True, then we’re all good. Let’s see this in action.

In [11]: numbers = [10, 30, 20]

In [12]: target = [10, 20, 30]

In [13]: DeepDiff(numbers, target)
Out[13]: 
{'values_changed': {'root[1]': {'new_value': 20, 'old_value': 30},
  'root[2]': {'new_value': 30, 'old_value': 20}}}

In [14]: DeepDiff(numbers, target, ignore_order=True)
Out[14]: {}

Using deepdiff has pros and cons. In the end, it is an external library you need to install, so if you can use a set to compare the lists, then stick to it. However, if you have other use cases where it can shine, then I’d go with it.

How to compare two lists and return matches

getting the intersection of two lists in python

In this section, we’ll see how we can compare two lists and find their intersection. In other words, we want to find the values that appear in both.

To do that, we can once more use a set and take their intersection.

In [1]: t1 = [2, 1, 0, 7, 4, 9, 3]

In [2]: t2 = [7, 6, 11, 12, 9, 23, 2]

In [3]: set(t1).intersection(set(t2))
Out[3]: {2, 7, 9}

# the & operator is a shorthand for the set.intersection() method 
In [4]: set(t1) & set(t2)
Out[4]: {2, 7, 9}

How to compare two lists in python and return differences

We can the find difference between two lists in python in two different ways:

  • using set
  • using thedeepdiff library

Using set

getting the difference between two lists in python using set

Just like we did to determine the intersection, we can leverage the set data structure to check difference between two lists in python.

If we want to get all the elements that are present in the first list but not in the second, we can use the set.difference().

On the other hand, if we want to find all the elements that are in either of the lists but not both, then we can use set.symmetric_difference().

In [8]: t1 = [2, 1, 0, 7, 4, 9, 3]

In [9]: t2 = [7, 6, 11, 12, 9, 23, 2]

In [10]: set(t1).difference(set(t2))
Out[10]: {0, 1, 3, 4}

In [11]: set(t2).difference(set(t1))
Out[11]: {6, 11, 12, 23}

In [12]: set(t1).symmetric_difference(set(t2))
Out[12]: {0, 1, 3, 4, 6, 11, 12, 23}

In [13]: set(t1) - set(t2)
Out[13]: {0, 1, 3, 4}

In [14]: set(t1) ^ set(t2)
Out[14]: {0, 1, 3, 4, 6, 11, 12, 23}

This method has a limitation: it groups what is different between the lists into one final result which is the set difference. What if we want to know which elements in that diff belong to what list?

Using deepdiff

As we’ve seen so far, this library is powerful and it returns a nice diff. Let’s see what happens when we use deepdiff to get the difference between two lists in Python.

In [15]: t1 = [2, 1, 0, 7, 4, 9, 3]

In [16]: t2 = [7, 6, 11, 12, 9, 23, 2]

In [17]: DeepDiff(t1, t2)
Out[17]: 
{'values_changed': {'root[0]': {'new_value': 7, 'old_value': 2},
  'root[1]': {'new_value': 6, 'old_value': 1},
  'root[2]': {'new_value': 11, 'old_value': 0},
  'root[3]': {'new_value': 12, 'old_value': 7},
  'root[4]': {'new_value': 9, 'old_value': 4},
  'root[5]': {'new_value': 23, 'old_value': 9},
  'root[6]': {'new_value': 2, 'old_value': 3}}}

In [18]: DeepDiff(t1, t2, ignore_order=True)
Out[18]: 
{'values_changed': {'root[4]': {'new_value': 6, 'old_value': 4},
  'root[6]': {'new_value': 11, 'old_value': 3},
  'root[1]': {'new_value': 12, 'old_value': 1}},
 'iterable_item_added': {'root[5]': 23},
 'iterable_item_removed': {'root[2]': 0}}

Accordingly, deepdiff returns what changed from one list to the other. The right approach then will depend on your use case. If you want a detailed diff, then use DeepDiff. Otherwise, just use a set.

How to compare two lists of strings

Comparing two lists of string in Python depends largely on what type of comparison you want to make. That’s because we can compare a string in a handful of ways.

In this section, we’ll see 3 different ways of doing that.

The simplest one is using a == operator, like we saw in the beginning. This method is suitable if you want a strict comparison between each string.

In [1]: names = ['jack', 'josh', 'james']

In [2]: target = ['jack', 'josh', 'james']

In [3]: names == target
Out[3]: True

Things start to get messy if you want to compare the list of strings but ignoring the case. Using the == for that just doesn’t work.

In [4]: names = ['Jack', 'Josh', 'James']

In [2]: target = ['jack', 'josh', 'james']

In [5]: names == target
Out[5]: False

The best tool for that is again deepdiff. It allows us to ignore the string by passing a boolean flag to it.

In [1]: import deepdiff

In [2]: names = ['Jack', 'Josh', 'James']

In [3]: target = ['jack', 'josh', 'james']

# ignoring string case
In [4]: deepdiff.DeepDiff(names, target, ignore_string_case=True)
Out[4]: {}

# considering the case
In [5]: deepdiff.DeepDiff(names, target)
Out[5]: 
{'values_changed': {'root[0]': {'new_value': 'jack', 'old_value': 'Jack'},
  'root[1]': {'new_value': 'josh', 'old_value': 'Josh'},
  'root[2]': {'new_value': 'james', 'old_value': 'James'}}}

We can also ignore the order in which the strings appear in the lists.

In [6]: names = ['Jack', 'James', 'Josh']

In [7]: target = ['jack', 'josh', 'james']

# ignoring the order and string case
In [8]: deepdiff.DeepDiff(names, target, ignore_string_case=True, ignore_order=T
   ...: rue)
Out[8]: {}

# considering the order but ignoring the case
In [9]: deepdiff.DeepDiff(names, target, ignore_string_case=True)
Out[9]: 
{'values_changed': {'root[1]': {'new_value': 'josh', 'old_value': 'james'},
  'root[2]': {'new_value': 'james', 'old_value': 'josh'}}}

You can also go further and perform advanced comparisons by passing a custom operator to DeepDiff.

For example, suppose you want to compare the strings but ignoring any whitespace they may have.

Or perhaps you want to perform a fuzzy matching using an edit distance metric.

To do that, we can write the comparison logic in the operator class and pass it to DeepDiff.

In this first example, we’ll ignore any whitespace by trimming the strings before comparing them.

class IgnoreWhitespaceOperator:

    def match(self, level) -> bool:
        return True

    def give_up_diffing(self, level, diff_instance) -> bool:
        if isinstance(level.t1, str) and isinstance(level.t2, str):
            return level.t1.strip() == level.t2.strip()
        return False

Then we can just plug into DeepDiff by adding it to the list of custom_operators, like so custom_operators=[IgnoreWhitespaceOperator()].

In [6]: from deepdiff import DeepDiff

In [13]: names = ['Jack', 'James ', '  Josh ']

In [14]: target = ['Jack', 'James', 'Josh',]

# the operator will ignore the spaces in both lists
In [15]: DeepDiff(names, target, custom_operators=[IgnoreWhitespaceOperator()])
Out[15]: {}

In [16]: target = ['Jack', 'James', 'Josh', 'Jelly']

# if one of the list has an additional member, this will be flagged
In [17]: DeepDiff(names, target, custom_operators=[IgnoreWhitespaceOperator()])
Out[17]: {'iterable_item_added': {'root[3]': 'Jelly'}}

In [18]: target = ['Jack', 'Josh', 'James']

# by default, the library doesn't ignore order
In [19]: DeepDiff(names, target, custom_operators=[IgnoreWhitespaceOperator()])
Out[19]: 
{'values_changed': {'root[1]': {'new_value': 'Josh', 'old_value': 'James '},
  'root[2]': {'new_value': 'James', 'old_value': '  Josh '}}}

# if you don't care about order, be explicit
In [20]: DeepDiff(names, target, ignore_order=True, custom_operators=[IgnoreWhitespaceOperator()])
Out[20]: {}

How to compare two lists of dictionaries

Comparing two lists of dictionaries in Python is definitely intricate without the help of an external library. As we’ve seen so far, deepdiff is versatile enough and we can use it to compare deep complex objects such as lists of dictionaries.

Let’s see what happens when we pass two lists of dictionaries.

In [1]: from deepdiff import DeepDiff

In [2]: first_list = [
   ...:     {
   ...:         'number': 1,
   ...:         'list': ['one', 'two']
   ...:     },
   ...:     {
   ...:         'number': 2,
   ...:         'list': ['one', 'two']
   ...:     },
   ...: ]

In [3]: target_list = [
   ...:     {
   ...:         'number': 3,
   ...:         'list': ['one', 'two']
   ...:     },
   ...:     {
   ...:         'number': 2,
   ...:         'list': ['one', 'two']
   ...:     },
   ...: ]

In [4]: DeepDiff(first_list, target_list)
Out[4]: {'values_changed': {"root[0]['number']": {'new_value': 3, 'old_value': 1}}}

It outputs the exact location where the elements differ and what the difference is!

Let’s see another example where a list has a missing element.

In [2]: first_list = [
   ...:     {
   ...:         'number': 1,
   ...:         'list': ['one', 'two']
   ...:     },
   ...:     {
   ...:         'number': 2,
   ...:         'list': ['one', 'two']
   ...:     },
   ...: ]

In [5]: target = [
   ...:     {
   ...:         'number': 3,
   ...:         'list': ['one', 'two']
   ...:     },
   ...: ]

In [6]: 

In [6]: DeepDiff(first_list, target)
Out[6]: 
{'values_changed': {"root[0]['number']": {'new_value': 3, 'old_value': 1}},
 'iterable_item_removed': {'root[1]': {'number': 2, 'list': ['one', 'two']}}}

It says the the second dictionary has been removed, which is the case for this example.

How to compare two list of lists

Comparing multidimensional lists—a.k.a list of lists—is easy for deepdiff. It works just like a list of dicts.

In the example below, we have two multidimensional lists that we want to compare. When passed to DeepDiff, it returns the exact location in which the elements differ.

For example, for the position [1][0], the new value is 8, and the old is 3. Another interesting aspect is that it works for deeply nested structures, for instance, deepdiff also highlights the difference in the [2][0][0] position.

In [1]: from deepdiff import DeepDiff

In [2]: first_list = [[1, 2], [3, 4], [[5]]]

In [3]: target_list = [[1, 2], [8, 4], [[7]]]

In [4]: DeepDiff(first_list, target_list)
Out[4]: 
{'values_changed': {'root[1][0]': {'new_value': 8, 'old_value': 3},
  'root[2][0][0]': {'new_value': 7, 'old_value': 5}}}

When feeding the library with two identical multidimensional lists, it returns an empty response.

In [3]: target_list = [[1, 2], [8, 4], [[7]]]

In [5]: second_list = [[1, 2], [8, 4], [[7]]]

In [7]: DeepDiff(second_list, target_list)
Out[7]: {}

How to compare two lists of objects

Sometimes we have a list of custom objects that we want to compare. Maybe we want to get a diff, or just check if they contain the same elements. The solution for this problem couldn’t be different: use deepdiff.

The following example demonstrates the power of this library. We’re going to compare two lists containing a custom objects, and we’ll be able to assert if they are equal or not and what are the differences.

In the example below, we have two lists of Person objects. The only difference between the two is that in the last position Person object has a different age. deepdiff not only finds the right position – [1] – but also finds that age field is different as well.

In [9]: from deepdiff import DeepDiff

In [10]: first = [Person('Jack', 34), Person('Janine', 23)]

In [11]: target = [Person('Jack', 34), Person('Janine', 24)]

In [12]: DeepDiff(first, target)
Out[12]: {'values_changed': {'root[1].age': {'new_value': 24, 'old_value': 23}}}

In [14]: second = [Person('Jack', 34), Person('Janine', 24)]

In [15]: DeepDiff(second, target)
Out[15]: {}

How to compare two lists of numpy arrays

In this section, we’ll see how to compare two lists of numpy arrays. This is a fairly common task for those who work with data science and/or machine learning.

We saw in the first section that using the == operator doesn’t work well with lists of numpyarrays. Luckily we can use… guess what!? Yes, we can use deepdiff.

The example below shows two lists with different numpy arrays and the library can detect the exact position in which they differ. How cool is that?

In [16]: import numpy as np

In [17]: from deepdiff import DeepDiff

In [18]: first = [np.ones(3), np.array([1, 2, 3])]

In [19]: target = [np.zeros(4), np.array([1, 2, 3, 4])]

In [20]: DeepDiff(first, target)
Out[20]: 
{'values_changed': {'root[0][0]': {'new_value': 0.0, 'old_value': 1.0},
  'root[0][1]': {'new_value': 0.0, 'old_value': 1.0},
  'root[0][2]': {'new_value': 0.0, 'old_value': 1.0}},
 'iterable_item_added': {'root[0][3]': 0.0, 'root[1][3]': 4}}

Conclusion

In this post, we saw many ways to compare two lists in Python. The best method depends on what kind of elements we have and how we want to compare. Hopefully, you now know how to:

  • check if two lists are equal in python
  • compare two lists without order (unordered lists)
  • compare two lists in python and return matches
  • compare two lists in python and return differences
  • compare two lists of strings
  • compare two lists of dictionaries
  • compare two list of lists
  • compare two lists of objects
  • compare two lists of numpy arrays

Other posts you may like:

  • The Best Way to Compare Two Dictionaries in Python

  • How to Compare Two Strings in Python (in 8 Easy Ways)

  • 7 Different Ways to Flatten a List of Lists in Python

See you next time!

This post was originally published at https://miguendes.me

Пересечение списков, совпадающие элементы двух списков

Решение задачи на языке программирования Python

В данной задаче речь идет о поиске элементов, которые присутствуют в обоих списках. При этом пересечение списков и поиск совпадающих (перекрывающихся) элементов двух списков будем считать несколько разными задачами.

Если даны два списка, в каждом из которых каждый элемент уникален, то задача решается просто, так как в результирующем списке не может быть повторяющихся значений. Например, даны списки:

[5, 4, 2, 'r', 'ee'] и [4, 'ww', 'ee', 3]

Областью их пересечения будет список [4, 'ee'].

Если же исходные списки выглядят так:

[5, 4, 2, 'r', 4, 'ee', 4] и [4, 'we', 'ee', 3, 4],

то списком их совпадающих элементов будет [4, 'ee', 4], в котором есть повторения значений, потому что в каждом из исходных списков определенное значение встречается не единожды.

Начнем с простого – поиска области пересечения. Cначала решим задачу “классическим” алгоритмом, не используя продвинутые возможностями языка Python: будем брать каждый элементы первого списка и последовательно сравнивать его со всеми значениями второго.

a = [5, [1, 2], 2, 'r', 4, 'ee']
b = [4, 'we', 'ee', 3, [1, 2]]
 
c = []
 
for i in a:
    for j in b:
        if i == j:
            c.append(i)
            break
 
print(c)

Результат выполнения программы:

Берется каждый элемент первого списка (внешний цикл for) и последовательно сравнивается с каждым элементом второго списка (вложенный цикл for). В случае совпадения значений элемент добавляется в третий список c. Команда break служит для выхода из внутреннего цикла, так как в случае совпадения дальнейший поиск при данном значении i бессмыслен.

Алгоритм можно упростить, заменив вложенный цикл на проверку вхождения элемента из списка a в список b с помощью оператора in:

a = [5, [1, 2], 2, 'r', 4, 'ee']
b = [4, 'we', 'ee', 3, [1, 2]]
 
c = []
 
for i in a:
    if i in b:
        c.append(i)
 
print(c)

Здесь выражение i in b при if по смыслу не такое как выражение i in a при for. В случае цикла оно означет извлечение очередного элемента из списка a для работы с ним в новой итерации цикла. Тогда как в случае if мы имеем дело с логическим выражением, в котором утверждается, что элемент i есть в списке b. Если это так, и логическое выражение возвращает истину, то выполняется вложенная в if инструкция, то есть элемент i добавляется в список c.

Принципиально другой способ решения задачи – это использование множеств. Подходит только для списков, которые не содержат вложенных списков и других изменяемых объектов, так как встроенная в Python функция set() в таких случаях выдает ошибку.

a = [5, 2, 'r', 4, 'ee']
b = [4, 1, 'we', 'ee', 'r']
 
c = list(set(a) & set(b))
 
print(c)

Результат:

Выражение list(set(a) & set(b)) выполняется следующим образом.

  1. Сначала из списка a получают множество с помощью команды set(a).
  2. Аналогично получают множество из b.
  3. С помощью операции пересечения множеств, которая обозначается знаком амперсанда &, получают третье множество, которое представляет собой область пересечения двух исходных множеств.
  4. Полученное таким образом третье множество преобразуют обратно в список с помощью встроенной в Python функции list().

Множества не могут содержать одинаковых элементов. Поэтому, если в исходных списках были повторяющиеся значения, то уже на этапе преобразования этих списков во множества повторения удаляются, а результат пересечения множеств не будет отличаться от того, как если бы в исходных списках повторений не было.

Однако если мы вернемся к решению задачи без использования множеств и добавим в первый список повтор значения, то получим некорректный результат:

В список пересечения попадают оба равных друг другу значения из первого списка. Это происходит потому, что когда цикл извлекает, в данном случае, вторую 4-ку из первого списка, выражение i in b также возвращает истину, как и при проверке первой 4-ки. Следовательно, выражение c.append(i) выполняется и для второй четверки.

Чтобы решить эту проблему, добавим дополнительное условие в заголовок инструкии if. Очередной значение i из списка a должно не только присутствовать в b, но его еще не должно быть в c. То есть это должно быть первое добавление такого значения в c:

a = [5,  2, 'r', 4, 'ee', 4]
b = [4, 'we', 'ee', 3]
 
c = []
 
for i in a:
    if i in b and i not in c:
        c.append(i)
 
print(c)

Результат:

Теперь усложним задачу. Пусть если в обоих списках есть по несколько одинаковых значений, они должны попадать в список совпадающих элементов в том количестве, в котором встречаются в списке, где их меньше. Или если в исходных списках их равное количетво, то такое же количество должно быть в третьем. Например, если в первом списке у нас три 4-ки, а во втором две, то в третьем списке должно быть две 4-ки. Если в обоих исходных по две 4-ки, то в третьем также будет две.

Алгоритмом решения такой задачи может быть следующий:

  1. В цикле будем перебирать элементы первого списка.
  2. Если на текущей итерации цикла взятого из первого списка значения нет в третьем списке, то только в этом случае следует выполнять все нижеследующие действия. В ином случае такое значение уже обрабатывалось ранее, и его повторная обработка приведет к добавлению лишних элементов в результирующий список.
  3. С помощью спискового метода count() посчитаем количество таких значений в первом и втором списке. Выберем минимальное из них.
  4. Добавим в третий список количество элементов с текущим значением, равное ранее определенному минимуму.
a = [5, 2, 4, 'r', 4, 'ee', 1, 1,  4]
b = [4, 1, 'we', 'ee', 'r', 4, 1, 1]
 
c = []
 
for item in a:
    if item not in c:
        a_item = a.count(item)
        b_item = b.count(item)
        min_count = min(a_item, b_item)
        # c += [item] * min_count
        for i in range(min_count):
            c.append(item)
 
print(c)

Результат:

Если значение встречается в одном списке, но не в другом, то метод count() другого вернет 0. Соответственно, функция min() вернет 0, а цикл с условием i in range(0) не выполнится ни разу. Поэтому, если значение встречается в одном списке, но его нет в другом, оно не добавляется в третий.

При добавлении значений в третий список вместо цикла for можно использовать объединение списков с помощью операции + и операцию повторения элементов с помощью *. В коде выше данный способ показан в комментарии.

Больше задач в PDF

В Python список — это тип данных, в котором несколько элементов хранятся как один тип данных. Компоненты списка могут быть изменены, не уникальны и упорядочены. Мы можем использовать эти характеристики списка для выполнения различных действий со списком.

Если список отсортирован, сравнение совпадающих элементов двух списков позволит нам быстро определить, содержат ли они одинаковые элементы в обоих списках.

Однако что происходит, когда мы должны определить, имеют ли два списка одни и те же компоненты, независимо от порядка их появления? Например, записи в списках [1,2,3] и [2,3,1] идентичны, но устроены по-разному. Эти два списка нельзя сравнивать напрямую, поскольку они не отсортированы. Что же нам делать?

В этом посте мы обсудим несколько подходов к этой проблеме, а также преимущества и недостатки каждого метода.

Метод 1: сортировка и сравнение

Эта стратегия довольно проста. Мы запускаем два списка через функцию, которая использует метод sorted() для первой сортировки списков. Функция sorted() возвращает два новых списка, отсортированных в порядке возрастания из исходных списков.

Мы можем использовать оператор равенства (‘==’) для сравнения двух отсортированных списков. Мы можем сделать вывод, что исходные списки содержат одни и те же элементы, но в разных местах, если отсортированные списки содержат одни и те же элементы в одних и тех же индексах.

Чтобы узнать об операторах в Python, ознакомьтесь с этой статьей.

Реализация кода

def check_lists(list1, list2):


    list1_sorted = sorted(list1)
    list2_sorted = sorted(list2)

   
    if list1_sorted == list2_sorted:
        return True
    else:
        return False


list1 = [1, 2, 3, 4, 5]
list2 = [4, 2, 5, 1, 3]

if check_lists(list1, list2):
  print("The lists have the same elements")
else:
  print("The lists do not have the same elements")

ВЫХОД:

The lists have the same elements

Способ сортировки 1

Реализация первого способа.

В приведенном выше коде метод ‘def_check()’ сравнивает два списка, list1 и list2. В качестве параметров функции предоставляются два списка. Мы получаем «list1_sorted» и «list2_sorted», которые являются отсортированными копиями «list1» и «list2» соответственно, после вызова функции «sorted()» для этих двух списков.

Затем с помощью оператора «==» мы сравниваем «list1_sorted» с «list2_sorted» поэлементно. Функция возвращает значение «Истина», если элементы «list1_sorted» соответствуют своим эквивалентным элементам в «list2_sorted». Если это не так, он все равно возвращает «False».

Еще один недостаток использования этого метода заключается в том, что он успешно реализуется только в том случае, если размер обоих списков равен. Например, есть два списка [1,2,3] и [1,1,2,3]. Оба списка содержат одни и те же элементы, но поскольку второй список больше из-за повторяющихся элементов, оператор ‘==’ не будет считать два списка равными. Что мы делаем в таком случае?

Способ 2: использование наборов

Описанную выше проблему легко решить с помощью наборов. Простыми словами, набор — это неупорядоченный набор уникальных элементов. Поскольку в наборе есть уникальные элементы, это означает, что дубликатов нет. Наборы также неупорядочены, то есть элементы в наборе не имеют определенного порядка или последовательности.

Используя эти свойства множеств, мы можем узнать, есть ли в двух списках одинаковые элементы, независимо от их порядка и размера списков.

Во-первых, мы преобразуем два списка в наборы с помощью функции set(). Что это делает, так это удаляет любые повторяющиеся элементы из списков. Кроме того, поскольку наборы неупорядочены, последовательность элементов игнорируется.

Затем мы просто сравниваем два набора, используя оператор равенства. Это нужно, чтобы проверить, имеют ли оба множества одинаковые элементы.

Реализация кода

def check_sets(list1, list2):
    set1 = set(list1)
    set2 = set(list2)

    if set1 == set2:
        return True
    else:
        return False


   list1 = [1, 2, 3, 4, 5]
   list2 = [4, 2, 5, 1, 3, 4]

   if check_sets(list1, list2):
       print("The lists have the same elements")
  else:
      print("The lists do not have the same elements")

ВЫХОД:

The lists have the same elements

Установить метод

Реализация метода Set

В приведенном выше коде у нас есть два списка: «список1» и «список2». Списки передаются в качестве параметров функции check_sets(). Функция сначала преобразует эти списки в наборы с помощью функции set(). Мы назначаем выходные данные функции «set()» на «set1» и «set2». Затем мы сравниваем два набора. Если они оба имеют одинаковые элементы, мы получаем «Истина», в противном случае — «Ложь».

Временная сложность этого метода в среднем составляет O(n), где n — длина списков.

Следует иметь в виду одну важную вещь: оба этих метода предполагают, что элементы списка сопоставимы и могут хэшироваться (объект хэшируется, если его хеш-значение остается постоянным), что в основном относится к базовым типам данных, таким как целые числа. , поплавки и строки.

Краткое содержание

Существует два основных метода определения того, содержат ли два списка Python одни и те же элементы в любом порядке: сортировка и сравнение или использование наборов. Сортировка и сравнение хорошо работают для небольших списков без дубликатов, но не для списков с дубликатами. Наборы более универсальны, потому что они обрабатывают дубликаты и игнорируют порядок элементов, что делает их идеальными для больших списков. Выберите подходящий метод в зависимости от размера и характера списка, чтобы обеспечить эффективное сравнение. Кроме того, эти методы предполагают, что элементы списка сопоставимы и могут хэшироваться, что обычно справедливо для базовых типов данных, таких как целые числа, числа с плавающей запятой и строки. Вы можете уверенно решать различные сценарии сравнения списков в программировании на Python, хорошо разбираясь в этих методах.

Использованная литература:

w3ресурсы

Добавить комментарий