当我尝试运行此简单的python脚本时出现错误:
input_variable = input ("Enter your name: ") print ("your name is" + input_variable)
假设我输入“花花公子”,我得到的错误是:
line 1, in <module> input_variable = input ("Enter your name: ") File "<string>", line 1, in <module> NameError: name 'dude' is not defined
我正在运行Mac OS X 10.9.1,并且正在使用python 3.3安装随附的Python Launcher应用程序来运行脚本。
编辑:我意识到我以某种方式运行这些脚本与2.7。我想真正的问题是如何在3.3版中运行脚本?我以为,如果将脚本拖放到应用程序文件夹中Python 3.3文件夹内的Python Launcher应用程序之上,它将使用3.3启动脚本。我猜这种方法仍然可以启动2.7脚本。那么如何使用3.3?
inputPython 2.7中的函数,将你输入的内容评估为Python表达式。如果你只想读取字符串,请使用raw_inputPython 2.7中的函数,该函数将不评估读取的字符串。
inpu
raw_input
如果你使用的是Python 3.x,raw_input则已重命名为input。引用Python 3.0发行说明,
input
_raw_input()已重命名为input()。也就是说,新input()函数从中读取一行,sys.stdin并在结尾的换行符被删除的情况下返回它。EOFError如果输入过早终止,它将触发。要获取的旧行为input(),请使用eval(input())
_raw_input()
input()
sys.stdin
EOFError
eval(input())
在Python 2.7中,有两个函数可以用来接受用户输入。一个是input,另一个是raw_input。你可以想到它们之间的关系如下
input = eval(raw_input)
考虑以下代码以更好地理解这一点
>>> dude = "thefourtheye" >>> input_variable = input("Enter your name: ") Enter your name: dude >>> input_variable 'thefourtheye'
input接受来自用户的字符串,并在当前Python上下文中评估该字符串。当我键入dude输入时,它发现dude绑定到该值thefourtheye,因此求值结果变为,thefourtheye并将其分配给input_variable。
dude
thefourtheye
input_variable
如果我输入当前python上下文中不存在的其他内容,它将失败NameError。
NameError
>>> input("Enter your name: ") Enter your name: dummy Traceback (most recent call last): File "<input>", line 1, in <module> File "<string>", line 1, in <module> NameError: name 'dummy' is not defined
Python 2.7的安全注意事项input:
由于评估了任何用户类型,因此也存在安全问题。例如,如果你已经使用加载os了程序中的模块import os,然后用户输入
os.remove("/etc/hosts")
它将由python评估为函数调用表达式,并将执行该函数。如果你以提升的权限执行Python,则/etc/hosts文件将被删除。瞧,这有多危险?
/etc/hosts
为了演示这一点,让我们尝试input再次执行函数。
>>> dude = "thefourtheye" >>> input("Enter your name: ") Enter your name: input("Enter your name again: ") Enter your name again: dude
现在,当input("Enter your name: ")执行时,它等待用户输入,并且用户输入是有效的Python函数调用,因此也会被调用。这就是为什么我们Enter your name again:再次看到提示。
input("Enter your name: ")
Enter your name again
因此,你最好使用这样的raw_input功能
input_variable = raw_input("Enter your name: ")
如果需要将结果转换为其他类型,则可以使用适当的函数将所返回的字符串转换为raw_input。例如,要将输入读取为整数,请使用此答案中int所示的函数。
在python 3.x中,只有一个函数可以获取用户输入,该函数称为inputpython 2.7 raw_input。