在 Python 中从多个列表和元组创建元组列表

Vaibhav Vaibhav 2023年10月10日
  1. 在 Python 中从多个列表和元组手动创建元组列表
  2. 使用 Python 中的 zip() 方法从多个列表和元组创建元组列表
在 Python 中从多个列表和元组创建元组列表

在处理多个列表和元组时,我们经常必须组合对象内部存在的值。这种方法使迭代它们变得更加简单。在使用 Python 开发 Web 应用程序或 API 时,大多数情况下都遵循这种方法,以确保我们没有任何缺失值。此外,在 HTML 模板中迭代这些值变得非常容易。

在本文中,我们将学习如何在 Python 中从多个列表创建元组列表和元组。

在 Python 中从多个列表和元组手动创建元组列表

从多个列表和元组创建元组列表的最基本方法是自己编写存根或实用函数。该函数将接受多个列表和元组并返回一个元组列表。在迭代列表时,逻辑必须确保它只考虑所有列表中的最小长度,并且只添加元素到该索引。以下 Python 代码实现了所讨论的方法。

def convert(*args):
    """
    Returns a list of tuples generated from multiple lists and tuples
    """
    for x in args:
        if not isinstance(x, list) and not isinstance(x, tuple):
            return []

    size = float("inf")

    for x in args:
        size = min(size, len(x))

    result = []

    for i in range(size):
        result.append(tuple([x[i] for x in args]))

    return result


a = [1.1, 2.2, 3.3, 4.4, 5.5, 6.6, 7.7, 8.8]
b = ["H", "E", "L", "L", "O"]
c = [True, False, False, True, True, True]
d = [100, 200, 300, 400]
result = convert(a, b, c, d)
print(result)

输出:

[(1.1, 'H', True, 100), (2.2, 'E', False, 200), (3.3, 'L', False, 300), (4.4, 'L', True, 400)]

convert() 函数接受多个列表和元组作为参数。首先,它检查每个传递的参数是否是 listtuple 的实例。如果不是,则返回一个空列表。接下来,它在所有列表和元组中找到最小的长度,比如 n。此操作确保我们不会遇到 IndexError 异常。

一旦找到最小的大小,convert() 函数会创建一个空列表并迭代所有参数 n 次。每次迭代都会创建一个元组并将其附加到之前创建的空列表中。迭代完成后,元组列表作为答案返回。

考虑到参数个数为 n,最小长度为 m,上述函数的时间复杂度为 O(m * n),空间复杂度也为 O(m * n)。时间复杂度为 O(m * n),因为创建结果的双嵌套 for 循环。

使用 Python 中的 zip() 方法从多个列表和元组创建元组列表

zip() 函数是 Python 的内置实用程序函数。它接受多个可迭代对象,例如列表和元组,并返回一个可迭代对象。这个 zip 对象将元素存储为元组列表。实现 zip() 函数与我们在上一节中实现的 convert() 函数类似,但并不完全一样。

zip() 函数返回的值是一个可迭代的 zip 对象。如果我们打印它,输出将类似于以下内容。

<zip object at 0x7fee6d0628c0>

现在我们已经完成了理论,让我们了解如何在我们的用例中使用 zip() 方法。请参阅以下代码。

a = [1.1, 2.2, 3.3, 4.4, 5.5, 6.6, 7.7, 8.8]
b = ("H", "E", "L", "L", "O")
c = [True, False, False, True, True, True]
d = [100, 200, 300, 400]
result = zip(a, b, c, d)

for x in result:
    print(x)

输出:

(1.1, 'H', True, 100)
(2.2, 'E', False, 200)
(3.3, 'L', False, 300)
(4.4, 'L', True, 400)
作者: Vaibhav Vaibhav
Vaibhav Vaibhav avatar Vaibhav Vaibhav avatar

Vaibhav is an artificial intelligence and cloud computing stan. He likes to build end-to-end full-stack web and mobile applications. Besides computer science and technology, he loves playing cricket and badminton, going on bike rides, and doodling.

相关文章 - Python List

相关文章 - Python Tuple