1

我创建了以下代码来打乱单词中的字母(第一个和最后一个字母除外),但是如何打乱句子中单词的字母;给定输入要求一个句子而不是一个单词。感谢您的时间!

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()
4

2 回答 2

4

我可以建议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]
于 2014-03-04T01:36:33.320 回答
2

使用以下方法将句子拆分为单词列表(和一些标点符号)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函数可能很有用。

于 2014-03-04T01:25:58.907 回答