Python:如何计算给定数字的部分组合,给出数字,列表长度,第一个和最后一个数字

时间:2016-08-12 08:53:04

标签: python math combinatorics

我非常坚持这一点(可能是因为我不熟悉计算机编程)。 我有以下代码:[Python: Find all possible combinations of parts of a given number

def sum_to_n(n, size, limit=None):
    """Produce all lists of `size` positive integers in decreasing order
    that add up to `n`."""
    if size == 1:
        yield [n]
        return
    if limit is None:
        limit = n
    start = (n + size - 1) // size
    stop = min(limit, n - size + 1) + 1
    for i in range(start, stop):
        for tail in sum_to_n(n - i, size - 1, i):
            yield [i] + tail

for partition in sum_to_n(8, 3):
    print (partition)

[6, 1, 1]
[5, 2, 1]
[4, 3, 1]
[4, 2, 2]
[3, 3, 2]

它是否非常有用,但我尝试修改它以设置一些选项。假设我只想得到结果,列表的第一个数字是4,列表的最后一个是1。 目前我使用这个解决方案:

def sum_to_n(n,first, last, size, limit=None):
    if size == 1:
        yield [n]
        return
    if limit is None:
        limit = n
    start = (n + size - 1) // size
    stop = min(limit, n - size + 1) + 1
    for i in range(start, stop):
        if i <=first:
            for tail in sum_to_n(n - i,first,last, size - 1, i):
                ll=len(tail)
                if tail[ll-1]==last:
                    yield [i] + tail

for i in sum_to_n(8,4,1,3):
    if i[0]==4 and i[size-1]==1:
        print(i)
    if i[0]>4:
        break

[4,3,1]

但是对于更大的整数,该程序正在做很多不必要的工作。 例如,for i in range(start, stop):计算列表中所有可能的第一个数字,而不仅仅是&#34;第一个&#34;参数nedded,没有它,函数不起作用。 有人可以建议一个更好,更快的解决方案来调用函数给出所需的参数,以便只获得所请求的计算?

1 个答案:

答案 0 :(得分:1)

既然您知道第一个号码,那么您只需要解决最后一个号码。

在您的示例中,这将提供类似的内容:

for res in sum_to_n(n=8-4, last=1, size=3-1):
   print([4] + res)