1
lines = files.readlines()

for line in lines:
    if not line.startswith(' '):
        res = True
    if line.startswith(' '):
        res = False
return res

这是我的代码,但是,它返回 True 至少有一行不是以空格开头。如何修复它,只有当我打开的文件中的每一行都以空格以外的内容开头时,它才会返回 True。如果至少一行以空格开头,则返回 False。

4

3 回答 3

5

使用all()

演示:

>>> lines = ['a', ' b', ' d']
>>> all(not x.startswith(' ') for x in lines)
False
>>> lines = ['a', 'b', 'd']
>>> all(not x.startswith(' ') for x in lines)
True

也不需要加载内存中的所有行,只需遍历文件对象:

with open('filename') as f:
   res = all(not line.startswith(' ') for line in f)
于 2013-10-27T08:41:54.203 回答
4

使用all内置。

return all(not line.startswith(' ') for line in lines)

文档中的all()功能:

all(iterable) -> bool

Return True if bool(x) is True for all values x in the iterable.
If the iterable is empty, return True.

您也可以any以相同的方式使用内置。

return not any(line.startswith(' ') for line in lines)

文档中的any()功能:

any(iterable) -> bool

Return True if bool(x) is True for any x in the iterable.
If the iterable is empty, return False.
于 2013-10-27T08:41:47.260 回答
0
with open('filename') as f:
    res = True
    for line in f:
        if line.startswith(' '):
            res = False
            break
return res
于 2013-10-27T08:53:33.673 回答