Maison > interface Web > js tutoriel > le corps du texte

Connaissance des expressions régulières (organisée)

巴扎黑
Libérer: 2017-06-16 10:32:02
original
1165 Les gens l'ont consulté

Regular, pour utiliser des expressions régulières vous devez importer le module re (abréviation de Regular) en Python. Cet article vous présentera les connaissances pertinentes sur les expressions régulières (régulières) à travers cet article. Les amis intéressés peuvent apprendre ensemble

regular Pour utiliser les expressions régulières, vous devez importer re (abréviation de Regular) dans. Python. ). Les expressions régulières sont utilisées pour traiter les chaînes. Nous savons que les chaînes contiennent parfois beaucoup d'informations que nous souhaitons extraire. La maîtrise de ces méthodes de traitement des chaînes peut faciliter bon nombre de nos opérations.

Expression régulière (regular), une méthode de traitement des chaînes.

Les expressions régulières sont une méthode couramment utilisée car le traitement des fichiers est très courant en python. Les fichiers contiennent des chaînes. Si vous souhaitez traiter des chaînes, vous devez utiliser des expressions régulières. Par conséquent, vous devez maîtriser les expressions régulières. Jetons un coup d'œil aux méthodes incluses dans les expressions régulières :

(1) match(pattern, string, flags=0)


 def match(pattern, string, flags=0):
    """Try to apply the pattern at the start of the string, returning
    a match object, or None if no match was found."""
    return _compile(pattern, flags).match(string)
Copier après la connexion

Commentaire d'en haut : Essayez d'appliquer le motif au début de la chaîne, en renvoyant un objet de correspondance, ou Aucun si aucune correspondance n'a été trouvé. Recherchez à partir du début de la chaîne et renvoyez un objet de correspondance. S'il n'est pas trouvé, renvoyez Aucun.

Points clés : (1) Commencez la recherche depuis le début (2) Renvoyez Aucun s'il n'est pas trouvé ;

Jetons un coup d'œil à quelques exemples :


 import re
  string = "abcdef"
  m = re.match("abc",string)  (1)匹配"abc",并查看返回的结果是什么
  print(m)
  print(m.group()) 
  n = re.match("abcf",string)
  print(n)      (2)字符串不在列表中查找的情况
  l = re.match("bcd",string)  (3)字符串在列表中间查找情况
  print(l)
Copier après la connexion

Les résultats en cours d'exécution sont les suivants :


 <_sre.SRE_Match object; span=(0, 3), match=&#39;abc&#39;>  (1)abc             (2) None             (3)
None             (4)
Copier après la connexion

Le résultat de sortie ci-dessus (1) montre que l'utilisation de match() pour faire correspondre renverra un objet de correspondance. Si vous souhaitez le convertir en une situation visible, vous devez utiliser group(). pour convertir (2) l'emplacement Display ; si l'expression régulière correspondante n'est pas dans la chaîne, None (3) est renvoyé ; match(pattern, string, flag) correspond au début de la chaîne et ne peut correspondre qu'au début de ; la chaîne ( 4) affichée.

(2) fullmatch(motif, chaîne, flags=0)


def fullmatch(pattern, string, flags=0):
    """Try to apply the pattern to all of the string, returning
    a match object, or None if no match was found."""
    return _compile(pattern, flags).fullmatch(string)
Copier après la connexion

De Remarque ci-dessus : essayez d'appliquer le modèle à toute la chaîne, en renvoyant un objet de correspondance, ou Aucun si aucune correspondance n'a été trouvée...

  (3) recherche(motif, chaîne, flags)


 def search(pattern, string, flags=0):
    """Scan through string looking for a match to the pattern, returning
    a match object, or None if no match was found."""
    return _compile(pattern, flags).search(string)
 search(pattern,string,flags)的注释是Scan throgh string looking for a match to the pattern,returning a match object,or None if no match was found.在字符串任意一个位置查找正则表达式,如果找到了则返回match object对象,如果查找不到则返回None。
Copier après la connexion

