0

所以我在中integral(function, n=1000, start=0, stop=100)定义了函数nums.py

def integral(function, n=1000, start=0, stop=100):
    """Returns integral of function from start to stop with 'n' rectangles"""
    increment, num, x = float(stop - start) / n, 0, start
    while x <= stop:
        num += eval(function)
        if x >= stop: break
        x += increment
    return increment * num

但是,我的老师(对于我的编程课)希望我们创建一个单独的程序来获取输入input(),然后返回它。所以我有:

def main():
    from nums import integral # imports the function that I made in my own 'nums' module
    f, n, a, b = get_input()
    result = integral(f, n, a, b)
    msg = "\nIntegration of " + f + " is: " + str(result)
    print(msg)

def get_input():
    f = str(input("Function (in quotes, eg: 'x^2'; use 'x' as the variable): ")).replace('^', '**')
    # The above makes it Python-evaluable and also gets the input in one line
    n = int(input("Numbers of Rectangles (enter as an integer, eg: 1000): "))
    a = int(input("Start-Point (enter as an integer, eg: 0): "))
    b = int(input("End-Point (enter as an integer, eg: 100): "))
    return f, n, a, b

main()

在 Python 2.7 中运行时,它运行良好:

>>> 
Function (in quotes, eg: 'x^2'; use 'x' as the variable): 'x**2'
Numbers of Rectangles (enter as an integer, eg: 1000): 1000
Start-Point (enter as an integer, eg: 0): 0
End-Point (enter as an integer, eg: 100): 100

Integration of x**2 is: 333833.5

然而,在 Python 3.3(我的老师坚持我们使用它)中,它在我的函数中引发了一个错误,integral输入相同:

Traceback (most recent call last):
  File "D:\my_stuff\Google Drive\documents\SCHOOL\Programming\Python\Programming Class\integration.py", line 20, in <module>
    main()
  File "D:\my_stuff\Google Drive\documents\SCHOOL\Programming\Python\Programming Class\integration.py", line 8, in main
    result = integral(f, n, a, b)
  File "D:\my_stuff\Google Drive\Modules\nums.py", line 142, in integral
    num += eval(function)
TypeError: unsupported operand type(s) for +=: 'int' and 'str'

此外,integral它本身(在 Python 3.3 中)可以正常工作:

>>> from nums import integral
>>> integral('x**2')
333833.4999999991

正因为如此,我相信问题出在我的课程计划中......感谢任何和所有帮助。谢谢 :)

4

1 回答 1

4

您遇到的问题是input在 Python 2 和 Python 3 中的工作方式不同。在 Python 3 中,该input函数的工作方式与 Python 2 中的一样raw_input。Python 2 的input函数与eval(input())Python 3 中的函数相同。

由于您使用公式键入的引号,您遇到了麻烦。当您在 Python 2 上运行时键入'x**2'(带引号)作为公式时,文本会eval在函数中被编辑,input并且您会得到一个不带引号的字符串作为结果。这行得通。

当您将相同的字符串提供给 Python 3 的input函数时,它不会执行eval,因此引号仍然存在。当您稍后eval将公式作为积分计算的一部分时,您会得到字符串x**2(不带任何引号)作为结果,而不是x平方的值。当您尝试将字符串转换为 时,这会导致异常0

为了解决这个问题,我建议要么只使用一个版本的 Python,要么将以下代码放在文件顶部以input在两个版本中获得 Python 3 样式:

# ensure we have Python 3 semantics from input, even in Python 2
try:
    input = raw_input
except NameError:
    pass

然后只需输入不带引号的公式,它应该可以正常工作。

于 2013-02-09T01:02:27.827 回答