1、使用 in 和 not in
in 和 not in 在 Python 中是很常用的關(guān)鍵字,我們將它們歸類為 成員運(yùn)算符。
使用這兩個(gè)成員運(yùn)算符,可以很讓我們很直觀清晰的判斷一個(gè)對(duì)象是否在另一個(gè)對(duì)象中,示例如下:
>> > "llo" in "hello, python"
True
>> >
>> > "lol" in "hello, python"
False
2、使用 find 方法
使用 字符串 對(duì)象的 find 方法,如果有找到子串,就可以返回指定子串在字符串中的出現(xiàn)位置,如果沒有找到,就返回 -1
>> > "hello, python".find("llo") != -1
True
>> > "hello, python".find("lol") != -1
False
> >
3、使用 index 方法
字符串對(duì)象有一個(gè) index 方法,可以返回指定子串在該字符串中第一次出現(xiàn)的索引,如果沒有找到會(huì)拋出異常,因此使用時(shí)需要注意捕獲。
def is_in(full_str, sub_str):
try:
full_str.index(sub_str)
return True
except ValueError:
return False
print(is_in("hello, python", "llo")) # True
print(is_in("hello, python", "lol")) # False
4、使用 count 方法
利用和 index 這種曲線救國(guó)的思路,同樣我們可以使用 count 的方法來判斷。
只要判斷結(jié)果大于 0 就說明子串存在于字符串中。
def is_in(full_str, sub_str):
return full_str.count(sub_str) > 0
print(is_in("hello, python", "llo")) # True
print(is_in("hello, python", "lol")) # False
5、通過魔法方法
在第一種方法中,我們使用 in 和 not in 判斷一個(gè)子串是否存在于另一個(gè)字符中,實(shí)際上當(dāng)你使用 in 和 not in 時(shí),Python 解釋器會(huì)先去檢查該對(duì)象是否有 __contains__ 魔法方法。
若有就執(zhí)行它,若沒有,Python 就自動(dòng)會(huì)迭代整個(gè)序列,只要找到了需要的一項(xiàng)就返回 True 。
示例如下;
>> > "hello, python".__contains__("llo")
True
>> >
>> > "hello, python".__contains__("lol")
False
>> >
這個(gè)用法與使用 in 和 not in 沒有區(qū)別,但不排除有人會(huì)特意寫成這樣來增加代碼的理解難度。
6、借助 operator
operator模塊是python中內(nèi)置的操作符函數(shù)接口,它定義了一些算術(shù)和比較內(nèi)置操作的函數(shù)。operator模塊是用c實(shí)現(xiàn)的,所以執(zhí)行速度比 python 代碼快。
在 operator 中有一個(gè)方法 contains 可以很方便地判斷子串是否在字符串中。
>> > import operator
>> >
>> > operator.contains("hello, python", "llo")
True
>> > operator.contains("hello, python", "lol")
False
>> >
7、使用正則匹配
說到查找功能,那正則絕對(duì)可以說是專業(yè)的工具,多復(fù)雜的查找規(guī)則,都能滿足你。
對(duì)于判斷字符串是否存在于另一個(gè)字符串中的這個(gè)需求,使用正則簡(jiǎn)直就是大材小用。
import re
def is_in(full_str, sub_str):
if re.findall(sub_str, full_str):
return True
else:
return False
print(is_in("hello, python", "llo")) # True
print(is_in("hello, python", "lol")) # False
-
字符串
+關(guān)注
關(guān)注
1文章
596瀏覽量
23165 -
python
+關(guān)注
關(guān)注
57文章
4876瀏覽量
90016 -
運(yùn)算符
+關(guān)注
關(guān)注
0文章
173瀏覽量
12044 -
解釋器
+關(guān)注
關(guān)注
0文章
103瀏覽量
6991
發(fā)布評(píng)論請(qǐng)先 登錄
bash腳本中檢查子字符串的方法
python判斷是否包含子串的7種方法
python字符串拼接方式了解
什么是復(fù)制字符串?Python如何復(fù)制字符串
2.2 python字符串類型
python判斷字符串是否包含子串
Python-字符串
如何利用Java判斷一個(gè)字符串是否包含某個(gè)字符
Python 如何判斷字符串是否包含子串
評(píng)論