以科学计数法显示小数


159

我该如何显示:

十进制('40800000000.00000000000000')为'4.08E + 10'?

我已经试过了:

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

但是它有那些额外的0。


3
还挺doubleposting,你也可以使用这个主题,你刚刚开始:stackoverflow.com/questions/6913166/...
Samuele Mattiuzzo

12
不,一点也不。我想将其分为一个简单的问题(如何在Python中完成)和一个难以理解的难题(我怀疑有人会回答)(如何在Django中完成)。注意这已经有答案了。如果我将它们一起发布,我现在到了最终答案的一半,而不是0%。除此之外,将问题分开可以使人们更容易地找到答案。例如,如果Bob正在搜索小数格式的问题,那么他可能会跳过标题中带有Django的SO查询。
格雷格,

是的,这只是出于我的兴趣:P遵循一个线程更容易。基本上,这与我的答案类似(只是更具体的“位”)。我也希望得到一个Django的答案,顺便说一句。
Samuele Mattiuzzo

Answers:


157
from decimal import Decimal

'%.2E' % Decimal('40800000000.00000000000000')

# returns '4.08E+10'

在您的“ 40800000000.00000000000000”中,还有许多更重要的零,其含义与任何其他数字相同。这就是为什么您必须明确告诉您要在哪里停下来的原因。

如果要自动删除所有尾随零,可以尝试:

def format_e(n):
    a = '%E' % n
    return a.split('E')[0].rstrip('0').rstrip('.') + 'E' + a.split('E')[1]

format_e(Decimal('40800000000.00000000000000'))
# '4.08E+10'

format_e(Decimal('40000000000.00000000000000'))
# '4E+10'

format_e(Decimal('40812300000.00000000000000'))
# '4.08123E+10'

22
顺便说一句,尽管该format % values语法甚至在Python 3标准库中仍在使用,但我认为它在Python 3中已被技术弃用,或者至少没有推荐的格式化方法,并且从Python 2.6开始的当前推荐语法为'{0:.2E}'.format(Decimal('40800000000.00000000000000'))(或'{:.2E}'Python 2.7以上版本)。尽管对于这种情况不是严格有用的,但是由于没有增加功能的附加字符,str.format确实允许更复杂的混合/重新排列/重新利用格式参数。
JAB

python 3呢?
查理·帕克

4
@CharlieParker使用format。更加爵士乐
Mateen Ulhaq


37

鉴于您的电话号码

x = Decimal('40800000000.00000000000000')

从Python 3开始,

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

是推荐的方法。

e表示您想要科学计数法,并且.2表示您想要点后2位数字。所以你会得到x.xxE±n


1
使用Decimal的目的是获得精确和任意精度的十进制算法。它不等同于使用浮点数。
asmeurer

@asmeurer感谢您的澄清。改变了我的答案。
patapouf_ai

有没有办法让它漂浮起来?
olenscki

@olenscki只是float(x)将x转换为float。
patapouf_ai

33

没有人提到该.format方法的简短形式:

至少需要Python 3.6

f"{Decimal('40800000000.00000000000000'):.2E}"

(我相信它与Cees Timmerman一样,只是短了一点)


3
应该接受答案。f字符串是python字符串格式的未来:)
Gandalf Saxe

1
作为对像我这样的未来读者的忠告:如果您不希望控制位数并且不介意浮点错误,则可以简单地使用{num:E},例如num = 40800000000.00000000000000
Shayaan


4

我的小数位数太大,%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

3
只是"{:.2e}".format(n)返回'3.39e+7800'在Python 3.3.2(V3.3.2:d047928ae3f6 5月16日到2013年,0时06分53秒)[MSC v.1600 64位(AMD64)]在Win32。
Cees Timmerman


4

这是“简单”答案和评论的合并列表。

PYTHON 3

from decimal import Decimal

x = '40800000000.00000000000000'
# Converted to Float
x = Decimal(x)

# ===================================== # `Dot Format`
print("{0:.2E}".format(x))
# ===================================== # `%` Format
print("%.2E" % x)
# ===================================== # `f` Format
print(f"{x:.2E}")
# =====================================
# ALL Return: 4.08E+10
print((f"{x:.2E}") == ("%.2E" % x) == ("{0:.2E}".format(x)))
# True
print(type(f"{x:.2E}") == type("%.2E" % x) == type("{0:.2E}".format(x)))
# True
# =====================================

或不带IMPORT

# NO IMPORT NEEDED FOR BASIC FLOATS
y = '40800000000.00000000000000'
y = float(y)

# ===================================== # `Dot Format`
print("{0:.2E}".format(y))
# ===================================== # `%` Format
print("%.2E" % y)
# ===================================== # `f` Format
print(f"{y:.2E}")
# =====================================
# ALL Return: 4.08E+10
print((f"{y:.2E}") == ("%.2E" % y) == ("{0:.2E}".format(y)))
# True
print(type(f"{y:.2E}") == type("%.2E" % y) == type("{0:.2E}".format(y)))
# True
# =====================================

比较中

# =====================================
x
# Decimal('40800000000.00000000000000')
y
# 40800000000.0

type(x)
# <class 'decimal.Decimal'>
type(y)
# <class 'float'>

x == y
# True
type(x) == type(y)
# False

x
# Decimal('40800000000.00000000000000')
y
# 40800000000.0

因此,对于Python 3,您现在可以在这三个之间切换。

我的最爱:

print("{0:.2E}".format(y))

3

我更喜欢Python 3.x方式。

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

4 指示显示在浮动部分中的位数。

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

2

要将十进制转换为科学计数法而不需要在格式字符串中指定精度,并且不包括尾随零,我目前正在使用

def sci_str(dec):
    return ('{:.' + str(len(dec.normalize().as_tuple().digits) - 1) + 'E}').format(dec)

print( sci_str( Decimal('123.456000') ) )    # 1.23456E+2

要保留任何尾随零,只需删除即可normalize()


1

这是我能找到的最简单的一个。

format(40800000000.00000000000000, '.2E')
#'4.08E+10'

(“ E”不区分大小写。您也可以使用“ .2e”)


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
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.