标签:
1.
Python通过re模块提供对正则表达式的支持。
使用re的一般步骤是:
Step1:先将正则表达式的字符串形式编译为Pattern实例。
Step2:然后使用Pattern实例处理文本并获得匹配结果(一个Match实例)。
Step3:最后使用Match实例获得信息,进行其他的操作。
# -*- coding: utf-8 -*-
#一个简单的re实例,匹配字符串中的hello字符串
#导入re模块
import re
# 将正则表达式编译成Pattern对象,注意hello前面的r的意思是“原生字符串”
pattern = re.compile(r‘hello‘)
# 使用Pattern匹配文本,获得匹配结果,无法匹配时将返回None
match1 = pattern.match(‘hello world!‘)
match2 = pattern.match(‘helloo world!‘)
match3 = pattern.match(‘helllo world!‘)
#如果match1匹配成功
if match1:
# 使用Match获得分组信息
print (match1.group())
else:
print (‘match1匹配失败!‘)
#如果match2匹配成功
if match2:
# 使用Match获得分组信息
print (match2.group())
else:
print (‘match2匹配失败!‘)
#如果match3匹配成功
if match3:
# 使用Match获得分组信息
print (match3.group())
else:
print (‘match3匹配失败!‘)
2.
3.
# -*- coding: utf-8 -*-
#两个等价的re匹配,匹配一个小数
import re
a = re.compile(r"""\d + # the integral part
\. # the decimal point
\d * # some fractional digits""", re.X)
b = re.compile(r"\d+\.\d*")
match11 = a.match(‘3.1415‘)
match12 = a.match(‘33.‘)
match21 = b.match(‘3.1415‘)
match22 = b.match(‘.33‘)
if match11:
# 使用Match获得分组信息
print (match11.group())
else:
print (u‘match11不是小数‘)
if match12:
# 使用Match获得分组信息
print (match12.group())
else:
print (u‘match12不是小数‘)
if match21:
# 使用Match获得分组信息
print (match21.group())
else:
print (u‘match21不是小数‘)
if match22:
# 使用Match获得分组信息
print (match22.group())
else:
print (u‘match22不是小数‘)
以上两种写法一致,其实采用2中的方法
4.
1中的程序可以简写成:
# -*- coding: utf-8 -*-
#一个简单的re实例,匹配字符串中的hello字符串
import re
m = re.match(r‘hello‘, ‘hello world!‘)
print m.group()
re模块还提供了一个方法escape(string),用于将string中的正则表达式元字符如*/+/?等之前加上转义符再返回
5.Match方法对象详解
Match对象是一次匹配的结果,包含了很多关于此次匹配的信息,可以使用Match提供的可读属性或方法来获取这些信息。
属性:
方法:
# -*- coding: utf-8 -*-
#一个简单的match实例
import re
# 匹配如下内容:单词+空格+单词+任意字符
m = re.match(r‘(\w+) (\w+)(?P<sign>.*)‘, ‘hello world!‘)
print "m.string:", m.string
print "m.re:", m.re
print "m.pos:", m.pos
print "m.endpos:", m.endpos
print "m.lastindex:", m.lastindex
print "m.lastgroup:", m.lastgroup
print "m.group():", m.group()
print "m.group(1,2):", m.group(1, 2)
print "m.groups():", m.groups()
print "m.groupdict():", m.groupdict()
print "m.start(2):", m.start(2)
print "m.end(2):", m.end(2)
print "m.span(2):", m.span(2)
print r"m.expand(r‘\g<2> \g<1>\g<3>‘):", m.expand(r‘\2 \1\3‘)
### output ###
# m.string: hello world!
# m.re: <_sre.SRE_Pattern object at 0x016E1A38>
# m.pos: 0
# m.endpos: 12
# m.lastindex: 3
# m.lastgroup: sign
# m.group(1,2): (‘hello‘, ‘world‘)
# m.groups(): (‘hello‘, ‘world‘, ‘!‘)
# m.groupdict(): {‘sign‘: ‘!‘}
# m.start(2): 6
# m.end(2): 11
# m.span(2): (6, 11)
# m.expand(r‘\2 \1\3‘): world hello!
标签:
原文地址:http://www.cnblogs.com/my-time/p/4505065.html