2 回答

TA貢獻(xiàn)1802條經(jīng)驗(yàn) 獲得超6個(gè)贊
以下是一些可能有幫助的事情:
ascii_lowercase模塊中string是包含所有小寫(xiě)字母字符的預(yù)定義字符串:
>>> from string import ascii_lowercase
>>> ascii_lowercase
'abcdefghijklmnopqrstuvwxyz'
>>>
我們可以通過(guò)創(chuàng)建一組元音并獲取元音和所有字符之間的差異來(lái)生成所有輔音的集合:
from string import ascii_lowercase as alphabet
vowels = set("aeiou")
consonants = set(alphabet) ^ vowels
print(consonants)
輸出:
{'c', 's', 'q', 'm', 'g', 'd', 'y', 'l', 'b', 'k', 't', 'j', 'r', 'p', 'h', 'v', 'n', 'w', 'z', 'f', 'x'}
>>>
由于這是一個(gè)集合,因此沒(méi)有內(nèi)在順序,但這并不重要。如果我們想知道給定的字符是輔音還是元音,我們只需檢查相應(yīng)集合的成員資格(您可以對(duì)列表執(zhí)行相同的操作,但集合將是首選數(shù)據(jù)結(jié)構(gòu))。
無(wú)論您的vowelsand是否使用列表或集合consonants,您都可以通過(guò)簡(jiǎn)單地檢查成員資格(檢查某個(gè)字符是否在集合中)來(lái)簡(jiǎn)化代碼:
if word[0] in vowels:
# The first letter is a vowel
elif word[0] in consonants:
# The first letter is a consonant
如果您事先知道word只包含小寫(xiě)字母字符(沒(méi)有特殊符號(hào)、數(shù)字、大寫(xiě)字母等),那么您可以進(jìn)一步簡(jiǎn)化它:
if word[0] in vowels:
# The first letter is a vowel
else:
# If it's not a vowel, it must be a consonant
然而,如果你仔細(xì)想想,你根本不需要檢查第一個(gè)字母是否是元音。您已經(jīng)知道您將在最終字符串的末尾添加"ay",無(wú)論第一個(gè)字母是元音還是輔音 - 因此,您實(shí)際上只需要檢查第一個(gè)字母是否是輔音。
使用到目前為止的所有內(nèi)容,我將得到以下偽代碼:
def to_pig_latin(word):
from string import ascii_lowercase as alphabet
vowels = set("aeiou")
consonants = set(alphabet) ^ vowels
if word[0] in consonants:
# Do something
return ... + "ay"
我已重命名該 function to_pig_latin,因?yàn)槭走x蛇形命名法,并且在函數(shù)名稱(chēng)前加上前綴to表示您正在翻譯/轉(zhuǎn)換某些內(nèi)容。vowels我還將和的創(chuàng)建移到consonants了函數(shù)中,只是因?yàn)闆](méi)有理由將它放在函數(shù)之外,而且這樣更可愛(ài)。

TA貢獻(xiàn)1862條經(jīng)驗(yàn) 獲得超7個(gè)贊
我同意 Charles Duffy 的評(píng)論,即我們不為您設(shè)計(jì)程序。然而,你走錯(cuò)了路,我認(rèn)為你需要一些指導(dǎo)。這是我正在談?wù)摰囊粋€(gè)例子。有很多方法可以做到這一點(diǎn),這是一個(gè)簡(jiǎn)單的解決方案(眾多解決方案之一)。
def pigLatin(word):
vowels = list("aeiou")
consonants = list("bcdfghjklmnpqrstvwxyz")
if word[0] in vowels:
word = word + "ay"
else:
for counter, letter in enumerate(list(word)):
if letter in vowels:
word = word[counter:] + word[:counter] + "ay"
break
return word
print(pigLatin("art"))
print(pigLatin("donkey"))
如果傳遞給 pigLatin 的單詞包含大寫(xiě)字符怎么辦?您可以通過(guò)將所有內(nèi)容轉(zhuǎn)換為小寫(xiě)(或大寫(xiě),您的偏好)來(lái)修改該函數(shù)。
def pigLatin(word):
vowels = list("aeiou")
consonants = list("bcdfghjklmnpqrstvwxyz")
if word[0].lower() in vowels:
word = word + "ay"
else:
for counter, letter in enumerate(list(word)):
if letter.lower() in vowels:
word = word[counter:] + word[:counter] + "ay"
break
return word
您知道這段代碼有多簡(jiǎn)單和靈活嗎?
添加回答
舉報(bào)