im试图创建一个接受单词(大写字母和小写字母)并将每个字符映射到一个新字符的函数。模式是每个元音(AEIOU)依次成为下一个元音(A-> E,E-> I)。对于常数字母,则变为三分之一字母(B-> F,C-> G)
>>>'hello'
'lippu'
>>> 'today'
'xuhec'
>>> 'yesterday'
'ciwxivhec'
我知道我必须创建两个列表:
vowels = ['a', 'e', 'i', 'o', 'u']
constants = ['b', 'c','d','f','g','h','j','k','l','m','n','p', 'q','r', 's','t','v','w','x','y', 'z']
并使用index()函数来检查当前索引并向其添加3,但之后会卡住。
对于超出列表范围的案例,字母会循环返回。 (x-z和u)
答案 0 :(得分:2)
要计算地图,您可以使用enumerate(获取当前索引)和模(对于大于列表长度的索引),如下所示:
vowels = ['a', 'e', 'i', 'o', 'u']
consonants = ['b', 'c', 'd', 'f', 'g', 'h', 'j', 'k', 'l', 'm', 'n', 'p', 'q', 'r', 's', 't', 'v', 'w', 'x', 'y', 'z']
vowels_map = {k: vowels[(i + 1) % len(vowels)] for i, k in enumerate(vowels)}
consonants_map = {k: consonants[(i + 3) % len(consonants)] for i, k in enumerate(consonants)}
print(vowels_map)
print(consonants_map)
输出
{'u': 'a', 'a': 'e', 'o': 'u', 'e': 'i', 'i': 'o'}
{'s': 'w', 'z': 'd', 'v': 'y', 'm': 'q', 'f': 'j', 'h': 'l', 'd': 'h', 'g': 'k', 'q': 't', 'n': 'r', 'p': 's', 'k': 'n', 't': 'x', 'y': 'c', 'r': 'v', 'w': 'z', 'x': 'b', 'l': 'p', 'b': 'f', 'j': 'm', 'c': 'g'}
请注意,字典没有顺序,也就是说您可以按以下方式使用它们:
def replace_from_dict(word, table):
return ''.join(table[c] for c in word)
words = ['hello',
'today',
'yesterday']
for word in words:
print(replace_from_dict(word, { **vowels_map, **consonants_map }))
输出 (通过使用replace_from_dict)
lippu
xuhec
ciwxivhec
答案 1 :(得分:1)
我们可以使用itertools.cycle
。首先检查哪个类别i
属于vowel
或consonants
(不是常数)。然后从相应的列表中创建一个cycle
,使用while
和next
直到我们到达相应的字母为止。如果它的值为vowel
,我们只需附加next
值;如果它的值为consonant
,我们前进2个位置,然后附加next
值。使用.join()
转换回字符串后。
from itertools import cycle
vwl = ['a', 'e', 'i', 'o', 'u']
cnst = ['b', 'c','d','f','g','h','j','k','l','m','n','p', 'q','r', 's','t','v','w','x','y', 'z']
s = 'hello'
new = []
for i in s.lower():
if i in vwl:
a = cycle(vwl)
while i != next(a):
next(a)
new.append(next(a))
if i in cnst:
b = cycle(cnst)
while i != next(b):
next(b)
for x in range(2):
next(b)
new.append(next(b))
res = ''.join(new)
print(res)
# lippu
适用于包含边号的单词,zumba
产生daqfe
答案 2 :(得分:0)
我为边缘情况定义了两个字典,vowel_dictionary,和一个针对字母x / y / z的字典,以实现环绕。我遍历字符串,如果该字符是一个特殊字符,则使用适当的字典来查找单词。但是,如果字符在“ w”以下而不是元音以下,我只需在其ord
值(ASCII值)上加上4并将其转换为char。
def transform(input):
return_string = ""
vowel_dictionary = {
'a': 'e',
'e': 'i',
'i': 'o',
'o': 'u',
'u': 'a'
}
edge_dictionary = {
'x': 'b',
'y': 'c',
'z': 'd'
}
for character in input.lower():
if character in vowel_dictionary:
return_string += vowel_dictionary[character]
elif ord(character) <= ord("v"):
return_string += chr(ord(character) + 4)
else :
return_string += edge_dictionary[character]
return return_string
我已经使用上面的代码进行了一些测试:
测试
transform("hello") # => lippu
transform("today") # => xuhec
transform("yesterday") # => ciwxivhec