简体   繁体   English

如何在Python中重复字符串中的单个字符

[英]How to repeat individual characters in strings in Python

I know that我知道

"123abc" * 2

evaluates as "123abc123abc" , but is there an easy way to repeat individual letters N times, eg convert "123abc" to "112233aabbcc" or "111222333aaabbbccc" ?评估为"123abc123abc" ,但是有没有一种简单的方法可以将单个字母重复 N 次,例如将"123abc"转换为"112233aabbcc""111222333aaabbbccc"

What about:怎么样:

>>> s = '123abc'
>>> n = 3
>>> ''.join([char*n for char in s])
'111222333aaabbbccc'
>>> 

(changed to a list comp from a generator expression as using a list comp inside join is faster ) (从生成器表达式更改为列表 comp,因为在 join 内使用列表 comp更快

An alternative itertools -problem-overcomplicating-style option with repeat() , izip() and chain() :一个带有repeat()izip()chain()的替代itertools -problem-overcomplicating-style 选项:

>>> from itertools import repeat, izip, chain
>>> "".join(chain(*izip(*repeat(s, 2))))
'112233aabbcc'
>>> "".join(chain(*izip(*repeat(s, 3))))
'111222333aaabbbccc'

Or, "I know regexes and I'll use it for everything"-style option:或者,“我知道正则表达式,我会用它做所有事情”风格的选项:

>>> import re
>>> n = 2
>>> re.sub(".", lambda x: x.group() * n, s)  # or re.sub('(.)', r'\1' * n, s) - thanks Eduardo
'112233aabbcc'

Of course, don't use these solutions in practice.当然,不要在实践中使用这些解决方案。

或者另一种方法是使用map

"".join(map(lambda x: x*7, "map"))

If you want to repeat individual letters you can just replace the letter with n letters eg如果你想重复单个字母,你可以用 n 个字母替换字母,例如

>>> s = 'abcde'
>>> s.replace('b', 'b'*5, 1)
'abbbbbcde'

Or using regular expressions:或者使用正则表达式:

>>> import re
>>> s = '123abc'
>>> n = 3
>>> re.sub('(.)', r'\1' * n, s)
'111222333aaabbbccc'

And since I use numpy for everything, here we go:因为我对所有东西都使用 numpy,所以我们开始:

import numpy as np
n = 4
''.join(np.array(list(st*n)).reshape(n, -1).T.ravel())

@Bahrom's answer is probably clearer than mine, but just to say that there are many solutions to this problem: @Bahrom 的答案可能比我的更清楚,但只是说这个问题有很多解决方案:

>>> s = '123abc'
>>> n = 3
>>> reduce(lambda s0, c: s0 + c*n, s, "")
'111222333aaabbbccc'

Note that reduce is not a built-in in python 3, and you have to use functools.reduce instead.请注意, reduce不是 python 3 中的内置函数,您必须改用functools.reduce

Another way:另一种方式:

def letter_repeater(n, string):
    word = ''
    for char in list(string):
        word += char * n
    print word

letter_repeater(4, 'monkeys')


mmmmoooonnnnkkkkeeeeyyyyssss

here is my naive solution这是我天真的解决方案

text = "123abc"
result = ''
for letters in text:
    result += letters*3

print(result)

output: 111222333aaabbbccc输出:111222333aaabbbccc

Python:蟒蛇:

def  LetterRepeater(times,word) :
    word1=''
    for letters in word:
        word1 += letters * times
    print(word1)

    word=input('Write down the word :   ')
    times=int(input('How many times you want to replicate the letters ?    '))
    LetterRepeater(times,word)

声明:本站的技术帖子网页,遵循CC BY-SA 4.0协议,如果您需要转载,请注明本站网址或者原文地址。任何问题请咨询:yoyou2525@163.com.

 
粤ICP备18138465号  © 2020-2024 STACKOOM.COM