我创建了以下代码来拼写单词中的字母(第一个和最后一个字母除外),但是如何在一个句子中拼写单词的字母;如果输入要求一个句子而不是一个单词。谢谢你的时间!
import random
def main():
word = input("Please enter a word: ")
print(scramble(word))
def scramble(word):
char1 = random.randint(1, len(word)-2)
char2 = random.randint(1, len(word)-2)
while char1 == char2:
char2 = random.randint(1, len(word)-2)
newWord = ""
for i in range(len(word)):
if i == char1:
newWord = newWord + word[char2]
elif i == char2:
newWord = newWord + word[char1]
else:
newWord = newWord + word[i]
return newWord
main()
答案 0 :(得分:1)
使用split
方法将句子拆分为单词列表(以及一些标点符号):
words = input().split()
然后执行与之前相同的操作,除了使用列表而不是字符串。
word1 = random.randint(1, len(words)-2)
...
newWords = []
...
newWords.append(whatever)
除了你正在做的事情之外,还有更有效的交换方式:
def swap_random_middle_words(sentence):
newsentence = list(sentence)
i, j = random.sample(xrange(1, len(sentence) - 1), 2)
newsentence[i], newsentence[j] = newsentence[j], newsentence[i]
return newsentence
如果您真正想要做的是将单词争用应用于句子的每个单词,您可以通过循环或列表理解来实现:
sentence = input().split()
scrambled_sentence = [scramble(word) for word in sentence]
如果你想完全随机化中间字母(或单词)的顺序,而不是仅仅交换两个随机字母(或单词),random.shuffle
函数可能会有用。
答案 1 :(得分:1)
我可以建议random.shuffle()
吗?
def scramble(word):
foo = list(word)
random.shuffle(foo)
return ''.join(foo)
要扰乱单词的顺序:
words = input.split()
random.shuffle(words)
new_sentence = ' '.join(words)
要对句子中的每个单词进行加扰,请保留顺序:
new_sentence = ' '.join(scramble(word) for word in input.split())
如果按原样保留第一个和最后一个字母很重要:
def scramble(word):
foo = list(word[1:-1])
random.shuffle(foo)
return word[0] + ''.join(foo) + word[-1]