python去字符串空格函数汇总

  • 1 strip()方法,去除字符串开头或者结尾的空格
>>> a = ' hello '
>>> a.strip()
'hello'
  • 2 lstrip()方法,去除字符串开头的空格
>>> a = ' hello '
>>> a.lstrip()
'hello '
  • 3 rstrip()方法,去除字符串结尾的空格
>>> a = ' hello '
>>> a.rstrip()
' hello'
>>> 
  • 4 replace()方法,可以去除全部空格
>>> a = ' he l lo '
>>> a.replace(' ', '')
'hello'
  • 5 join()方法+split()方法,可以去除全部空格
>>> a = ' h el l o '
>>> b = a.split()  # 字符串按照空格分割成列表
>>> b
['h', 'el', 'l', 'o']
>>> c = ''.join(b)  #使用一个空字符串合成列表内容生成新的字符串
>>> c
'hello'

简化一下:

>>> a = ' h el l o '
>>> ''.join(a.split())
'hello'

补充例题:
摘自廖大神的文章例题:
利用切片操作,实现一个trim()函数,去除字符串首尾的空格,注意不要调用str的strip()方法
代码如下:

def trim(s):
    if s == '':
        return s
    while (s[0] == ' '):
        s = s[1:]
    while s[-1] == ' ':
        s = s[:-1]
    return s

print(trim('    hello    '))
print('hello')

以上代码有错误
如果s = ’ '的情况会进行报错。“string index out of range”
修改代码:

def trim(s):
    if s == '':
        return s
    while (s[:1] == ' '):
        s = s[1:]
    while s[-1:] == ' ':
        s = s[:-1]
    return s

print(trim('    hello    '))
print('hello')

本练习只要是复习切片知识,以上内容为扩展。

你可能感兴趣的:(学习笔记)