溫馨提示×

您好,登錄后才能下訂單哦!

密碼登錄×
登錄注冊(cè)×
其他方式登錄
點(diǎn)擊 登錄注冊(cè) 即表示同意《億速云用戶服務(wù)條款》

40 python 正則表達(dá)式 match方法匹配字符串 使

發(fā)布時(shí)間:2020-05-23 04:38:00 來(lái)源:網(wǎng)絡(luò) 閱讀:587 作者:馬吉輝 欄目:大數(shù)據(jù)
第一課: 使用match方法匹配字符串
# 正則表達(dá)式:使用match方法匹配字符串

'''
正則表達(dá)式:是用來(lái)處理文本的,將一組類似的字符串進(jìn)行抽象,形成的文本模式字符串

windows dir *.txt   file1.txt  file2.txt  abc.txt  test.doc
a-file1.txt-b
linux/mac ls

主要是學(xué)會(huì)正則表達(dá)式的5方面的方法
1. match:檢測(cè)字符串是否匹配正則表達(dá)式
2. search:在一個(gè)長(zhǎng)的字符串中搜索匹配正則表達(dá)式的子字符串
3. findall:查找字符串
4. sub和subn:搜索和替換
5. split: 通過(guò)正則表達(dá)式指定分隔符,通過(guò)這個(gè)分隔符將字符串拆分
'''

import re      # 導(dǎo)入正則表達(dá)的模塊的 

m = re.match('hello', 'hello') # 第一個(gè)指定正則表達(dá)式的字符串,第二個(gè)表示待匹配的字符串 實(shí)際上 正則表達(dá)式也可以是一個(gè)簡(jiǎn)單的字符串

print(m)    # <re.Match object; span=(0, 5), match='hello'>

print(m.__class__.__name__)  # 看一下m的類型 Match
print(type(m))                  # <class 're.Match'> 

m = re.match('hello', 'world')
if m is not None:
    print('匹配成功')
else:
    print('匹配不成功')

# 待匹配的字符串的包含的話正則表達(dá)式,系統(tǒng)也認(rèn)為是不匹配的
m = re.match('hello', 'world hello')
print(m)    # None  如果不匹配的話,返回值為None

# 待匹配的字符串的前綴可以匹配正則表達(dá)式,系統(tǒng)也認(rèn)為是匹配的
m = re.match('hello', 'hello world')
print(m)  # <re.Match object; span=(0, 5), match='hello'>

----------------------------------------------
第二課 正則中使用search函數(shù)在一個(gè)字符串中查找子字符串

# search函數(shù) 和 match函數(shù)的區(qū)別是,search函數(shù)中 字符串存在就可以匹配到,match函數(shù) 必須要 前綴可以匹配正則表達(dá)式,系統(tǒng)也認(rèn)為是匹配的 

import re

m = re.match('python', 'I love python.')
if m is not None:
    print(m.group())    # 調(diào)用group的方法就是返回到一個(gè)組里面
print(m)            # None
m = re.search('python', 'I love python.')
if m is not None:
    print(m.group())
print(m)  
#
# python
# <re.Match object; span=(7, 13), match='python'>  
span=(7, 13) 表示 python在 'I love python.' 字符串中的位置 
左閉右開(kāi)
向AI問(wèn)一下細(xì)節(jié)

免責(zé)聲明:本站發(fā)布的內(nèi)容(圖片、視頻和文字)以原創(chuàng)、轉(zhuǎn)載和分享為主,文章觀點(diǎn)不代表本網(wǎng)站立場(chǎng),如果涉及侵權(quán)請(qǐng)聯(lián)系站長(zhǎng)郵箱:is@yisu.com進(jìn)行舉報(bào),并提供相關(guān)證據(jù),一經(jīng)查實(shí),將立刻刪除涉嫌侵權(quán)內(nèi)容。

AI