Python计算有效数字

时间:2011-11-15 20:23:48

标签: javascript python

我将此问题标记为javascript,因为即使我目前在Python中编写此内容,如果在Javascript中实现起来更容易,我也可以在Javascript中轻松实现。

我的任务是为化学系制作一个重要的数字计算检查器。这意味着学生将他们的数据输入到字段中,网络应用程序将在他们的字段上执行预定义的操作并跟踪重要数字并查看他们的答案是否具有适当数量的重要数字。

当我把问题分解为我认为是一个很好的工作流程时,我意识到我需要一种方法来处理Python(后端,因为这是一个在Django中制作的Web应用程序)或Javascript(因为你可以随时在前端验证它没有问题)来确定有效位数。我做了一点研究并遇到了this question,告诉我我需要使用python字符串而不是浮点数。我目前的python代码感觉几乎完整,但我仍面临着一个重大挑战

import re
def find_sigfigs(x):
    # change the 'E' to lower case if the student typed it in as uppercase
    x = x.lower()
    if ('e' in x):
        myStr = x.split('e')
        # this function assumes that the number on the left of the 'e' is
        # the number of sigfigs. That would be true for user input but not
        # true when python converts a float to scientific notation
        return len( (re.search('[0-9]+', myStr[0])).group() )
    else:
        # put it in e format and return the result of that
        ### problem: python makes me hard code the number of sigfigs as '2'
        ### without the 2 there it always defaults to 6
        return find_sigfigs('%.*e' %(2,float(x)))

>>> find_sigfigs('1.3e-4')
>>> 2
>>> find_sigfigs('1234')
>>> 3
>>> find_sigfigs('123456')
>>> 3
>>> find_sigfigs('1.2345e3')
>>> 5

然后没有2

return find_sigfigs('%.e' %(float(x)))

#Because it changes it to 1.234000e3
>>> find_sigfigs('1234')
>>> 7

#Because it changes it to 1.234560e5
>>> find_sigfigs('123456')
>>> 7

所以简单地说,我的问题是,当学生没有明确宣布时,我需要一种简单的方法来计算sigfigs(也就是当它是科学记数法时)。是否有一些简单的方法,我可以在'e'之前删除每个零,直到它达到第一个非零数字。我想,我需要从拆分字符串的后面开始并删除零,直到它变为非零数字?

编辑:所以经过多一点摆弄,我希望这是解决这个问题的合适方法。我测试了好几次,但不是太严格(也就是说它可能有效,但谁知道!我不太擅长sigfigs ......)

def find_sigfigs(x):
    '''Returns the number of significant digits in a number. This takes into account
       strings formatted in 1.23e+3 format and even strings such as 123.450'''
    # change all the 'E' to 'e'
    x = x.lower()
    if ('e' in x):
        # return the length of the numbers before the 'e'
        myStr = x.split('e')
        return len( myStr[0] ) - 1 # to compenstate for the decimal point
    else:
        # put it in e format and return the result of that
        ### NOTE: because of the 8 below, it may do crazy things when it parses 9 sigfigs
        n = ('%.*e' %(8, float(x))).split('e')
        # remove and count the number of removed user added zeroes. (these are sig figs)
        if '.' in x:
            s = x.replace('.', '')
            #number of zeroes to add back in
            l = len(s) - len(s.rstrip('0'))
            #strip off the python added zeroes and add back in the ones the user added
            n[0] = n[0].rstrip('0') + ''.join(['0' for num in xrange(l)])
        else:
            #the user had no trailing zeroes so just strip them all
            n[0] = n[0].rstrip('0')
        #pass it back to the beginning to be parsed
    return find_sigfigs('e'.join(n))

2 个答案:

答案 0 :(得分:2)

我认为正则表达式在这里有点过分,但你的方法应该有用,我确定它不是性能问题。

我认为你最终会用你所描述的内容走上正轨。我会使用split('e')后跟rstrip('0'),这会删除“尾随零”。如果要保留递归调用,则可以将字符串重新组合在一起。

答案 1 :(得分:2)

我认为有一个不需要递归的简单解决方案。另外,上述解决方案仅在传递字符串时有效。要求字符串中的有效数字对我来说似乎很奇怪,因此感觉该函数应该在内部进行转换,或者至少支持传递字符串和数字。

这是我想出的:

def find_sigfigs(number):
    """Returns the number of significant digits in a number"""

    # Turn it into a float first to take into account stuff in exponential
    # notation and get all inputs on equal footing. Then number of sigfigs is
    # the number of non-zeros after stripping extra zeros to left of whole
    # number and right of decimal
    number = repr(float(number))

    tokens = number.split('.')
    whole_num = tokens[0].lstrip('0')

    if len(tokens) > 2:
        raise ValueError('Invalid number "%s" only 1 decimal allowed' % (number))

    if len(tokens) == 2:
        decimal_num = tokens[1].rstrip('0')
        return len(whole_num) + len(decimal_num)

    return len(whole_num)

我错过了一些边缘情况吗?