我正在编写一个程序,我需要在python中对string
的{{1}}字母进行加扰。例如,我有一个list
list
个像:
string
我想要这样的事情:
l = ['foo', 'biology', 'sequence']
最好的方法是什么?
感谢您的帮助!
答案 0 :(得分:21)
Python包含电池..
>>> from random import shuffle
>>> def shuffle_word(word):
... word = list(word)
... shuffle(word)
... return ''.join(word)
列表理解是创建新列表的简便方法:
>>> L = ['foo', 'biology', 'sequence']
>>> [shuffle_word(word) for word in L]
['ofo', 'lbyooil', 'qceaenes']
答案 1 :(得分:4)
import random
words = ['foo', 'biology', 'sequence']
words = [''.join(random.sample(word, len(word))) for word in words]
答案 2 :(得分:2)
您可以使用random.shuffle:
>>> import random
>>> x = "sequence"
>>> l = list(x)
>>> random.shuffle(l)
>>> y = ''.join(l)
>>> y
'quncesee'
>>>
从这里你可以建立一个功能来做你想做的事。
答案 3 :(得分:0)
与我之前的人一样,我会使用random.shuffle()
:
>>> import random
>>> def mixup(word):
... as_list_of_letters = list(word)
... random.shuffle(as_list_of_letters)
... return ''.join(as_list_of_letters)
...
>>> map(mixup, l)
['oof', 'iogylob', 'seucqene']
>>> map(mixup, l)
['foo', 'byolgio', 'ueseqcen']
>>> map(mixup, l)
['oof', 'yobgloi', 'enescque']
>>> map(mixup, l)
['oof', 'yolbgoi', 'qsecnuee']
另见: