我如何显示十进制('40800000000.00000000000000')为'4.08E+10'?

我试过了:

>>> '%E' % Decimal('40800000000.00000000000000')
'4.080000E+10'

但是它有多余的0。


当前回答

给定你的数字

x = Decimal('40800000000.00000000000000')

从Python 3开始,

'{:.2e}'.format(x)

是推荐的方法。

E表示你想要科学记数法,.2表示你想要点号后面有两位数字。得到x。xxe±n

其他回答

我的小数对于%E来说太大了,所以我不得不即兴发挥:

def format_decimal(x, prec=2):
    tup = x.as_tuple()
    digits = list(tup.digits[:prec + 1])
    sign = '-' if tup.sign else ''
    dec = ''.join(str(i) for i in digits[1:])
    exp = x.adjusted()
    return '{sign}{int}.{dec}e{exp}'.format(sign=sign, int=digits[0], dec=dec, exp=exp)

下面是一个用法示例:

>>> n = decimal.Decimal(4.3) ** 12314
>>> print format_decimal(n)
3.39e7800
>>> print '%e' % n
inf

下面是一个使用format()函数的例子:

>>> "{:.2E}".format(Decimal('40800000000.00000000000000'))
'4.08E+10'

除了format,你还可以使用f-strings:

>>> f"{Decimal('40800000000.00000000000000'):.2E}"
'4.08E+10'

官方文档 原始格式()提案

给定你的数字

x = Decimal('40800000000.00000000000000')

从Python 3开始,

'{:.2e}'.format(x)

是推荐的方法。

E表示你想要科学记数法,.2表示你想要点号后面有两位数字。得到x。xxe±n

我更喜欢Python 3。x。

cal = 123.4567
print(f"result {cal:.4E}")

4表示浮动部分显示了多少位数字。

cal = 123.4567
totalDigitInFloatingPArt = 4
print(f"result {cal:.{totalDigitInFloatingPArt}E} ")

请参阅Python字符串格式中的表格,以选择适当的格式布局。在你的例子中是%. 2e。