Python正则表达式代码示例

#()具有匹配和保存子组的作用
m=re.match('\w\w\w-\d\d\d','abc-123')
m.group()
1
2
3
'abc-123'
1
m=re.match('\w\w\w-\d\d\d','abc-xyz')
print(m)
1
2
None
1
#注意如果使用group()方法访问每个独立的子组以及groups()方法以获取一个包含所有匹配子组的元组
m=re.match('(\w\w\w)-(\d\d\d)','abc-123')  #完全匹配
m.group()
1
2
3
'abc-123'
1
m.group(1)  #子组1
1
'abc'
1
m.group(2)  #子组2
1
'123'
1
m.groups()  #全部子组
1
('abc', '123')
1
#下面示例展示了不同的分组排列
m=re.match('ab','ab')  #没有子组
m.group() #完全匹配
1
2
3
'ab'
1
m.groups() #所有子组
1
()
1
m=re.match('(ab)','ab') #一个子组
m.group() #完整匹配
1
2
'ab'
1
m.group(1) #子组1
1
'ab'
1
m.groups() #全部子组
1
('ab',)
1
m=re.match('(a)(b)','ab')  #两个子组
m.group()  #完整匹配
1
2
'ab'
1
m.group(1)  #子组1
1
'a'
1
m.group(2)  #子组2
1
'b'
1
m.groups()  #所有子组
1
('a', 'b')
1
m=re.match('(a(b))','ab') #两个子组
m.group()  #完整匹配
1
2
'ab'
1
m.group(1)  #子组1
1
'ab'
1
m.group(2)  #子组2
1
'b'
1
m.groups() #所有子组
1
('ab', 'b')
1
 

你可能感兴趣的:(Python综合)