0

我正在尝试实现一个函数 evenrow(),它接受一个二维整数列表,如果表的每一行总和为偶数,则返回 True,否则返回 False(即,如果某些行总和为奇数)

    usage
    >>> evenrow([[1, 3], [2, 4], [0, 6]])
    True
    >>> evenrow([[1, 3], [3, 4], [0, 5]])
    False

这是我到目前为止得到的:

    def evenrow(lst):
        for i in range(len(lst)-1):
            if sum(lst[i])%2==0:     # here is the problem, it only iterates over the first item in the lst [1, 3] - i cant figure this out - range problem?      
                return True
            else:
                False

如何让循环遍历列表中的每个项目 [1, 3], [2, 4], [0, 6] 而不仅仅是第一个?

好吧,我现在已经做到了:

    def evenrow(lst):
        for i in range(len(lst)-1):
            if sum(lst[i]) %2 >0:
                return False
        else:
            return True

我在执行不同的列表时得到以下答案:

     >>> evenrow([[1, 3], [2, 4], [0, 6]])
     True
     >>> evenrow([[1, 3], [3, 4], [0, 5]])
     False
     >>> evenrow([[1, 3, 2], [3, 4, 7], [0, 6, 2]])
     True
     >>> evenrow([[1, 3, 2], [3, 4, 7], [0, 5, 2]])
     True

(虽然最后一个不正确 - 应该是错误的)我只是不明白为什么这不起作用......

4

1 回答 1

0

你回来得太早了。您应该检查所有对,仅在True之后返回,或者False如果遇到奇数则返回。

剧透警报:

def evenrow(lst):
    for i in range(len(lst)-1):
       if sum(lst[i]) % 2 != 0:     # here is the problem, it only iterates over the first item in the lst [1, 3] - i cant figure this out - range problem?      
           return False
    return True

这将实现目标。

于 2013-05-18T01:22:35.260 回答