Python 格式百分比



我使用以下代码片段将比率转换为百分比:

"{:2.1f}%".format(value * 100)

这如您所料。我想将其扩展为在边缘情况下提供更多信息,其中四舍五入比率为 0 或 1,但不完全是。

有没有一种更pythonic的方法,也许使用format函数来做到这一点?或者,我会添加一个类似于以下内容的条款:

if math.isclose(value, 0) and value != 0:
    return "< 0.1"

假设 Python 3.6+,可以通过以下方式标记正好为零或正好 100%:

>>> for value in (0.0,0.0001,.9999,1.0):
...   f"{value:6.1%}{'*' if value == 0.0 or value == 1.0 else ' '}"
...
'  0.0%*'
'  0.0% '
'100.0% '
'100.0%*'

我建议运行round来确定字符串格式是否会将比率舍入为 0 或 1。此函数还可以选择舍入到小数位数:

def get_rounded(value, decimal=1):
    percent = value*100
    almost_one = (round(percent, decimal) == 100) and percent < 100
    almost_zero = (round(percent, decimal) == 0) and percent > 0
    if almost_one:
        return "< 100.0%"
    elif almost_zero:
        return "> 0.0%"
    else:
        return "{:2.{decimal}f}%".format(percent, decimal=decimal)
for val in [0, 0.0001, 0.001, 0.5, 0.999, 0.9999, 1]:
    print(get_rounded(val, 1))

哪些输出:

0.0%
> 0.0%
0.1%
50.0%
99.9%
< 100.0%
100.0%

我不相信有更短的方法可以做到这一点。我也不建议使用 math.isclose ,因为您必须使用abs_tol并且它的可读性不高。

相关内容

  • 没有找到相关文章

最新更新