from itertools import chain, repeat
prompts = chain(["Enter a number: "], repeat("Not a number! Try again: "))
replies = map(input, prompts)
valid_response = next(filter(str.isdigit, replies))
print(valid_response)
Enter a number: a
Not a number! Try again: b
Not a number! Try again: 1
1
veya diğer yanıtlarda olduğu gibi bir giriş isteminden ayrılmış bir "hatalı giriş" mesajı almak istiyorsanız:
prompt_msg = "Enter a number: "
bad_input_msg = "Sorry, I didn't understand that."
prompts = chain([prompt_msg], repeat('\n'.join([bad_input_msg, prompt_msg])))
replies = map(input, prompts)
valid_response = next(filter(str.isdigit, replies))
print(valid_response)
Enter a number: a
Sorry, I didn't understand that.
Enter a number: b
Sorry, I didn't understand that.
Enter a number: 1
1
O nasıl çalışır?
prompts = chain(["Enter a number: "], repeat("Not a number! Try again: "))
Bu kombinasyonu itertools.chain
ve itertools.repeat
dizeleri verecektir bir yineleyici yaratacak "Enter a number: "
bir kez ve "Not a number! Try again: "
zaman sonsuz sayıda:
for prompt in prompts:
print(prompt)
Enter a number:
Not a number! Try again:
Not a number! Try again:
Not a number! Try again:
# ... and so on
replies = map(input, prompts)
- burada önceki adımdaki map
tüm prompts
dizeleri input
işleve uygulayacaktır . Örneğin:
for reply in replies:
print(reply)
Enter a number: a
a
Not a number! Try again: 1
1
Not a number! Try again: it doesn't care now
it doesn't care now
# and so on...
- Biz kullanmak
filter
ve str.isdigit
sadece parmaklara içeren bu dizeleri filtrelemek için:
only_digits = filter(str.isdigit, replies)
for reply in only_digits:
print(reply)
Enter a number: a
Not a number! Try again: 1
1
Not a number! Try again: 2
2
Not a number! Try again: b
Not a number! Try again: # and so on...
Ve sadece kullandığımız ilk basamak dizesini almak için next
.
Diğer doğrulama kuralları:
Dize yöntemleri: Elbette str.isalpha
yalnızca alfabetik dizeler str.isupper
almak veya yalnızca büyük harf almak gibi diğer dize yöntemlerini kullanabilirsiniz . Tam liste için dokümanlara bakın .
Üyelik testi:
Bunu gerçekleştirmenin birkaç farklı yolu vardır. Bunlardan biri __contains__
yöntemi kullanmaktır :
from itertools import chain, repeat
fruits = {'apple', 'orange', 'peach'}
prompts = chain(["Enter a fruit: "], repeat("I don't know this one! Try again: "))
replies = map(input, prompts)
valid_response = next(filter(fruits.__contains__, replies))
print(valid_response)
Enter a fruit: 1
I don't know this one! Try again: foo
I don't know this one! Try again: apple
apple
Sayı karşılaştırması:
Burada kullanabileceğimiz yararlı karşılaştırma yöntemleri vardır. Örneğin, __lt__
( <
) için:
from itertools import chain, repeat
prompts = chain(["Enter a positive number:"], repeat("I need a positive number! Try again:"))
replies = map(input, prompts)
numeric_strings = filter(str.isnumeric, replies)
numbers = map(float, numeric_strings)
is_positive = (0.).__lt__
valid_response = next(filter(is_positive, numbers))
print(valid_response)
Enter a positive number: a
I need a positive number! Try again: -5
I need a positive number! Try again: 0
I need a positive number! Try again: 5
5.0
Veya, dunder yöntemlerini kullanmayı sevmiyorsanız (dunder = çift alt çizgi), her zaman kendi işlevinizi tanımlayabilir veya operator
modülden kullanabilirsiniz.
Yol varlığı:
Burada pathlib
kütüphane ve Path.exists
yöntemi kullanılabilir:
from itertools import chain, repeat
from pathlib import Path
prompts = chain(["Enter a path: "], repeat("This path doesn't exist! Try again: "))
replies = map(input, prompts)
paths = map(Path, replies)
valid_response = next(filter(Path.exists, paths))
print(valid_response)
Enter a path: a b c
This path doesn't exist! Try again: 1
This path doesn't exist! Try again: existing_file.txt
existing_file.txt
Deneme sayısını sınırlama:
Bir kullanıcıya sonsuz sayıda şey sorarak işkence etmek istemiyorsanız, çağrısında bir sınır belirleyebilirsiniz itertools.repeat
. Bu, next
işleve varsayılan bir değer sağlayarak birleştirilebilir :
from itertools import chain, repeat
prompts = chain(["Enter a number:"], repeat("Not a number! Try again:", 2))
replies = map(input, prompts)
valid_response = next(filter(str.isdigit, replies), None)
print("You've failed miserably!" if valid_response is None else 'Well done!')
Enter a number: a
Not a number! Try again: b
Not a number! Try again: c
You've failed miserably!
Giriş verilerini ön işleme:
Bazen kullanıcı yanlışlıkla CAPS'ta veya dizenin başında veya sonunda bir boşluk sağladıysa bir girişi reddetmek istemeyiz . Bu basit hataları hesaba katmak için giriş verilerini str.lower
ve str.strip
yöntemlerini kullanarak ön işlem yapabiliriz . Örneğin, üyelik testi durumunda kod şöyle görünecektir:
from itertools import chain, repeat
fruits = {'apple', 'orange', 'peach'}
prompts = chain(["Enter a fruit: "], repeat("I don't know this one! Try again: "))
replies = map(input, prompts)
lowercased_replies = map(str.lower, replies)
stripped_replies = map(str.strip, lowercased_replies)
valid_response = next(filter(fruits.__contains__, stripped_replies))
print(valid_response)
Enter a fruit: duck
I don't know this one! Try again: Orange
orange
Ön işleme için kullanılacak birçok fonksiyonunuz varsa, bir fonksiyon kompozisyonu gerçekleştiren bir fonksiyon kullanmak daha kolay olabilir . Örneğin, buradan birini kullanarak :
from itertools import chain, repeat
from lz.functional import compose
fruits = {'apple', 'orange', 'peach'}
prompts = chain(["Enter a fruit: "], repeat("I don't know this one! Try again: "))
replies = map(input, prompts)
process = compose(str.strip, str.lower) # you can add more functions here
processed_replies = map(process, replies)
valid_response = next(filter(fruits.__contains__, processed_replies))
print(valid_response)
Enter a fruit: potato
I don't know this one! Try again: PEACH
peach
Doğrulama kurallarını birleştirme:
Basit bir durum için, örneğin, program 1 ile 120 yaş arasında istediğinde, biri sadece başka bir tane ekleyebilir filter
:
from itertools import chain, repeat
prompt_msg = "Enter your age (1-120): "
bad_input_msg = "Wrong input."
prompts = chain([prompt_msg], repeat('\n'.join([bad_input_msg, prompt_msg])))
replies = map(input, prompts)
numeric_replies = filter(str.isdigit, replies)
ages = map(int, numeric_replies)
positive_ages = filter((0).__lt__, ages)
not_too_big_ages = filter((120).__ge__, positive_ages)
valid_response = next(not_too_big_ages)
print(valid_response)
Ancak birçok kural olduğunda, mantıksal birleşme gerçekleştiren bir işlevi uygulamak daha iyidir . Aşağıdaki örnekte buradan hazır bir tane kullanacağım :
from functools import partial
from itertools import chain, repeat
from lz.logical import conjoin
def is_one_letter(string: str) -> bool:
return len(string) == 1
rules = [str.isalpha, str.isupper, is_one_letter, 'C'.__le__, 'P'.__ge__]
prompt_msg = "Enter a letter (C-P): "
bad_input_msg = "Wrong input."
prompts = chain([prompt_msg], repeat('\n'.join([bad_input_msg, prompt_msg])))
replies = map(input, prompts)
valid_response = next(filter(conjoin(*rules), replies))
print(valid_response)
Enter a letter (C-P): 5
Wrong input.
Enter a letter (C-P): f
Wrong input.
Enter a letter (C-P): CDE
Wrong input.
Enter a letter (C-P): Q
Wrong input.
Enter a letter (C-P): N
N
Ne yazık ki, birisi başarısız olan her vaka için özel bir mesaja ihtiyaç duyarsa, korkarım, oldukça işlevsel bir yol yoktur . Ya da en azından bir tane bulamadım.