在Python中是否有任何函数可以用来在字符串的特定位置插入值?

就像这样:

“3655879ACB6”,然后在位置4添加“-”,变成“3655-879ACB6”


当前回答

我想添加另一个简单的一行程序解决方案;)

“-”。加入([_string [4], _string [4:]]

其他回答

简单的函数来完成这个:

def insert_str(string, str_to_insert, index):
    return string[:index] + str_to_insert + string[index:]

由于字符串是不可变的,另一种方法是将字符串转换为列表,然后可以在没有任何切片技巧的情况下对其进行索引和修改。但是,要将列表还原为字符串,必须使用空字符串的.join()。

>>> hash = '355879ACB6'
>>> hashlist = list(hash)
>>> hashlist.insert(4, '-')
>>> ''.join(hashlist)
'3558-79ACB6'

我不确定这与性能相比如何,但我确实觉得它比其他解决方案更容易看到眼睛。: -)

这看起来很简单:

>>> hash = "355879ACB6"
>>> hash = hash[:4] + '-' + hash[4:]
>>> print hash
3558-79ACB6

然而,如果你喜欢函数之类的东西,可以这样做:

def insert_dash(string, index):
    return string[:index] + '-' + string[index:]

print insert_dash("355879ACB6", 5)

不。Python字符串是不可变的。

>>> s='355879ACB6'
>>> s[4:4] = '-'
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
TypeError: 'str' object does not support item assignment

但是,可以创建一个包含插入字符的新字符串:

>>> s[:4] + '-' + s[4:]
'3558-79ACB6'

我想添加另一个简单的一行程序解决方案;)

“-”。加入([_string [4], _string [4:]]