在 Python 中從字串中刪除換行符 \n

Muhammad Waiz Khan 2023年1月30日
  1. Python 中使用 str.strip() 方法從字串中刪除\n
  2. Python 中使用 str.replace() 方法從字串中刪除\n
  3. Python 中使用正規表示式從字串中刪除 \n
在 Python 中從字串中刪除換行符 \n

在本教程中,我們將研究從字串中刪除\n\t 的不同方法。

Python 中使用 str.strip() 方法從字串中刪除\n

為了使用 str.strip() 方法從字串中刪除\n,我們需要將\n\t 傳遞給該方法,它將返回從字串中刪除\n\t 後的原始字串的副本。

注意
str.strip() 方法只刪除字串開始和結束位置的子字串。

示例程式碼:

string = "\tHello, how are you\n"
print("Old String:")
print("'" + string + "'")

string = string.strip("\n")
string = string.strip("\t")
print("New String:")
print("'" + string + "'")

輸出:

Old String:
'    Hello, how are you?
'
New String:
'Hello, how are you?'

Python 中使用 str.replace() 方法從字串中刪除\n

從一個字串中刪除\n\t 的另一種方法是使用 str.replace() 方法。我們應該記住,str.replace() 方法將從整體上替換給定的字串,而不是僅僅從字串的開頭或結尾。如果你只需要從開頭和結尾刪除一些內容,你應該使用 str.strip() 方法。

str.replace() 方法有兩個引數作為輸入,一是你要替換的字元或字串,二是你要替換的字元或字串。在下面的例子中,由於我們只想刪除\n\t,所以我們將空字串作為第二個引數。

示例程式碼:

string = "Hello, \nhow are you\t?\n"
print("Old String:")
print("'" + string + "'")

string = string.replace("\n", "")
string = string.replace("\t", "")
print("New String:")
print("'" + string + "'")

輸出:

Old String:
'Hello, 
how are you    ?
'
New String:
'Hello, how are you?'

Python 中使用正規表示式從字串中刪除 \n

要從字串中刪除\n,我們可以使用 re.sub() 方法。下面的程式碼示例演示瞭如何使用 re.sub() 方法刪除\n\n 是換行符的正規表示式 regex 模式,它將被空字串-""替換。

import re

string = "Hello, \nhow are you\n?"
print("Old String:")
print("'" + string + "'")

new_string = re.sub(r"\n", "", string)
print("New String:")
print("'" + new_string + "'")

輸出:

Old String:
'Hello, 
how are you
?'
New String:
'Hello, how are you?'

相關文章 - Python String