我如何显示十进制('40800000000.00000000000000')为'4.08E+10'?
我试过了:
>>> '%E' % Decimal('40800000000.00000000000000')
'4.080000E+10'
但是它有多余的0。
我如何显示十进制('40800000000.00000000000000')为'4.08E+10'?
我试过了:
>>> '%E' % Decimal('40800000000.00000000000000')
'4.080000E+10'
但是它有多余的0。
当前回答
def formatE_decimal(x, prec=2):
""" Examples:
>>> formatE_decimal('0.1613965',10)
'1.6139650000E-01'
>>> formatE_decimal('0.1613965',5)
'1.61397E-01'
>>> formatE_decimal('0.9995',2)
'1.00E+00'
"""
xx=decimal.Decimal(x) if type(x)==type("") else x
tup = xx.as_tuple()
xx=xx.quantize( decimal.Decimal("1E{0}".format(len(tup[1])+tup[2]-prec-1)), decimal.ROUND_HALF_UP )
tup = xx.as_tuple()
exp = xx.adjusted()
sign = '-' if tup.sign else ''
dec = ''.join(str(i) for i in tup[1][1:prec+1])
if prec>0:
return '{sign}{int}.{dec}E{exp:+03d}'.format(sign=sign, int=tup[1][0], dec=dec, exp=exp)
elif prec==0:
return '{sign}{int}E{exp:+03d}'.format(sign=sign, int=tup[1][0], exp=exp)
else:
return None
其他回答
添加一个更新的答案,以展示如何仅将e符号应用于小数字
value = 0.1
a = "{:,}".format(value) if value >= 0.001 else "{:,.3e}".format(value)
print(a) # 0.1
value = 0.00002488
a = "{:,}".format(value) if value >= 0.001 else "{:,.3e}".format(value)
print(a) # 2.488e-05
给定你的数字
x = Decimal('40800000000.00000000000000')
从Python 3开始,
'{:.2e}'.format(x)
是推荐的方法。
E表示你想要科学记数法,.2表示你想要点号后面有两位数字。得到x。xxe±n
def formatE_decimal(x, prec=2):
""" Examples:
>>> formatE_decimal('0.1613965',10)
'1.6139650000E-01'
>>> formatE_decimal('0.1613965',5)
'1.61397E-01'
>>> formatE_decimal('0.9995',2)
'1.00E+00'
"""
xx=decimal.Decimal(x) if type(x)==type("") else x
tup = xx.as_tuple()
xx=xx.quantize( decimal.Decimal("1E{0}".format(len(tup[1])+tup[2]-prec-1)), decimal.ROUND_HALF_UP )
tup = xx.as_tuple()
exp = xx.adjusted()
sign = '-' if tup.sign else ''
dec = ''.join(str(i) for i in tup[1][1:prec+1])
if prec>0:
return '{sign}{int}.{dec}E{exp:+03d}'.format(sign=sign, int=tup[1][0], dec=dec, exp=exp)
elif prec==0:
return '{sign}{int}E{exp:+03d}'.format(sign=sign, int=tup[1][0], exp=exp)
else:
return None
我更喜欢Python 3。x。
cal = 123.4567
print(f"result {cal:.4E}")
4表示浮动部分显示了多少位数字。
cal = 123.4567
totalDigitInFloatingPArt = 4
print(f"result {cal:.{totalDigitInFloatingPArt}E} ")
下面是一个使用format()函数的例子:
>>> "{:.2E}".format(Decimal('40800000000.00000000000000'))
'4.08E+10'
除了format,你还可以使用f-strings:
>>> f"{Decimal('40800000000.00000000000000'):.2E}"
'4.08E+10'
官方文档 原始格式()提案