11

到目前为止,这是我的代码:

input1 = input("Please enter a string: ")
newstring = input1.replace(' ','_')
print(newstring)

因此,如果我将输入输入为:

I want only    one     underscore.

它目前显示为:

I_want_only_____one______underscore.

但我希望它像这样显示:

I_want_only_one_underscore.
4

3 回答 3

31

此模式将用单个下划线替换任何空白组

newstring = '_'.join(input1.split())

如果您只想替换空格(不是制表符/换行符/换行符等),使用正则表达式可能更容易

import re
newstring = re.sub(' +', '_', input1)
于 2013-03-07T00:05:29.313 回答
6

肮脏的方式:

newstring = '_'.join(input1.split())

更好的方式(更可配置):

import re
newstring = re.sub('\s+', '_', input1)

使用功能的额外超脏方式replace

def replace_and_shrink(t):
    '''For when you absolutely, positively hate the normal ways to do this.'''
    t = t.replace(' ', '_')
    if '__' not in t:
        return t
    t = t.replace('__', '_')
    return replace_and_shrink(t)
于 2013-03-07T00:08:08.107 回答
4

第一种方法(不起作用)

>>> a = '213         45435             fdgdu'
>>> a
'213         45435                            fdgdu                              '
>>> b = ' '.join( a.split() )
>>> b
'213 45435 fdgdu'

如您所见,变量 a 在“有用的”子字符串之间包含大量空格。不带参数的 split() 函数和 join() 函数的组合清除了多个空格中的初始字符串。

当初始字符串包含特殊字符(例如 '\n')时,前面的技术会失败:

>>> a = '213\n         45435\n             fdgdu\n '
>>> b = ' '.join( a.split() )
>>> b
'213 45435 fdgdu'   (the new line characters have been lost :( )

为了纠正这个问题,我们可以使用以下(更复杂的)解决方案。

第二种方法(作品)

>>> a = '213\n         45435\n             fdgdu\n '
>>> tmp = a.split( ' ' )
>>> tmp
['213\n', '', '', '', '', '', '', '', '', '45435\n', '', '', '', '', '', '', '', '', '', '', '', '', 'fdgdu\n', '']
>>> while '' in tmp: tmp.remove( '' )
... 
>>> tmp
['213\n', '45435\n', 'fdgdu\n']
>>> b = ' '.join( tmp )
>>> b
'213\n 45435\n fdgdu\n'

第三种方法(作品)

在我看来,这种方法有点pythonic。核实:

>>> a = '213\n         45435\n             fdgdu\n '
>>> b = ' '.join( filter( len, a.split( ' ' ) ) )
>>> b
'213\n 45435\n fdgdu\n'
于 2014-10-16T13:17:06.937 回答