在 Python 中从字符串中删除逗号

Suraj Joshi 2023年1月30日
  1. 使用 Python 中的 replace() 方法从字符串中删除逗号
  2. 使用 Python 中的 re 包从字符串中删除逗号
在 Python 中从字符串中删除逗号

本教程解释了如何使用 Python 从字符串中删除逗号。要从 Python 中的字符串中删除逗号,我们可以使用 replace() 方法或 re 包。

我们将使用下面代码片段中的字符串来演示如何在 Python 中从字符串中删除逗号。

my_string = "Delft, Stack, Netherlands"
print(my_string)

输出:

Delft, Stack, Netherlands

使用 Python 中的 replace() 方法从字符串中删除逗号

Python str 类中的 replace() 方法用指定的子字符串替换子字符串并返回转换后的字符串。

replace() 方法的语法:

str.replace(old, new, count)

参数

old 子字符串,在字符串 str 中被替换
new 用于替换字符串 str 中的 old 子字符串的子字符串
count 可选参数,指定 oldnew 替换的次数。如果未提供 count,该方法将用 new 子字符串替换所有 old 子字符串。

返回值

old 子字符串替换为 new 子字符串的字符串。

示例:使用 str.replace() 方法从字符串中删除逗号

my_string = "Delft, Stack, Netherlands"
print("Original String is:")
print(my_string)

transformed_string = my_string.replace(",", "")
print("Transformed String is:")
print(transformed_string)

输出:

Original String is:
Delft, Stack, Netherlands
Transformed String is:
Delft Stack Netherlands

它将字符串 my_string 中的所有逗号替换为 ""。因此,删除了字符串 my_string 中的所有 ,

如果我们只想删除 my_string 中的第一个 ,,我们可以通过在 replace() 方法中传递 count 参数来实现。

my_string = "Delft, Stack, Netherlands"
print("Original String is:")
print(my_string)

transformed_string = my_string.replace(",", "", 1)
print("Transformed String is:")
print(transformed_string)

输出:

Original String is:
Delft, Stack, Netherlands
Transformed String is:
Delft Stack, Netherlands

由于在 replace() 方法中 count 的值设置为 1,它只会删除字符串 my_string 中的第一个逗号。

使用 Python 中的 re 包从字符串中删除逗号

在 Python 的 re pacakge 中,我们有 sub() 方法,该方法也可用于从字符串中删除逗号。

import re

my_string = "Delft, Stack, Netherlands"
print("Original String is:")
print(my_string)

transformed_string = re.sub(",", "", my_string)
print("Transformed String is:")
print(transformed_string)

输出:

Original String is:
Delft, Stack, Netherlands
Transformed String is:
Delft Stack Netherlands

它将字符串 my_string 中的所有 , 替换为 "",并删除字符串 my_string 中的所有逗号。

re.sub() 方法的第一个参数是要替换的子字符串,第二个参数是要替换的子字符串,第三个参数是要进行替换的字符串。

作者: Suraj Joshi
Suraj Joshi avatar Suraj Joshi avatar

Suraj Joshi is a backend software engineer at Matrice.ai.

LinkedIn

相关文章 - Python String