Python 字符串 split() 方法

实例

将字符串拆分成一个列表,其中每个单词都是一个列表项:

  1. txt = "welcome to China"
  2.  
  3. x = txt.split()
  4.  
  5. print(x)

定义和用法

split() 方法将字符串拆分为列表。

您可以指定分隔符,默认分隔符是任何空白字符。

注释:若指定 max,列表将包含指定数量加一的元素。

语法

  1. string.split(separator, max)

参数值

参数 描述
separator 可选。规定分割字符串时要使用的分隔符。默认值为空白字符。
max 可选。规定要执行的拆分数。默认值为 -1,即“所有出现次数”。

更多实例

实例

使用逗号后跟空格作为分隔符,分割字符串:

  1. txt = "hello, my name is Bill, I am 63 years old"
  2.  
  3. x = txt.split(", ")
  4.  
  5. print(x)

实例

使用井号字符作为分隔符:

  1. txt = "apple#banana#cherry#orange"
  2.  
  3. x = txt.split("#")
  4.  
  5. print(x)

实例

将字符串拆分为最多 2 个项目的列表:

  1. txt = "apple#banana#cherry#orange"
  2.  
  3. # 将 max 参数设置为 1,将返回包含 2 个元素的列表!
  4. x = txt.split("#", 1)
  5.  
  6. print(x)