Points clés : (1) Rechercher à partir de n'importe quelle position au milieu de la chaîne, contrairement à match() qui commence à partir de le début ; (2) S'il n'est pas trouvé, retournez Aucun


 import re
  string = "ddafsadadfadfafdafdadfasfdafafda"
  m = re.search("a",string)   (1)从中间开始匹配
  print(m)
  print(m.group())
  n = re.search("N",string)   (2)匹配不到的情况
  print(n)
Copier après la connexion

Les résultats en cours sont les suivants :


 <_sre.SRE_Match object; span=(2, 3), match=&#39;a&#39;>  (1)a             (2)None             (3)
Copier après la connexion

Le résultat ci-dessus (1) montre que search(pattern, string, flag=0) peut correspondre à partir de n'importe quelle position au milieu, ce qui élargit le champ d'utilisation. Contrairement à match(), il. ne peut correspondre qu'à partir du début et revient lorsque la correspondance est atteinte. est également un objet match_object ; (2) Si vous souhaitez afficher un objet match_object, vous devez utiliser la méthode group() ; trouvé, il renvoie Aucun.

(4) sub(pattern,repl,string,count=0,flags=0)


def sub(pattern, repl, string, count=0, flags=0):
    """Return the string obtained by replacing the leftmost
    non-overlapping occurrences of the pattern in string by the
    replacement repl. repl can be either a string or a callable;
    if a string, backslash escapes in it are processed. If it is
    a callable, it&#39;s passed the match object and must return
    a replacement string to be used."""
    return _compile(pattern, flags).sub(repl, string, count)
 sub(pattern,repl,string,count=0,flags=0)查找替换,就是先查找pattern是否在字符串string中;repl是要把pattern匹配的对象,就要把正则表达式找到的字符替换为什么;count可以指定匹配个数,匹配多少个。示例如下:
 import re
  string = "ddafsadadfadfafdafdadfasfdafafda"
  m = re.sub("a","A",string) #不指定替换个数(1)
  print(m)
  n = re.sub("a","A",string,2) #指定替换个数(2)
  print(n)
  l = re.sub("F","B",string) #匹配不到的情况(3)
  print(l)
Copier après la connexion

Les résultats en cours sont les suivants :

ddAfsAdAdfAdfAfdAfdAdfAsfdAfAfdA — (1)
ddAfsAdadfadfafdafdadfasfdafafda — (2)
ddaf sadadfadfafdafdadfasfdafafda --(3 )

Code ci-dessus ( 1) Si le nombre de correspondances n'est pas spécifié, alors toutes seront mises en correspondance par défaut ; si le nombre de correspondances est spécifié en (2), alors seul le nombre spécifié sera mis en correspondance avec le modèle régulier à mettre en correspondance en (3) ; n'est pas dans la chaîne, la chaîne d'origine est renvoyée.

Points clés : (1) Vous pouvez spécifier le nombre de correspondances, pas toutes les correspondances ; (2) Si aucune correspondance n'est trouvée, la chaîne d'origine sera renvoyée

< ; 🎜> (5)subn(pattern,repl,string,count=0,flags=0)


def subn(pattern, repl, string, count=0, flags=0):
    """Return a 2-tuple containing (new_string, number).
    new_string is the string obtained by replacing the leftmost
    non-overlapping occurrences of the pattern in the source
    string by the replacement repl. number is the number of
    substitutions that were made. repl can be either a string or a
    callable; if a string, backslash escapes in it are processed.
    If it is a callable, it&#39;s passed the match object and must
    return a replacement string to be used."""
    return _compile(pattern, flags).subn(repl, string, count)
Copier après la connexion
Le commentaire ci-dessus Renvoie un 2-tuple contenant (new_string,number) : renvoie un tuple utilisé pour stocker la nouvelle chaîne après une correspondance régulière et le nombre de correspondances (new_string,number).


 import re
  string = "ddafsadadfadfafdafdadfasfdafafda"
  m = re.subn("a","A",string) #全部替换的情况 (1)
  print(m)
  n = re.subn("a","A",string,3) #替换部分 (2)
  print(n)
  l = re.subn("F","A",string) #指定替换的字符串不存在 (3)
  print(l)
