我试图找到最大的立方根,即整数,小于12,000。
processing = True n = 12000 while processing: n -= 1 if n ** (1/3) == #checks to see if this has decimals or not
我不确定如何检查它是否是整数!我可以将其转换为字符串,然后使用索引来检查最终值,看看它们是否为零,但这似乎很麻烦。有没有更简单的方法?
要检查浮点值是否为整数,请使用以下float.is_integer()方法:
float.is_integer()
>>> (1.0).is_integer() True >>> (1.555).is_integer() False
该方法已添加到floatPython 2.6中的类型中。
float
请考虑在Python 2中1/3为0(整数操作数的底数除法!),并且浮点算术可能不精确(afloat是使用二进制分数的近似值, 而不是 精确的实数)。但是稍微调整一下循环就可以了:
1/3
0
>>> for n in range(12000, -1, -1): ... if (n ** (1.0/3)).is_integer(): ... print n ... 27 8 1 0
这意味着由于上述不精确性,漏掉了3个以上的立方(包括10648):
>>> (4**3) ** (1.0/3) 3.9999999999999996 >>> 10648 ** (1.0/3) 21.999999999999996
您将不得不检查 接近 整数的数字,或者不使用它float()来查找您的数字。像四舍五入的立方根12000:
float()
12000
>>> int(12000 ** (1.0/3)) 22 >>> 22 ** 3 10648
如果使用的是Python 3.5或更高版本,则可以使用该math.isclose()函数查看浮点值是否在可配置的范围内:
math.isclose()
>>> from math import isclose >>> isclose((4**3) ** (1.0/3), 4) True >>> isclose(10648 ** (1.0/3), 22) True
对于较旧的版本,如PEP485中所述,该功能的简单实现(跳过错误检查并忽略无穷和NaN):
def isclose(a, b, rel_tol=1e-9, abs_tol=0.0): return abs(a - b) <= max(rel_tol * max(abs(a), abs(b)), abs_tol)