是否存在标准库函数,它将为除法运算设置最小值,例如:
min(1, a/b)
这将确保上面的最小操作值始终为1,从不为0。
如:
min(1, 1/5)
1
另外,我如何围绕一个部门:
round_up(1/5) = 1
当我除以1/5时,我总是得到“0”,即使是ceil函数:
math.ceil(1/5)
0
答案 0 :(得分:3)
如果您想使用浮点除法作为默认值,您可以执行from __future__ import division
:
>>> 1/5
0
>>> from __future__ import division
>>> 1/5
0.2
>>> math.ceil(1/5)
1.0
如果您需要结果为整数类型,例如对于索引,您可以使用
int(math.ceil(1/5))
答案 1 :(得分:2)
1/5
的结果已经是整数。如果您需要浮点版本,则需要执行1.0/5
。 math.ceil
函数将按预期运行:math.ceil(1.0/5) = 1.0
。
如果您正在使用变量而不是常量,请使用float(x)
函数将整数转换为浮点。
答案 2 :(得分:2)
In [4]: 1/5
Out[4]: 0
In [5]: math.ceil(1/5)
Out[5]: 0.0
In [7]: float(1)/5
Out[7]: 0.2
In [8]: math.ceil(float(1)/5)
Out[8]: 1.0
答案 3 :(得分:0)
你可以为这样的整数制作一个向上的函数
>>> def round_up(p, q):
... d, r = divmod(p, q)
... if r != 0:
... d += 1
... return d
...
>>> round_up(1, 5)
1
>>> round_up(0, 5)
0
>>> round_up(5, 5)
1
>>> round_up(6, 5)
2
>>>
您的示例不起作用,因为除以整数的整数是整数。
关于你的最小问题 - 你写的可能是你能做的最好的。
答案 4 :(得分:0)
我不知道标准库中的任何内容,但如果您只是想确保答案永远不会小于1,那么该函数非常简单:
def min_dev(x,y):
ans = x/y
if ans < 1: # ensures answer cannot be 0
return 1
else: # answers greater than 1 are returned normally
return ans
相反,如果你想要回答每个答案:
def round_up(x,y):
ans = x//y # // is the floor division operator
if x % y == 1: # tests for remainder (returns 0 for no, 1 for yes)
ans += 1 # same as ans = ans + 1
return ans
else:
return ans
这将以剩余部分来回答任何答案。 我相信Python 3.3(我知道3.4)默认为整数除法返回一个浮点数:http://joel-costigliola.github.io/assertj/assertj-core-features-highlight.html