Copier après la connexion
Le résultat en cours d'exécution est le suivant :

('ddAfsAdAdAdfAdfAfdAfdAdfAsfdAfAfdA', 11) (1)

 ('ddAfsAdAdAdfadfafdaf dadfasfdafafda', 3) (2 )
 ('ddafsadadfadfafdafdadfasfdafafda', 0)        (3)

从上面代码输出的结果可以看出,sub()和subn(pattern,repl,string,count=0,flags=0)可以看出,两者匹配的效果是一样的,只是返回的结果不同而已,sub()返回的还是一个字符串,而subn()返回的是一个元组,用于存放正则之后新的字符串,和替换的个数。

(6)split(pattern,string,maxsplit=0,flags=0)


 def split(pattern, string, maxsplit=0, flags=0):
    """Split the source string by the occurrences of the pattern,
    returning a list containing the resulting substrings. If
    capturing parentheses are used in pattern, then the text of all
    groups in the pattern are also returned as part of the resulting
    list. If maxsplit is nonzero, at most maxsplit splits occur,
    and the remainder of the string is returned as the final element
    of the list."""
    return _compile(pattern, flags).split(string, maxsplit) 
 split(pattern,string,maxsplit=0,flags=0)是字符串的分割,按照某个正则要求pattern分割字符串,返回一个列表returning a list containing the resulting substrings.就是按照某种方式分割字符串,并把字符串放在一个列表中。实例如下:
 import re
  string = "ddafsadadfadfafdafdadfasfdafafda"
  m = re.split("a",string) #分割字符串(1)
  print(m)
  n = re.split("a",string,3) #指定分割次数
  print(n)
  l = re.split("F",string) #分割字符串不存在列表中
  print(l)
Copier après la connexion

