exponent digits in scientific notation in Python

安稳与你 提交于 2021-02-16 18:26:07

问题


In Python, scientific notation always gives me 2 digits in exponent:

print('%17.8E\n' % 0.0665745511651039)
6.65745512E-02

However, I badly want to have 3 digits like:

6.65745512E-002

Can we do this with a built-in configuration/function in Python?

I know my question is basically the same question as: Python - number of digits in exponent, but this question was asked 4 years ago and I don't want to call such a function thousand times. I hope there should be a better solution now.


回答1:


Unfortunately, you can not change this default behavior since you can not override the str methods.

However, you can wrap the float, and use the __format__ method:

class MyNumber:
    def __init__(self, val):
        self.val = val

    def __format__(self,format_spec):
        ss = ('{0:'+format_spec+'}').format(self.val)
        if ( 'E' in ss):
            mantissa, exp = ss.split('E')            
            return mantissa + 'E'+ exp[0] + '0' + exp[1:]
        return ss


     print( '{0:17.8E}'.format( MyNumber(0.0665745511651039)))



回答2:


You can use your own formatter and override format_field:

import string
class MyFormatter(string.Formatter): 
    def format_field(self, value, format_spec):
        ss = string.Formatter.format_field(self,value,format_spec)
        if format_spec.endswith('E'):
            if ( 'E' in ss):
                mantissa, exp = ss.split('E')
                return mantissa + 'E'+ exp[0] + '0' + exp[1:]                  
        return ss

print( MyFormatter().format('{0:17.8E}',0.00665745511651039) )


来源:https://stackoverflow.com/questions/39184719/exponent-digits-in-scientific-notation-in-python

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!