生成器表达式/元组对hash的for循环的理解text.splitlines

问题描述

result with the original我试图弄清楚如何将以下元组理解转换为for循环。在课堂视频中,这仅以以下方式完成。我曾要求班级不和谐者寻求帮助和助教,但我没有得到我能理解的任何反馈。 编辑:是的,我知道我不应该使用相同的变量名。我一直在评论原著和我的文章,因此我不必在下面不断更改几行。 ------------------这是原始的---------------------------- ---

def get_password_leaks_count(hashes,hash_to_check):
    hashes = (line.split(':') for line in hashes.text.splitlines())
    print(hashes)
    for h,count in hashes:
        if h == hash_to_check:
            return count
    return 0
    print(h,count)

以下是我到目前为止的工作,但是甚至不确定我是否朝着正确的方向前进。我什至不确定hash_to_check = []是否应该在那里。

def get_password_leaks_count(hashes,hash_to_check):
    hashes = hashes.text.splitlines()
    for line in hashes:
        hashes = line.split(":")
        hashes = hash_to_check
        print(hashes)
        # for h,count in hashes:
        #     if h == hash_to_check:
        #         return count
        # return 0

解决方法

代码令人困惑,因为它重复使用了变量hashes。避免这种情况,并省略仅打印生成器对象而不是其生成的值的第一个print语句(我怀疑这是否确实需要),可以得出以下结论。请注意,我也省略了最后的print,因为它遵循return语句,所以从未达到过。

def get_password_leaks_count(hashes,hash_to_check):
    for line in hashes.text.splitlines():
        for h,count in line.split(':'):
            if h == hash_to_check:
                return count
    return 0

顺便说一句,尽管有问题的标题,但是您在原始列表中没有列表理解。相反,您有一个生成器表达式。对其进行迭代将具有与对列表理解所产生的列表进行迭代类似的效果,但是将使用生成器以避免在内存中创建不必要的临时列表。