在 Python 中,可以使用多種方法來去除字串中的空白字元,以下是幾種常見的方法:
strip()
方法strip()
方法會去除字串前後的空白字元(包括空格、換行、製表符號等)。text = " Hello, World! "
result = text.strip()
print(result) # Output: "Hello, World!"
lstrip()
和 rstrip()
方法lstrip()
只會去除字串左邊(前面)的空白字元。rstrip()
只會去除字串右邊(後面)的空白字元。text = " Hello, World! "
left_stripped = text.lstrip()
right_stripped = text.rstrip()
print(left_stripped) # Output: "Hello, World! "
print(right_stripped) # Output: " Hello, World!"
使用 replace()
方法
replace()
方法可以用來去除字串中的所有空白字元,無論其位置在哪裡。text = "Hello, World!"
result = text.replace(" ", "")
print(result) # Output: "Hello,World!"
split()
和 join()
方法split()
會將字串以空白字元分割成一個列表,然後使用 join()
方法將其重新組合,去除所有的空白字元。text = "Hello, World!"
result = "".join(text.split())
print(result) # Output: "Hello,World!"
\s
來匹配所有的空白字元,包括空格、換行符、製表符等。re.sub()
函數將所有空白字符替換為空字符串 ""
。import re
text = "Hello, World!\nThis is\tPython."
result = re.sub(r'\s+', '', text)
print(result) # Output: "Hello,World!ThisisPython."
^\s+
匹配開頭的空白字符,和 \s+$
匹配結尾的空白字符。re.sub()
來替換這些空白字符。import re
text = " Hello, World! "
result = re.sub(r'^\s+|\s+$', '', text)
print(result) # Output: "Hello, World!"
\s+
匹配多個空白字元,並將其替換為單個空格 " "
。import re
text = "Hello, World! This is\tPython."
result = re.sub(r'\s+', ' ', text)
print(result)
# Output:
# Hello,World!
# Thisis Python.
import re
text = "Hello, World!\nThis is\tPython."
result = re.sub(r' ', '', text) # 只去除空格
print(result)
# Output:
# Hello,World!
# Thisis Python.
使用正則表達式處理字串時,靈活性很高,可以根據具體需求來設計匹配模式。