运行结果如下:


 [&#39;dd&#39;, &#39;fs&#39;, &#39;d&#39;, &#39;df&#39;, &#39;df&#39;, &#39;fd&#39;, &#39;fd&#39;, &#39;df&#39;, &#39;sfd&#39;, &#39;f&#39;, &#39;fd&#39;, &#39;&#39;]  (1)
[&#39;dd&#39;, &#39;fs&#39;, &#39;d&#39;, &#39;dfadfafdafdadfasfdafafda&#39;]        (2)
[&#39;ddafsadadfadfafdafdadfasfdafafda&#39;]          (3)
Copier après la connexion

从(1)处可以看出,如果字符串开头或者结尾包括要分割的字符串,后面元素会是一个"";(2)处我们可以指定要分割的次数;(3)处如果要分割的字符串不存在列表中,则把原字符串放在列表中。

(7)findall(pattern,string,flags=)


def findall(pattern, string, flags=0):
    """Return a list of all non-overlapping matches in the string.
    If one or more capturing groups are present in the pattern, return
    a list of groups; this will be a list of tuples if the pattern
    has more than one group.
    Empty matches are included in the result."""
    return _compile(pattern, flags).findall(string)
 findall(pattern,string,flags=)是返回一个列表,包含所有匹配的元素。存放在一个列表中。示例如下:
 import re
  string = "dd12a32d46465fad1648fa1564fda127fd11ad30fa02sfd58afafda"  
  m = re.findall("[a-z]",string)  #匹配字母,匹配所有的字母,返回一个列表(1)
  print(m)
  n = re.findall("[0-9]",string)  #匹配所有的数字,返回一个列表   (2)
  print(n)
  l = re.findall("[ABC]",string)  #匹配不到的情况      (3)
  print(l)
Copier après la connexion

运行结果如下:


 [&#39;d&#39;, &#39;d&#39;, &#39;a&#39;, &#39;d&#39;, &#39;f&#39;, &#39;a&#39;, &#39;d&#39;, &#39;f&#39;, &#39;a&#39;, &#39;f&#39;, &#39;d&#39;, &#39;a&#39;, &#39;f&#39;, &#39;d&#39;, &#39;a&#39;, &#39;d&#39;, &#39;f&#39;, &#39;a&#39;, &#39;s&#39;, &#39;f&#39;, &#39;d&#39;, &#39;a&#39;, &#39;f&#39;, &#39;a&#39;, &#39;f&#39;,   &#39;d&#39;, &#39;a&#39;]  (1)
  [&#39;1&#39;, &#39;2&#39;, &#39;3&#39;, &#39;2&#39;, &#39;4&#39;, &#39;6&#39;, &#39;4&#39;, &#39;6&#39;, &#39;5&#39;, &#39;1&#39;, &#39;6&#39;, &#39;4&#39;, &#39;8&#39;, &#39;1&#39;, &#39;5&#39;, &#39;6&#39;, &#39;4&#39;, &#39;1&#39;, &#39;2&#39;, &#39;7&#39;, &#39;1&#39;, &#39;1&#39;, &#39;3&#39;, &#39;0&#39;, &#39;0&#39;,   &#39;2&#39;, &#39;5&#39;, &#39;8&#39;]  (2)
 []     (3)
Copier après la connexion

上面代码运行结果(1)处匹配了所有的字符串,单个匹配;(2)处匹配了字符串中的数字,返回到一个列表中;(3)处匹配不存在的情况,返回一个空列表。

重点:(1)匹配不到的时候返回一个空的列表;(2)如果没有指定匹配次数,则只单个匹配。

(8)finditer(pattern,string,flags=0)


def finditer(pattern, string, flags=0):
    """Return an iterator over all non-overlapping matches in the
    string. For each match, the iterator returns a match object.
    Empty matches are included in the result."""
    return _compile(pattern, flags).finditer(string)
 finditer(pattern,string)查找模式,Return an iterator over all non-overlapping matches in the string.For each match,the iterator a match object.
Copier après la connexion

代码如下:


 import re
  string = "dd12a32d46465fad1648fa1564fda127fd11ad30fa02sfd58afafda"
  m = re.finditer("[a-z]",string)
  print(m)
  n = re.finditer("AB",string)
  print(n)
Copier après la connexion

运行结果如下:


<callable_iterator object at 0x7fa126441898>   (1)
  <callable_iterator object at 0x7fa124d6b710>   (2)
Copier après la connexion

从上面运行结果可以看出,finditer(pattern,string,flags=0)返回的是一个iterator对象。

(9)compile(pattern,flags=0)


 def compile(pattern, flags=0):
    "Compile a regular expression pattern, returning a pattern object."
    return _compile(pattern, flags)
Copier après la connexion

(10)pruge()


 def purge():
    "Clear the regular expression caches"
    _cache.clear()
    _cache_repl.clear()
Copier après la connexion

(11)template(pattern,flags=0)


def template(pattern, flags=0):
    "Compile a template pattern, returning a pattern object"
    return _compile(pattern, flags|T)
Copier après la connexion

正则表达式:

语法:


 import re
  string = "dd12a32d46465fad1648fa1564fda127fd11ad30fa02sfd58afafda"
  p = re.compile("[a-z]+")  #先使用compile(pattern)进行编译
  m = p.match(string)   #然后进行匹配
  print(m.group())
Copier après la connexion

上面的第2 和第3行也可以合并成一行来写:


 m = p.match("^[0-9]",&#39;14534Abc&#39;)
Copier après la connexion

效果是一样的,区别在于,第一种方式是提前对要匹配的格式进行了编译(对匹配公式进行解析),这样再去匹配的时候就不用在编译匹配的格式,第2种简写是每次匹配的时候都要进行一次匹配公式的编译,所以,如果你需要从一个5w行的文件中匹配出所有以数字开头的行,建议先把正则公式进行编译再匹配,这样速度会快点。

匹配的格式:

(1)^ 匹配字符串的开头


 import re
  string = "dd12a32d41648f27fd11a0sfdda"
  #^匹配字符串的开头,现在我们使用search()来匹配以数字开始的
  m = re.search("^[0-9]",string) #匹配字符串开头以数字开始  (1)
  print(m)
  n = re.search("^[a-z]+",string) #匹配字符串开头以字母开始,如果是从开头匹配,就与search()没有太多的区别了 (2)
  print(n.group())
Copier après la connexion

运行结果如下:

None
  dd

在上面(1)处我们使用^从字符串开头开始匹配,匹配开始是否是数字,由于字符串前面是字母,不是数字,所以匹配失败,返回None;(2)处我们以字母开始匹配,由于开头是字母,匹配正确,返回正确的结果;这样看,其实^类似于match()从开头开始匹配。

(2)$ 匹配字符串的末尾


import re
  string = "15111252598"
  #^匹配字符串的开头,现在我们使用search()来匹配以数字开始的
  m = re.match("^[0-9]{11}$",string)
  print(m.group())
Copier après la connexion

运行结果如下:

15111252598

re.match("^[0-9]{11}$",string)含义是匹配以数字开头,长度为11,结尾为数字的格式;

(3)点(·) 匹配任意字符,除了换行符。当re.DoTALL标记被指定时,则可以匹配包括换行符的任意字符


 import re
  string = "1511\n1252598"
  #点(·)是匹配除了换行符以外所有的字符
  m = re.match(".",string) #点(·)是匹配任意字符,没有指定个数就匹配单个  (1)
  print(m.group())
  n = re.match(".+",string) #.+是匹配多个任意字符,除了换行符    (2)
  print(n.group())
Copier après la connexion

运行结果如下:

1
  1511

从上面代码运行结果可以看出,(1)处点(·)是匹配任意字符;(2)处我们匹配任意多个字符,但是由于字符串中间包含了空格,结果就只匹配了字符串中换行符前面的内容,后面的内容没有匹配。

重点:(1)点(·)匹配除了换行符之外任意字符;(2).+可以匹配多个任意除了换行符的字符。

(4)[...] 如[abc]匹配"a","b"或"c"

[object]匹配括号中的包含的字符。[A-Za-z0-9]表示匹配A-Z或a-z或0-9。


 import re
  string = "1511\n125dadfadf2598"
  #[]匹配包含括号中的字符
  m = re.findall("[5fd]",string) #匹配字符串中的5,f,d
  print(m)
Copier après la connexion

运行结果如下:

['5', '5', 'd', 'd', 'f', 'd', 'f', '5']

上面代码,我们是要匹配字符串中的5,f,d并返回一个列表。

(5)[^...] [^abc]匹配除了abc之外的任意字符


 import re
  string = "1511\n125dadfadf2598"
  #[^]匹配包含括号中的字符
  m = re.findall("[^5fd]",string) #匹配字符串除5,f,d之外的字符
  print(m)
Copier après la connexion

运行如下:

['1', '1', '1', '\n', '1', '2', 'a', 'a', '2', '9', '8']

上面代码,我们匹配除了5,f,d之外的字符,[^]是匹配非中括号内字符之外的字符。

(6)* 匹配0个或多个的表达式


 import re
  string = "1511\n125dadfadf2598"
  #*是匹配0个或多个的表达式
  m = re.findall("\d*",string) #匹配0个或多个数字
  print(m)
Copier après la connexion

运行结果如下:

['1511', '', '125', '', '', '', '', '', '', '', '2598', '']

从上面运行结果可以看出(*)是匹配0个或多个字符的表达式,我们匹配的是0个或多个数字,可以看出,如果匹配不到返回的是空,并且最后位置哪里返回的是一个空("")。

(7)+ 匹配1个或多个的表达式


 import re
  string = "1511\n125dadfadf2598"
  #(+)是匹配1个或多个的表达式
  m = re.findall("\d+",string) #匹配1个或多个数字
  print(m)
Copier après la connexion

运行如下:

['1511', '125', '2598']

加(+)是匹配1个或多个表达式,上面\d+是匹配1个或多个数字表达式,至少匹配一个数字。

(8)? 匹配0个或1个的表达式,非贪婪方式


 import re
  string = "1511\n125dadfadf2598"
  #(?)是匹配0个或1个的表达式
  m = re.findall("\d?",string) #匹配0个或1个的表达式
  print(m) 
Copier après la connexion

  运行结果如下:

['1', '5', '1', '1', '', '1', '2', '5', '', '', '', '', '', '', '', '2', '5', '9', '8', '']

上面问号(?)是匹配0个或1个表达式,上面是匹配0个或1个的表达式,如果匹配不到则返回空("")

(9){n} 匹配n次,定义一个字符串匹配的次数

(10){n,m} 匹配n到m次表达式

(11)\w 匹配字母数字

\w是匹配字符串中的字母和数字,代码如下:


 import re
  string = "1511\n125dadfadf2598"
  #(?)是匹配0个或1个的表达式
  m = re.findall("\w",string) #匹配0个或1个的表达式
  print(m)
Copier après la connexion

运行如下:

['1', '5', '1', '1', '1', '2', '5', 'd', 'a', 'd', 'f', 'a', 'd', 'f', '2', '5', '9', '8']

从上面代码可以看出,\w是用来匹配字符串中的字母数字的。我们使用正则匹配字母和数字。

(12)\W \W大写的W是用来匹配非字母和数字的,与小写w正好相反

实例如下:


 import re
  string = "1511\n125dadfadf2598"
  #\W用来匹配字符串中的非字母和数字
  m = re.findall("\W",string) #\W用来匹配字符串中的非字母和数字
  print(m)
Copier après la connexion

运行如下:

['\n']

上面代码中,\W是用来匹配非字母和数字的,结果把换行符匹配出来了。

(13)\s 匹配任意空白字符,等价于[\n\t\f]

实例如下:


 import re
  string = "1511\n125d\ta\rdf\fadf2598"
  #\s是用来匹配字符串中的任意空白字符,等价于[\n\t\r\f]
  m = re.findall("\s",string) #\s用来匹配字符串中任意空白字符
  print(m) 
Copier après la connexion

  运行如下:

['\n', '\t', '\r', '\x0c']

从上面代码运行结果可以看出:\s是用来匹配任意空的字符,我们把空的字符匹配出来了

(14)\S 匹配任意非空字符

实例如下:


 import re
  string = "1511\n125d\ta\rdf\fadf2598"
  #\S是用来匹配任意非空字符
  m = re.findall("\S",string) #\S用来匹配日任意非空字符
  print(m)
Copier après la connexion

      运行如下:

    ['1', '5', '1', '1', '1', '2', '5', 'd', 'a', 'd', 'f', 'a', 'd', 'f', '2', '5', '9', '8']

Comme vous pouvez le voir dans le code ci-dessus, S est utilisé pour faire correspondre n'importe quel caractère non vide. Dans le résultat, nous avons fait correspondre n'importe quel caractère non vide.

(15)d Correspond à n'importe quel nombre, équivalent à [0-9]

(16)D Correspond à n'importe quel non-numéro

Résumé : findall(), split( ) génère des listes, l'une avec un certain caractère comme séparateur et l'autre avec toutes les valeurs de la recherche. Bien au contraire.

Ce qui précède est le contenu détaillé de. pour plus d'informations, suivez d'autres articles connexes sur le site Web de PHP en chinois!

Étiquettes associées:
source:php.cn
Déclaration de ce site Web
Le contenu de cet article est volontairement contribué par les internautes et les droits d'auteur appartiennent à l'auteur original. Ce site n'assume aucune responsabilité légale correspondante. Si vous trouvez un contenu suspecté de plagiat ou de contrefaçon, veuillez contacter admin@php.cn
Tutoriels populaires
Plus>
Derniers téléchargements
Plus>
effets Web
Code source du site Web
Matériel du site Web
Modèle frontal
À propos de nous Clause de non-responsabilité Sitemap
Site Web PHP chinois:Formation PHP en ligne sur le bien-être public,Aidez les apprenants PHP à grandir rapidement!