python itertools 组合逻辑

python itertools combinations logic

我正在查看 itertools (https://docs.python.org/2/library/itertools.html)python 文档中组合的代码 (https://docs.python.org/2/library/itertools.html)

def combinations(iterable, r):
    # combinations('ABCD', 2) --> AB AC AD BC BD CD
    # combinations(range(4), 3) --> 012 013 023 123
    pool = tuple(iterable)
    n = len(pool)
    if r > n:
        return
    indices = range(r)
    yield tuple(pool[i] for i in indices)
    while True:
        for i in reversed(range(r)):
            if indices[i] != i + n - r:
                break
        else:
            return

        indices[i] += 1
        for j in range(i+1, r):
            indices[j] = indices[j-1] + 1
        yield tuple(pool[i] for i in indices)

在它说 indices[i] += 1 的那一行,为什么它能找到 'i' ?据我所知,一旦你退出 for 循环(在 while True 之后立即开始),变量 'i' 不应该存在(就像第一个 yield 语句中提到的 i 一样)!!!

也有人可以用英语解释逻辑吗?我明白,直到第一次屈服,但后来我迷路了。提前致谢。

Python 不是块范围的。粗略地说,Python 是函数范围的。在其他语言中,如果你这样做了

for (int i = 0; i < whatever; i++) {
    ...
}

然后 i 将是 for 循环的本地。在Python中,相当于

for i in xrange(whatever):

使用整个封闭函数的局部变量 i。此外,i 永远不会取值 whatever,因此当循环结束时,我们仍然有 i == whatever - 1.