我的代码需要向用户询问3个号码。如果数字超过100
或低于1
,请告诉他们"no way, try a different number"
我的问题是:我无法弄清楚如何定义变量prompt
,并在运行代码时得到以下stacktrace
。
代码:
def get_int(prompt, minval, maxval):
"""gets a value for an input. if its too small or large gives error"""
n= int(input("Choose a number between 1 and 100: "))
maxval= n > 100
minval= n< 1
prompt = n
int_choice.append(n)
return None
int_choice=[]# list for adding inputs
for i in range (3):
get_int(prompt, minval, maxval)
if n== minval or n== maxval:
print("no way, try a diffrent number")
int_choice.append(n)
print("you chose: ", int_choice)
堆栈跟踪:
>line 18, in <module>
get_int(prompt, minval, maxval)
NameError: name 'prompt' is not defined
is the error message
答案 0 :(得分:0)
以下是我将如何处理get_int函数:
def get_int(prompt, minval, maxval):
'''Prompt for integer value between minval and maxval, inclusive.
Repeat until user provides a valid integer in range.
'''
while 1:
n = int(input(prompt))
if (n < minval):
print("value too small")
print("value must be at least {0}".format(minval))
elif (n > maxval):
print("value too large")
print("value must be not more than {0}".format(maxval))
else:
print("value accepted")
return n
pass
# TODO: raise a ValueError or a RuntimeError exception
# if user does not provide valid input within a preset number tries
if __name__ == "__main__":
# Example: test the get_int function
# Requires user interaction.
# Expect out-of-range values 0, 101, -5, etc. should be rejected.
# Expect range limit values 1 and 100 shoudl be accepted.
# Expect in-range values like 50 or 75 should be accepted.
minval = 1
maxval = 100
test1 = get_int("Choose a number between {0} and {1}: ".format(
minval,maxval), minval, maxval)
print("get_int returned {0}".format(test1))
在内部函数get_int
中,prompt
,minval
和maxval
参数已经定义,因为它们位于参数列表中。 prompt
参数传递给input()
函数,然后minval
和maxval
限制用于无限while循环中的范围检查。该函数返回范围内的有效数字。如果用户输入超出范围的整数,我们会再次询问它们,直到它们给出可接受的输入。因此,调用者可以保证获得指定范围内的整数。
这不是理想的设计,因为如果用户不想输入数字,但他们想要导航回#34; ......那么超出了这种方法的范围。但是有一种更高级的编程技术称为异常处理(例如,在try
/ catch
/ throw
上阅读)7.4. The try statement。
在调用get_int
的函数外部,minval
和maxval
被定义为主模块名称空间中的全局变量。为了测试,我只是以交互模式运行,接受单个值。测试了python 2.7和python 3.2。
如果你之前从未见过"xxxxx {0} xxxx".format(value)
字符串格式化表达式,那么python帮助文件部分6.1.2. String Formatting和6.1.3.2. Format examples中描述的那些。