16

我正在尝试编写一个代码,让我找到一个数字的前几个倍数。这是我的尝试之一:

def printMultiples(n, m):
for m in (n,m):
    print(n, end = ' ')

我发现,通过 put for m in (n, m):,它会在循环中运行任何数字m

def printMultiples(n, m):
'takes n and m as integers and finds all first m multiples of n'
for m in (n,m):
    if n % 2 == 0:
        while n < 0:
            print(n)

经过多次搜索,我只能找到java中的示例代码,因此我尝试将其翻译成python,但没有得到任何结果。我有一种感觉我应该range()在这个地方使用这个功能,但我不知道在哪里。

4

9 回答 9

13

如果你试图找到 的第一个count倍数m,这样的事情会起作用:

def multiples(m, count):
    for i in range(count):
        print(i*m)

或者,您可以使用范围执行此操作:

def multiples(m, count):
    for i in range(0,count*m,m):
        print(i)

请注意,这两个都从倍数开始0- 如果您想改为从 开始m,则需要将其抵消这么多:

range(m,(count+1)*m,m)
于 2013-01-27T23:05:01.927 回答
4

这是做你想做的吗?

print range(0, (m+1)*n, n)[1:]

对于 m=5,n=20

[20, 40, 60, 80, 100]

或者更好的是,

>>> print range(n, (m+1)*n, n)
[20, 40, 60, 80, 100] 

对于 Python3+

>>> print(list(range(n, (m+1)*n, n)))
[20, 40, 60, 80, 100] 
于 2013-01-27T23:04:29.973 回答
3

基于数学概念,我理解:

  • 所有自然数,除以n0余数都是 的倍数n

因此,以下计算也适用于解决方案(1 到 100 之间的倍数):

>>> multiples_5 = [n for n in range(1, 101) if n % 5 == 0]
>>> multiples_5
[5, 10, 15, 20, 25, 30, 35, 40, 45, 50, 55, 60, 65, 70, 75, 80, 85, 90, 95, 100]

进一步阅读:

于 2019-01-23T16:43:33.853 回答
2

对于 5 的前十个倍数,比如说

>>> [5*n for n in range(1,10+1)]
[5, 10, 15, 20, 25, 30, 35, 40, 45, 50]
于 2013-01-27T23:18:07.887 回答
1

你可以做:

def mul_table(n,i=1):
    print(n*i)
    if i !=10:
        mul_table(n,i+1)
mul_table(7)
于 2019-05-29T14:13:39.867 回答
1

可以做的另一种方法是尝试制作一个列表。这是我获取 7 的前 20 个倍数的示例。

输入:

multiples_7 = [x * 7 for x in range(1,21)] 

print(multiples_7)

输出:

[7, 14, 21, 28, 35, 42, 49, 56, 63, 70, 77, 84, 91, 98, 105, 112, 119, 126, 133, 140]
于 2021-09-24T05:07:34.170 回答
0

如果这是您正在寻找的 -

找出给定数字和极限之间的所有倍数

def find_multiples(integer, limit):
    return list(range(integer,limit+1, integer))

这应该返回 -

Test.assert_equals(find_multiples(5, 25), [5, 10, 15, 20, 25])
于 2020-07-26T08:31:19.160 回答
0

对于 5 的前 10 个倍数,您可以这样做

import numpy as np
#np.arange(1,11) array from 1 to 10 
array_multipleof5 = [5*n for n in np.arange(1,11)]
array_multipleof5 = np.array(array_multipleof5)
print(array_multipleof5)
于 2021-08-02T23:37:59.170 回答
0
def multiples(n,m,starting_from=1,increment_by=1):
    """
    # Where n is the number 10 and m is the number 2 from your example. 
    # In case you want to print the multiples starting from some other number other than 1 then you could use the starting_from parameter
    # In case you want to print every 2nd multiple or every 3rd multiple you could change the increment_by 
    """
    print [ n*x for x in range(starting_from,m+1,increment_by) ] 
于 2017-01-18T15:59:21.520 回答