a = raw_input('How much is 1 share in that company? ')
while not a.isdigit():
print("You need to write a number!\n")
a = raw_input('How much is 1 share in that company? ')
これは、ユーザーがinteger
を入力した場合にのみ機能しますが、float
を入力した場合でも機能し、string
を入力した場合は機能しません。
したがって、ユーザーは両方の9
および9.2
、ただしabc
ではありません。
どうすればよいですか?
正規表現を使用してください。
import re
p = re.compile('\d+(\.\d+)?')
a = raw_input('How much is 1 share in that company? ')
while p.match(a) == None:
print "You need to write a number!\n"
a = raw_input('How much is 1 share in that company? ')
EAFP
try:
x = float(a)
except ValueError:
print("You must enter a number")
既存の回答は正解です。通常、よりPython的な方法は_try...except
_(つまりEAFP)を使用することです。
ただし、本当に検証を行いたい場合は、isdigit()
を使用する前に小数点を1つだけ削除できます。
_>>> "124".replace(".", "", 1).isdigit()
True
>>> "12.4".replace(".", "", 1).isdigit()
True
>>> "12..4".replace(".", "", 1).isdigit()
False
>>> "192.168.1.1".replace(".", "", 1).isdigit()
False
_
ただし、これはintとは異なり、floatを処理しないことに注意してください。ただし、本当に必要な場合は、そのチェックを追加できます。
Dan04の答えに基づいて:
def isDigit(x):
try:
float(x)
return True
except ValueError:
return False
使用法:
isDigit(3) # True
isDigit(3.1) # True
isDigit("3") # True
isDigit("3.1") # True
isDigit("hi") # False
import re
string1 = "0.5"
string2 = "0.5a"
string3 = "a0.5"
string4 = "a0.5a"
p = re.compile(r'\d+(\.\d+)?$')
if p.match(string1):
print(string1 + " float or int")
else:
print(string1 + " not float or int")
if p.match(string2):
print(string2 + " float or int")
else:
print(string2 + " not float or int")
if p.match(string3):
print(string3 + " float or int")
else:
print(string3 + " not float or int")
if p.match(string4):
print(string4 + " float or int")
else:
print(string4 + " not float or int")
output:
0.5 float or int
0.5a not float or int
a0.5 not float or int
a0.5a not float or int
@ dan04は適切なアプローチ(EAFP)だと思いますが、残念ながら現実の世界は多くの場合特別なケースであり、物事を管理するためにいくつかの追加コードが本当に必要です。 :
import sys
while True:
try:
a = raw_input('How much is 1 share in that company? ')
x = float(a)
# validity check(s)
if x < 0: raise ValueError('share price must be positive')
except ValueError, e:
print("ValueError: '{}'".format(e))
print("Please try entering it again...")
except KeyboardInterrupt:
sys.exit("\n<terminated by user>")
except:
exc_value = sys.exc_info()[1]
exc_class = exc_value.__class__.__name__
print("{} exception: '{}'".format(exc_class, exc_value))
sys.exit("<fatal error encountered>")
else:
break # no exceptions occurred, terminate loop
print("Share price entered: {}".format(x))
使用例:
> python numeric_input.py
How much is 1 share in that company? abc
ValueError: 'could not convert string to float: abc'
Please try entering it again...
How much is 1 share in that company? -1
ValueError: 'share price must be positive'
Please try entering it again...
How much is 1 share in that company? 9
Share price entered: 9.0
> python numeric_input.py
How much is 1 share in that company? 9.2
Share price entered: 9.2
s = '12.32'
if s.replace('.', '').replace('-', '').isdigit():
print(float(s))
これは負のfloat
sでも機能することに注意してください。