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

我试过了:

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

但是它有多余的0。


当前回答

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

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
# =====================================

或无进口

# 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))

其他回答

给定你的数字

x = Decimal('40800000000.00000000000000')

从Python 3开始,

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

是推荐的方法。

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

没有人提到.format方法的缩写形式:

至少需要Python 3.6

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

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

添加一个更新的答案,以展示如何仅将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

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

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

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

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

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

这对我来说效果最好:

import decimal
'%.2E' % decimal.Decimal('40800000000.00000000000000')
# 4.08E+10