Python中的字符串类型是str,是一种不可变的序列。字符串操作在字符串处理中是至关重要的,了解如何操作它们是必须的。
一、检测字符串
在Python中,可以使用许多字符串方法来检测字符串。这些方法提供了许多开箱即用的函数,用于确定字符串的一些特性。
1、判断是否以指定字符串开始或结束:
s = "Hello, world!"
print(s.startswith("Hello")) # True
print(s.endswith("world!")) # True
2、检测字符串是否仅包含字母、数字等(isalnum)、字母(isalpha)、数字(isdigit)等:
s1 = "abc123"
s2 = "abc"
s3 = "123"
print(s1.isalnum()) # True
print(s2.isalpha()) # True
print(s3.isdigit()) # True
二、字符串的搜索和替换
字符串操作中另一个重要的方面是搜索和替换字符串。Python提供了各种方法来搜索和替换字符串,包括使用正则表达式和使用Python内置的字符串模块。
1、搜索字符串:
s = "The quick brown fox jumps over the lazy dog."
print(s.find("fox")) # 16
print(s.index("xyz")) # 报错,因为"xyz"未在字符串中找到
2、使用replace()方法替换字符串:
s = "Hello, world!"
print(s.replace("world", "Python")) # Hello, Python!
三、连接和分割字符串
在Python中,有许多方法用于连接和分割字符串。
1、连接字符串:
s1 = "Hello"
s2 = "world"
print(f"{s1} {s2}") # Hello world
print(s1 + " " + s2) # Hello world
2、分割字符串:
s = "apple,banana,orange"
print(s.split(",")) # ['apple', 'banana', 'orange']
四、修改字符串大小写
Python提供了许多字符串方法,可以在字符串中更改大小写。
1、转换为大写/小写:
s = "Hello, world!"
print(s.upper()) # HELLO, WORLD!
print(s.lower()) # hello, world!
2、首字母大写/小写:
s = "hello, world!"
print(s.capitalize()) # Hello, world!
print(s.title()) # Hello, World!
五、删除字符串空格
Python提供了各种方法来删除字符串开头和结尾的空格或全局空格。
1、删除开头和结尾的空格:
s = " Hello, world! "
print(s.strip()) # Hello, world!
print(s.lstrip()) # Hello, world!
print(s.rstrip()) # Hello, world!
2、删除所有空格:
s = " Hello, world! "
print(s.replace(" ", "")) # Hello,world!
print("".join(s.split())) # Hello,world!
六、格式化字符串
Python中有几种方法可以格式化字符串。其中一种最常用的方法是使用字符串格式化。
1、使用字符串格式化:
name = "Alice"
age = 25
print("My name is %s. I am %d years old." % (name, age)) # My name is Alice. I am 25 years old.
2、使用f-strings:
name = "Alice"
age = 25
print(f"My name is {name}. I am {age} years old.") # My name is Alice. I am 25 years old.
七、字符串长度
可以使用len()函数计算字符串的长度。
s = "Hello, world!"
print(len(s)) # 13