Python中的科学符号格式

时间:2018-11-13 06:09:32

标签: python formatting scientific-notation

如何获得以下格式(输入值始终小于0.1):

> formatting(0.09112346)
0.91123E-01
> formatting(0.00112346)
0.11234E-02

以此类推。

我正在寻找一些优雅的解决方案。我已经在使用下面给出的自定义功能:

def formatting(x, prec=5):
    tup    = x.as_tuple()
    digits = list(tup.digits[:prec])
    dec    = ''.join(str(i) for i in digits)
    exp    = x.adjusted()
    return '0.{dec}E{exp}'.format(dec=dec, exp=exp)

2 个答案:

答案 0 :(得分:0)

您可以使用format()功能。 The format specification在此提及:

  

'E'-指数表示法。与'e'相同,除了它使用大写字母'E'作为分隔符。

>>> print('{:.5E}'.format(0.09112346))
9.11235E-02
>>> print('{:.5E}'.format(0.00112346))
1.12346E-03

但是,它与您的答案中的输出不太像。如果上述方法不能令人满意,那么您可以使用自定义函数来提供帮助(我对此并不擅长,因此希望可以):

def to_scientific_notation(number):
    a, b = '{:.4E}'.format(number).split('E')
    return '{:.5f}E{:+03d}'.format(float(a)/10, int(b)+1)

print(to_scientific_notation(0.09112346))
# 0.91123E-01
print(to_scientific_notation(0.00112346))
# 0.11234E-02

答案 1 :(得分:0)

在Python 3.6+中,您还可以使用f-strings。例如:

In [31]: num = 0.09112346

In [32]: f'{num:.5E}'
Out[32]: '9.11235E-02'

它使用与Format Specification Mini-Language部分中给出的str.format()相同的语法。