为什么列表理解生成的列表是空的

Why the list generated by a list comprehension is empty

首先,对于我糟糕的英语和布局感到抱歉。我是中国的 Python 初学者,这是我用英语问的第一个问题。

问题如下:

我正在尝试使用 filter(is_palindrome, range(1, 1000)) 生成类似 121 的回文数。与本题密切相关的代码是is_palindrome(n)函数中的l = [int(i) for i in str(n)]。调试器显示 当 n = 11 时,l = [] 而不是 [1, 1],然后 IndexError: list index out of range 发生在 if l[0] != l[-1]

我想知道为什么以及如何让它成为 [1, 1]。

源代码:

def is_palindrome(n):
    p = True
    l = [int(i) for i in str(n)]
    while len(l) != 1:
        if l[0] != l[-1]:
            p = False
            break
        l.pop(0)
        l.pop(-1)
    return p
print(list(filter(is_palindrome, range(1, 1000))))

p.s。我知道有一种更简单的方法,比如 return str(n) == str(n)[::1] 但我只想尝试另一种 :)

那么你如何跟踪你的错误,试试这个:

只需打印并查看函数在索引错误处失败的位置:

def is_palindrome(n):
    p = True
    l = [int(i) for i in str(n)]
    while len(l) != 1:
        print("l",l)
        if l[0] != l[-1]:
            p = False
            break
        l.pop(0)
        l.pop(-1)
    return p
print(list(filter(is_palindrome, range(1, 1000))))

输出:

l [1, 0]
    if l[0] != l[-1]:
l [1, 1]
IndexError: list index out of range
l []

你可以清楚地看到,当 l 为 [](空)时,它会出错,现在让我们修复它,运行 代码

修改后的函数如下:

def is_palindrome(n):
    p = True
    l = [int(i) for i in str(n)]

    while len(l) != 1 and l!=[]:
        if l[0] != l[-1]:
            p = False
            break
        l.pop(0)
        l.pop(-1)
    return p
print(list(filter(is_palindrome, range(1, 1000))))

输出:

[1, 2, 3, 4, 5, 6, 7, 8, 9, 11, 22, 33, 44, 55, 66, 77, 88, 99, 101, 111, 121, 131, 141, 151, 161, 171, 181, 191, 202, 212, 222, 232, 242, 252, 262, 272, 282, 292, 303, 313, 323, 333, 343, 353, 363, 373, 383, 393, 404, 414, 424, 434, 444, 454, 464, 474, 484, 494, 505, 515, 525, 535, 545, 555, 565, 575, 585, 595, 606, 616, 626, 636, 646, 656, 666, 676, 686, 696, 707, 717, 727, 737, 747, 757, 767, 777, 787, 797, 808, 818, 828, 838, 848, 858, 868, 878, 888, 898, 909, 919, 929, 939, 949, 959, 969, 979, 989, 999]