试图使这个python程序工作



这就是我要做的。我在电脑上的一个特殊目录里有很多文件夹,用来隐藏东西。我有4级文件夹,每个文件夹的文件夹编号为1 - 4。

的例子:

1>1>1>1
1>1>1>2
...
1>2>1>1
...
4>1>1>1
...
4>4>4>4

我写了一个python程序来请求一个pin,然后打开与pin对应的文件目录。[例. .引脚# 4322将打开4>3>2>2]。唯一的问题是我不能限制输入只有数字1 - 4,当我输入这个范围以外的数字internet explorer是打开的(啊!IE)。

下面是代码....(Python 2.7.6)

pin=str(raw_input("What is your 4-digit pin number? "))
intpin=int(pin)
#==============##==============#
pin1=pin[0:1]
pin2=pin[1:2]
pin3=pin[2:3]
pin4=pin[3:4]
#==============##==============#
ipin1=int(pin1)
ipin2=int(pin2)
ipin3=int(pin3)
ipin4=int(pin4)
#==============##==============#
print("")
print pin1
print pin2
print("")
path=("D:/Documents/Personal/"+pin1+"/"+pin2+"/"+pin3+"/"+pin4)
import webbrowser as wb
wb.open(path)
#==============##==============#
print("Thank You!")
print("Your window has opened, now please close this one...")

您可以测试输入,以确保所有的数字1-4:

bol = False
while bol == False:
    pin=str(raw_input("What is your 4-digit pin number? "))
    for digit in pin:
        if int(digit) in [1,2,3,4]:
            bol = True
        else:
            print "invalid pin"
            bol = False
            break

添加到代码的开头应该可以工作。你的代码当然可以更简洁,但这不是我纠正你的地方。

您可以使用正则表达式。正则表达式总是一个好朋友。

import re
if not re.match("^([1-4])([1-4])([1-4])([1-4])$", pin):
        print "Well that's not your pin, is it?"
        import sys
        sys.exit()

首先,raw_input总是输出一个字符串,无论您是否输入一个数字。你不需要做str(raw_input...。证明如下:

>>> d = raw_input("What is your 4-digit number? ")
What is your 4-digit number? 5
>>> print type(d)
<type 'str'>

第二,被接受的答案不能保护您免受超过4位数的输入。即使是12341234的输入也会被接受,因为它不会检查传入字符串的长度。

这里的一个解决方法是不检查字符串,而是检查等效的整数。你想要的范围是[1111, 4444]。在这一点上,使用assert是可以的,因此当他们输入低于或高于该值的任何内容时,您可以引发断言错误。然而,这样做的一个失败之处在于,有可能传入像1111.4这样的东西,它仍然满足包含检查(尽管由于ValueError而在转换时失败)。

考虑到上面的问题,这里是你的代码的另一种选择。

def is_valid(strnum):
    # Returns false when inputs like 1.2 are given.
    try:
        intnum = int(strnum)
    except ValueError, e:
        return False
    # Check the integer equivalent if it's within the range.
    if 1111 <= intnum <= 4444:
        return True
    else: return False
strnum = raw_input("What is your 4-digit PIN?n>> ")
# print is_valid(strnum)
if is_valid:
    # Your code here...

以下是一些测试:

# On decimal/float-type inputs.
>>> 
What is your 4-digit PIN?
>> 1.2
False
>>> 
# On below or above the range wanted.
>>> 
What is your 4-digit PIN?
>> 5555
False
>>> 
What is your 4-digit PIN?
>> 1110
False
>>> 
What is your 4-digit PIN?
>> 1234
True
>>> 

相关内容

  • 没有找到相关文章

最新更新