From f4c1d1e274cea921e04d87f8488a948d832c4cb9 Mon Sep 17 00:00:00 2001
From: GrayLand
+
+g@e<2DDml7E=_3j
z!Ys6OGrpZDt2P!0OOuJ$Ic?K8OxJ$BpZ<8b`iG-rFIR+oso#RB-ppv46~dHRgnj~n
z#u@b_(663}TXE_C(wn+$sF(d@FhMQs^Og3Rq
MvLiUpp
zH9siDTaDvhW5wG*a6hh~672UVzG&;a3)Ff$fZRk-i(JCsftrh`_(a@I4QE?9$_7P(
z*@WC24b)RUs=99F;6>a1o
+rDdGW%w3xve2Y4`xd6~kFHRqMJ|V4_wP}C7#!1>^5VeRLZdw;Z1TR(xxEYQl
zmnBG&(_e2
#mpquuHF
zv|~`y^rzh&$ih9?es9`>O)#&v<%2!86eJ
+
+
+
+## 什么是正则表达式?
+
+> 正则表达式是一组由字母和符号组成的特殊文本, 它可以用来从文本中找出满足你想要的格式的句子.
+
+
+一个正则表达式是在一个主体字符串中从左到右匹配字符串时的一种样式.
+例如"Regular expression"是一个完整的句子, 但我们常使用缩写的术语"regex"或"regexp".
+正则表达式可以用来替换文本中的字符串,验证形式,提取字符串等等.
+
+想象你正在写一个应用, 然后你想设定一个用户命名的规则, 让用户名包含字符,数字,下划线和连字符,以及限制字符的个数,好让名字看起来没那么丑.
+我们使用以下正则表达式来验证一个用户名:
+
+
+
+
+"the" => The fat cat sat on the mat.
+
+
+[在线练习](https://regex101.com/r/dmRygT/1)
+
+正则表达式`123`匹配字符串`123`. 它逐个字符的与输入的正则表达式做比较.
+
+正则表达式是大小写敏感的, 所以`The`不会匹配`the`.
+
+
+"The" => The fat cat sat on the mat.
+
+
+[在线练习](https://regex101.com/r/1paXsy/1)
+
+## 2. 元字符
+
+正则表达式主要依赖于元字符.
+元字符不代表他们本身的字面意思, 他们都有特殊的含义. 一些元字符写在方括号中的时候有一些特殊的意思. 以下是一些元字符的介绍:
+
+|元字符|描述|
+|:----:|----|
+|.|句号匹配任意单个字符除了换行符.|
+|[ ]|字符种类. 匹配方括号内的任意字符.|
+|[^ ]|否定的字符种类. 匹配除了方括号里的任意字符|
+|*|匹配>=0个重复的在*号之前的字符.|
+|+|匹配>1个重复的+号前的字符.
+|?|标记?之前的字符为可选.|
+|{n,m}|匹配num个中括号之前的字符 (n <= num <= m).|
+|(xyz)|字符集, 匹配与 xyz 完全相等的字符串.|
+|||或运算符,匹配符号前或后的字符.|
+|\|转义字符,用于匹配一些保留的字符 [ ] ( ) { } . * + ? ^ $ \ ||
+|^|从开始行开始匹配.|
+|$|从末端开始匹配.|
+
+## 2.1 点运算符 `.`
+
+`.`是元字符中最简单的例子.
+`.`匹配任意单个字符, 但不匹配换行符.
+例如, 表达式`.ar`匹配一个任意字符后面跟着是`a`和`r`的字符串.
+
+
+".ar" => The car parked in the garage.
+
+
+[在线练习](https://regex101.com/r/xc9GkU/1)
+
+## 2.2 字符集
+
+字符集也叫做字符类.
+方括号用来指定一个字符集.
+在方括号中使用连字符来指定字符集的范围.
+在方括号中的字符集不关心顺序.
+例如, 表达式`[Tt]he` 匹配 `the` 和 `The`.
+
+
+"[Tt]he" => The car parked in the garage.
+
+
+[在线练习](https://regex101.com/r/2ITLQ4/1)
+
+方括号的句号就表示句号.
+表达式 `ar[.]` 匹配 `ar.`字符串
+
+
+"ar[.]" => A garage is a good place to park a car.
+
+
+[在线练习](https://regex101.com/r/wL3xtE/1)
+
+### 2.2.1 否定字符集
+
+一般来说 `^` 表示一个字符串的开头, 但它用在一个方括号的开头的时候, 它表示这个字符集是否定的.
+例如, 表达式`[^c]ar` 匹配一个后面跟着`ar`的除了`c`的任意字符.
+
+
+"[^c]ar" => The car parked in the garage.
+
+
+[在线练习](https://regex101.com/r/nNNlq3/1)
+
+## 2.3 重复次数
+
+后面跟着元字符 `+`, `*` or `?` 的, 用来指定匹配子模式的次数.
+这些元字符在不同的情况下有着不同的意思.
+
+### 2.3.1 `*` 号
+
+`*`号匹配 在`*`之前的字符出现`大于等于0`次.
+例如, 表达式 `a*` 匹配以0或更多个a开头的字符, 因为有0个这个条件, 其实也就匹配了所有的字符. 表达式`[a-z]*` 匹配一个行中所有以小写字母开头的字符串.
+
+
+"[a-z]*" => The car parked in the garage #21.
+
+
+[在线练习](https://regex101.com/r/7m8me5/1)
+
+`*`字符和`.`字符搭配可以匹配所有的字符`.*`.
+`*`和表示匹配空格的符号`\s`连起来用, 如表达式`\s*cat\s*`匹配0或更多个空格开头和0或更多个空格结尾的cat字符串.
+
+
+"\s*cat\s*" => The fat cat sat on the concatenation.
+
+
+[在线练习](https://regex101.com/r/gGrwuz/1)
+
+### 2.3.2 `+` 号
+
+`+`号匹配`+`号之前的字符出现 >=1 次个字符.
+例如表达式`c.+t` 匹配以首字母`c`开头以`t`结尾,中间跟着任意个字符的字符串.
+
+
+"c.+t" => The fat cat sat on the mat.
+
+
+[在线练习](https://regex101.com/r/Dzf9Aa/1)
+
+### 2.3.3 `?` 号
+
+在正则表达式中元字符 `?` 标记在符号前面的字符为可选, 即出现 0 或 1 次.
+例如, 表达式 `[T]?he` 匹配字符串 `he` 和 `The`.
+
+
+"[T]he" => The car is parked in the garage.
+
+
+[在线练习](https://regex101.com/r/cIg9zm/1)
+
+
+"[T]?he" => The car is parked in the garage.
+
+
+[在线练习](https://regex101.com/r/kPpO2x/1)
+
+## 2.4 `{}` 号
+
+在正则表达式中 `{}` 是一个量词, 常用来一个或一组字符可以重复出现的次数.
+例如, 表达式 `[0-9]{2,3}` 匹配 2~3 位 0~9 的数字.
+
+
+
+"[0-9]{2,3}" => The number was 9.9997 but we rounded it off to 10.0.
+
+
+[在线练习](https://regex101.com/r/juM86s/1)
+
+我们可以省略第二个参数.
+例如, `[0-9]{2,}` 匹配至少两位 0~9 的数字.
+
+如果逗号也省略掉则表示重复固定的次数.
+例如, `[0-9]{3}` 匹配3位数字
+
+
+"[0-9]{2,}" => The number was 9.9997 but we rounded it off to 10.0.
+
+
+[在线练习](https://regex101.com/r/Gdy4w5/1)
+
+
+"[0-9]{3}" => The number was 9.9997 but we rounded it off to 10.0.
+
+
+[在线练习](https://regex101.com/r/Sivu30/1)
+
+## 2.5 `(...)` 特征标群
+
+特征标群是一组写在 `(...)` 中的子模式. 例如之前说的 `{}` 是用来表示前面一个字符出现指定次数. 但如果在 `{}` 前加入特征标群则表示整个标群内的字符重复 N 次. 例如, 表达式 `(ab)*` 匹配连续出现 0 或更多个 `ab`.
+
+我们还可以在 `()` 中用或字符 `|` 表示或. 例如, `(c|g|p)ar` 匹配 `car` 或 `gar` 或 `par`.
+
+
+"(c|g|p)ar" => The car is parked in the garage.
+
+
+[在线练习](https://regex101.com/r/tUxrBG/1)
+
+## 2.6 `|` 或运算符
+
+或运算符就表示或, 用作判断条件.
+
+例如 `(T|t)he|car` 匹配 `(T|t)he` 或 `car`.
+
+
+"(T|t)he|car" => The car is parked in the garage.
+
+
+[在线练习](https://regex101.com/r/fBXyX0/1)
+
+## 2.7 转码特殊字符
+
+反斜线 `\` 在表达式中用于转码紧跟其后的字符. 用于指定 `{ } [ ] / \ + * . $ ^ | ?` 这些特殊字符. 如果想要匹配这些特殊字符则要在其前面加上反斜线 `\`.
+
+例如 `.` 是用来匹配除换行符外的所有字符的. 如果想要匹配句子中的 `.` 则要写成 `\.`.
+
+
+"(f|c|m)at\.?" => The fat cat sat on the mat.
+
+
+[在线练习](https://regex101.com/r/DOc5Nu/1)
+
+## 2.8 锚点
+
+在正则表达式中, 想要匹配指定开头或结尾的字符串就要使用到锚点. `^` 指定开头, `$` 指定结尾.
+
+### 2.8.1 `^` 号
+
+`^` 用来检查匹配的字符串是否在所匹配字符串的开头.
+
+例如, 在 `abc` 中使用表达式 `^a` 会得到结果 `a`. 但如果使用 `^b` 将匹配不到任何结果. 应为在字符串 `abc` 中并不是以 `b` 开头.
+
+例如, `^(T|t)he` 匹配以 `The` 或 `the` 开头的字符串.
+
+
+"(T|t)he" => The car is parked in the garage.
+
+
+[在线练习](https://regex101.com/r/5ljjgB/1)
+
+
+"^(T|t)he" => The car is parked in the garage.
+
+
+[在线练习](https://regex101.com/r/jXrKne/1)
+
+### 2.8.2 `$` 号
+
+同理于 `^` 号, `$` 号用来匹配字符是否是最后一个.
+
+例如, `(at\.)$` 匹配以 `at.` 结尾的字符串.
+
+
+"(at\.)" => The fat cat. sat. on the mat.
+
+
+[在线练习](https://regex101.com/r/y4Au4D/1)
+
+
+"(at\.)$" => The fat cat. sat. on the mat.
+
+
+[在线练习](https://regex101.com/r/t0AkOd/1)
+
+## 3. 简写字符集
+
+正则表达式提供一些常用的字符集简写. 如下:
+
+|简写|描述|
+|:----:|----|
+|.|除换行符外的所有字符|
+|\w|匹配所有字母数字, 等同于 `[a-zA-Z0-9_]`|
+|\W|匹配所有非字母数字, 即符号, 等同于: `[^\w]`|
+|\d|匹配数字: `[0-9]`|
+|\D|匹配非数字: `[^\d]`|
+|\s|匹配所有空格字符, 等同于: `[\t\n\f\r\p{Z}]`|
+|\S|匹配所有非空格字符: `[^\s]`|
+
+## 4. 前后关联约束(前后预查)
+
+前置约束和后置约束都属于**非捕获簇**(用于匹配不在匹配列表中的格式).
+前置约束用于判断所匹配的格式是否在另一个确定的格式之后.
+
+例如, 我们想要获得所有跟在 `$` 符号后的数字, 我们可以使用正向向后约束 `(?<=\$)[0-9\.]*`.
+这个表达式匹配 `$` 开头, 之后跟着 `0,1,2,3,4,5,6,7,8,9,.` 这些字符可以出现大于等于 0 次.
+
+前后关联约束如下:
+
+|符号|描述|
+|:----:|----|
+|?=|前置约束-存在|
+|?!|前置约束-排除|
+|?<=|后置约束-存在|
+|?
+"[T|t]he(?=\sfat)" => The fat cat sat on the mat.
+
+
+[在线练习](https://regex101.com/r/IDDARt/1)
+
+### 4.2 `?!...` 前置约束-排除
+
+前置约束-排除 `?!` 用于筛选所有匹配结果, 筛选条件为 其后不跟随着定义的格式
+`前置约束-排除` 定义和 `前置约束(存在)` 一样, 区别就是 `=` 替换成 `!` 也就是 `(?!...)`.
+
+表达式 `[T|t]he(?!\sfat)` 匹配 `The` 和 `the`, 且其后不跟着 `(空格)fat`.
+
+
+"[T|t]he(?!\sfat)" => The fat cat sat on the mat.
+
+
+[在线练习](https://regex101.com/r/V32Npg/1)
+
+### 4.3 `?<= ...` 后置约束-存在
+
+后置约束-存在 记作`(?<=...)` 用于筛选所有匹配结果, 筛选条件为 其前跟随着定义的格式.
+例如, 表达式 `(?<=[T|t]he\s)(fat|mat)` 匹配 `fat` 和 `mat`, 且其前跟着 `The` 或 `the`.
+
+
+"(?<=[T|t]he\s)(fat|mat)" => The fat cat sat on the mat.
+
+
+[在线练习](https://regex101.com/r/avH165/1)
+
+### 4.4 `?
+"(?<![T|t]he\s)(cat)" => The cat sat on cat.
+
+
+[在线练习](https://regex101.com/r/8Efx5G/1)
+
+## 5. 标志
+
+标志也叫修饰语, 因为它可以用来修改表达式的搜索结果.
+这些标志可以任意的组合使用, 它也是整个正则表达式的一部分.
+
+|标志|描述|
+|:----:|----|
+|i|忽略大小写.|
+|g|全局搜索.|
+|m|多行的: 锚点元字符 `^` `$` 工作范围在每行的起始.|
+
+### 5.1 忽略大小写 (Case Insensitive)
+
+修饰语 `i` 用于忽略大小写.
+例如, 表达式 `/The/gi` 表示在全局搜索 `The`, 在后面的 `i` 将其条件修改为忽略大小写, 则变成搜索 `the` 和 `The`, `g` 表示全局搜索.
+
+
+"The" => The fat cat sat on the mat.
+
+
+[在线练习](https://regex101.com/r/dpQyf9/1)
+
+
+"/The/gi" => The fat cat sat on the mat.
+
+
+[在线练习](https://regex101.com/r/ahfiuh/1)
+
+### 5.2 全局搜索 (Global search)
+
+修饰符 `g` 常用语执行一个全局搜索匹配, 即(不仅仅返回第一个匹配的, 而是返回全部).
+例如, 表达式 `/.(at)/g` 表示搜索 任意字符(除了换行) + `at`, 并返回全部结果.
+
+
+"/.(at)/" => The fat cat sat on the mat.
+
+
+[在线练习](https://regex101.com/r/jnk6gM/1)
+
+
+"/.(at)/g" => The fat cat sat on the mat.
+
+
+[在线练习](https://regex101.com/r/dO1nef/1)
+
+### 5.3 多行修饰符 (Multiline)
+
+多行修饰符 `m` 常用语执行一个多行匹配.
+
+像之前介绍的 `(^,$)` 用于检查格式是否是在待检测字符串的开头或结尾. 但我们如果想要它在每行的开头和结尾生效, 我们需要用到多行修饰符 `m`.
+
+例如, 表达式 `/at(.)?$/gm` 表示在待检测字符串每行的末尾搜索 `at`后跟一个或多个 `.` 的字符串, 并返回全部结果.
+
+
+"/.at(.)?$/" => The fat
+ cat sat
+ on the mat.
+
+
+[在线练习](https://regex101.com/r/hoGMkP/1)
+
+
+"/.at(.)?$/gm" => The fat
+ cat sat
+ on the mat.
+
+
+[在线练习](https://regex101.com/r/E88WE2/1)
+
+## 额外补充
+
+* *正整数*: `^\d+$`
+* *负整数*: `^-\d+$`
+* *手机国家号*: `^+?[\d\s]{3,}$`
+* *手机号*: `^+?[\d\s]+(?[\d\s]{10,}$`
+* *整数*: `^-?\d+$`
+* *用户名*: `^[\w\d_.]{4,16}$`
+* *数字和英文字母*: `^[a-zA-Z0-9]*$`
+* *数字和应为字母和空格*: `^[a-zA-Z0-9 ]*$`
+* *密码*: `^(?=^.{6,}$)((?=.*[A-Za-z0-9])(?=.*[A-Z])(?=.*[a-z]))^.*$`
+* *邮箱*: `^([a-zA-Z0-9._%-]+@[a-zA-Z0-9.-]+\.[a-zA-Z]{2,4})*$`
+* *IP4 地址*: `^((?:(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?)\.){3}(?:25[0-5]|2[0-4][0-9]|[01]?[0-9][0-9]?))*$`
+* *纯小写字母*: `^([a-z])*$`
+* *纯大写字母*: `^([A-Z])*$`
+* *URL*: `^(((http|https|ftp):\/\/)?([[a-zA-Z0-9]\-\.])+(\.)([[a-zA-Z0-9]]){2,4}([[a-zA-Z0-9]\/+=%&_\.~?\-]*))*$`
+* *VISA 信用卡号*: `^(4[0-9]{12}(?:[0-9]{3})?)*$`
+* *日期 (MM/DD/YYYY)*: `^(0?[1-9]|1[012])[- /.](0?[1-9]|[12][0-9]|3[01])[- /.](19|20)?[0-9]{2}$`
+* *日期 (YYYY/MM/DD)*: `^(19|20)?[0-9]{2}[- /.](0?[1-9]|1[012])[- /.](0?[1-9]|[12][0-9]|3[01])$`
+* *MasterCard 信用卡号*: `^(5[1-5][0-9]{14})*$`
+
+## 贡献
+
+* 报告问题
+* 开放合并请求
+* 传播此文档
+* 直接和我联系 ziishaned@gmail.com 或 [](https://twitter.com/ziishaned)
+
+## 许可证
+
+MIT © [Zeeshan Ahmed](mailto:ziishaned@gmail.com)
diff --git a/README.md b/README.md
index 1a9ba3db..84cfc679 100644
--- a/README.md
+++ b/README.md
@@ -3,6 +3,9 @@
-"the" => The fat cat sat on the mat. +"the" => The fat cat sat on the mat.[在线练习](https://regex101.com/r/dmRygT/1) @@ -106,7 +107,7 @@ ## 2.1 点运算符 `.` -`.`是元字符中最简单的例子. +`.`是元字符中最简单的例子. `.`匹配任意单个字符, 但不匹配换行符. 例如, 表达式`.ar`匹配一个任意字符后面跟着是`a`和`r`的字符串. @@ -152,7 +153,7 @@ ## 2.3 重复次数 -后面跟着元字符 `+`, `*` or `?` 的, 用来指定匹配子模式的次数. +后面跟着元字符 `+`, `*` or `?` 的, 用来指定匹配子模式的次数. 这些元字符在不同的情况下有着不同的意思. ### 2.3.1 `*` 号 @@ -218,7 +219,7 @@ 我们可以省略第二个参数. 例如, `[0-9]{2,}` 匹配至少两位 0~9 的数字. -如果逗号也省略掉则表示重复固定的次数. +如果逗号也省略掉则表示重复固定的次数. 例如, `[0-9]{3}` 匹配3位数字
@@ -353,7 +354,7 @@ `?=...` 前置约束(存在), 表示第一部分表达式必须跟在 `?=...`定义的表达式之后. 返回结果只瞒住第一部分表达式. -定义一个前置约束(存在)要使用 `()`. 在括号内部使用一个问号和等号: `(?=...)`. +定义一个前置约束(存在)要使用 `()`. 在括号内部使用一个问号和等号: `(?=...)`. 前置约束的内容写在括号中的等号后面. 例如, 表达式 `[T|t]he(?=\sfat)` 匹配 `The` 和 `the`, 在括号中我们又定义了前置约束(存在) `(?=\sfat)` ,即 `The` 和 `the` 后面紧跟着 `(空格)fat`. @@ -367,7 +368,7 @@ ### 4.2 `?!...` 前置约束-排除 前置约束-排除 `?!` 用于筛选所有匹配结果, 筛选条件为 其后不跟随着定义的格式 -`前置约束-排除` 定义和 `前置约束(存在)` 一样, 区别就是 `=` 替换成 `!` 也就是 `(?!...)`. +`前置约束-排除` 定义和 `前置约束(存在)` 一样, 区别就是 `=` 替换成 `!` 也就是 `(?!...)`. 表达式 `[T|t]he(?!\sfat)` 匹配 `The` 和 `the`, 且其后不跟着 `(空格)fat`. @@ -429,7 +430,7 @@ ### 5.2 全局搜索 (Global search) -修饰符 `g` 常用语执行一个全局搜索匹配, 即(不仅仅返回第一个匹配的, 而是返回全部). +修饰符 `g` 常用语执行一个全局搜索匹配, 即(不仅仅返回第一个匹配的, 而是返回全部). 例如, 表达式 `/.(at)/g` 表示搜索 任意字符(除了换行) + `at`, 并返回全部结果.+ +[Essayer l'expression régulière](https://regex101.com/r/8Efx5G/1) + +## 5. Drapeaux + +Les drapeaux sont aussi appelés modifieurs car ils modifient la sortie d'une expression régulière. Ces drapeaux peuvent être utilisés +dans n'importe quel ordre et combinaison et font partie intégrante de la RegExp. + +|Drapeau|Description| +|:----:|----| +|i|Insensible à la casse: Définit que la correspondance sera insensible à la casse.| +|g|Recherche globale: Recherche la correspondance dans la string entière.| +|m|Multiligne: Meta-caractère ancre qui agit sur toutes les lignes.| + +### 5.1 Insensible à la casse + +Le modifieur `i` est utilisé pour faire une correspondance insensible à la casse. Par exemple, l'expression régulière `/The/gi` signifie: la lettre +`T` majuscule, suivie par le caractère `h` minscule, suivi par le caractère `e` minuscule. Et à la fin de l'expression régulière, le drapeau `i` dit au +moteur d'expression régulière d'ignorer la casse. Comme vous pouvez le voir, nous mettons aussi un drapeau `g` parce que nous voulons chercher le schéma dans +la string entière. + +@@ -446,7 +447,7 @@ ### 5.3 多行修饰符 (Multiline) -多行修饰符 `m` 常用语执行一个多行匹配. +多行修饰符 `m` 常用语执行一个多行匹配. 像之前介绍的 `(^,$)` 用于检查格式是否是在待检测字符串的开头或结尾. 但我们如果想要它在每行的开头和结尾生效, 我们需要用到多行修饰符 `m`. diff --git a/README-es.md b/README-es.md index 64ca5965..6988406c 100644 --- a/README-es.md +++ b/README-es.md @@ -6,7 +6,8 @@ ## Translations: * [English](README.md) -* [Español](README-es.md) +* [Español](README-es.md) +* [Français](README-fr.md) * [中文版](README-cn.md) * [日本語](README-ja.md) diff --git a/README-fr.md b/README-fr.md new file mode 100644 index 00000000..931abd1b --- /dev/null +++ b/README-fr.md @@ -0,0 +1,468 @@ ++ +[Essayer l'expression régulière](https://regex101.com/r/IDDARt/1) + +### 4.2 Recherche en avant négative + +La recherche en avant négative est utilisée quand nous avons besoin de trouver une string qui n'est pas suivie d'un schéma. La recherche en avant négative +est définie de la même manière que la recherche en avant positive mais la seule différence est qu'à la place du signe égual `=` nous utilisons le caractère de négation `!` +i.e. `(?!...)`. Regardons l'expression régulière suivante `[T|t]he(?!\sfat)` qui signifie: trouve tous les mots `The` ou `the` de la string +qui ne sont pas suivis du mot `fat` précédé d'un espace. + +
++
+
+ +## Traductions: + +* [English](README.md) +* [Español](README-es.md) +* [Français](README-fr.md) +* [中文版](README-cn.md) +* [日本語](README-ja.md) + +## Qu'est-ce qu'une expression régulière? + +> Une expression régulière est un groupement de caractères ou symboles utilisés pour trouver un schéma spécifique dans un texte. + +Une expression régulière est un schéma qui est comparée à une chaîne de caractères de gauche à droite. Le mot "Expression régulière" +est un terme entier, souvent abrégé par "regex" ou "regexp". Une expression régulière est utilisée pour remplacer un texte à l'intérieur +d'une *string* (une chaîne de caractères), valider un formulaire, extraire une portion de string basée sur un schéma, et bien plus encore. + +Imaginons que nous écrivons une application et que nous voulons définir des règles pour le choix d'un pseudonyme. Nous voulons autoriser +le pseudonyme à contenir des lettres, des nombres, des underscores et des traits d'union. Nous voulons aussi limiter le nombre +de caractères dans le pseudonyme pour qu'il n'ait pas l'air moche. Nous utilisons l'expression régulière suivante pour valider un pseudonyme: +
++
+ +L'expression régulière ci-dessus peut accepter les strings `john_doe`, `jo-hn_doe` et `john12_as`. Ça ne fonctionne pas avec `Jo` car +cette string contient une lettre majuscule et elle est trop courte. + +## Table des matières + +- [Introduction](#1-introduction) +- [Meta-caractères](#2-meta-caractères) + - [Full stop](#21-full-stop) + - [Inclusion de caractères](#22-inclusion-de-caractères) + - [Exclusion de caractères](#221-exclusion-de-caractères) + - [Répétitions](#23-répétitions) + - [Astérisque](#231-Asterisque) + - [Le Plus](#232-le-plus) + - [Le Point d'Interrogation](#233-le-point-d'interrogation) + - [Accolades](#24-accolades) + - [Groupement de caractères](#25-groupement-de-caractères) + - [Alternation](#26-alternation) + - [Caractère d'échappement](#27-caractère-d'échappement) + - [Ancres](#28-ancres) + - [Circonflexe](#281-circonflexe) + - [Dollar](#282-dollar) +- [Liste de caractères abrégés](#3-liste-de-caractères-abrégés) +- [Recherche](#4-recherche) + - [Recherche avant positive](#41-recherche-avant-positive) + - [Recherche avant négative](#42-recherche-avant-négative) + - [Recherche arrière positive](#43-recherche-arrière-positive) + - [Recherche arrière négative](#44-recherche-arrière-négative) +- [Drapeaux](#5-drapeaux) + - [Insensible à la casse](#51-insensible-à-la-casse) + - [Correspondance globale](#52-recherche-globale) + - [Multilignes](#53-multilignes) + +## 1. Introduction + +Une expression régulière est un schéma de caractères utilisés pour effectuer une recherche dans un text. +Par exemple, l'expression régulière `the` signifie: la lettre `t`, suivie de la lettre `h`, suivie de la lettre `e`. + ++
+"the" => The fat cat sat on the mat. ++ +[Essayer l'expression régulière](https://regex101.com/r/dmRygT/1) + +L'expression régulière `123` coïncide à la chaîne `123`. Chaque caractère de l'expression régulière est comparée à la chaine passée en entrée, caractère par caractère. Les expressions régulières sont normalement sensibles à la casse, donc l'expression régulière `The` ne va pas coïncider à la chaine de caractère `the`. + ++"The" => The fat cat sat on the mat. ++ +[Essayer l'expression régulière](https://regex101.com/r/1paXsy/1) + +## 2. Meta-caractères + +Les meta-caractères sont les bloques de construction des expressions régulières. Les meta-caractères sont interprétés de manière particulière. Certains meta-caractères ont des significations spéciales et sont écrits entre crochets. +Significations des meta-caractères: + +|Meta-caractère|Description| +|:----:|----| +|.|Un point coïncide avec n'importe quel caractère unique à part le retour à la ligne.| +|[ ]|Classe de caractères. Coïncide avec n'importe quels caractères entre crochets.| +|[^ ]|Négation de classe de caractère. Coïncide avec n'importe quels caractères qui n'est pas entre les crochets.| +|*|Coïncide avec 0 ou plus répétitions du caractère précédent.| +|+|Coïncide avec 1 ou plus répétitions du caractère précédent.| +|?|Rend le caractère précédent optionnel.| +|{n,m}|Accolades. Coïncide avec au moins "n" mais pas plus que "m" répétition(s) du caractère précédent.| +|(xyz)|Groupe de caractères. Coïncide avec les caractères "xyz" dans l'ordre exact.| +|||Alternation (ou). Coïncide soit avec le caractère avant ou après le symbol.| +|\|Échappe le prochain caractère. Cela permet de faire coïncider des caractères réservés tels que[ ] ( ) { } . * + ? ^ $ \ || +|^|Coïncide avec le début de la chaîne de caractères.| +|$|Coïncide avec la fin de la chaîne de caractères.| + +## 2.1 Full stop + +Le full stop `.` est l'exemple le plus simple d'un meta-caratère. Le `.` coïncide avec n'importe quel caractère unique, mais ne coïncide pas avec les caractères de retour ou de nouvelle ligne. Par exemple, l'expression régulière `.ar` signifie: n'importe quel caractère suivi par la lettre `a`, suivie par la lettre `r`. + ++".ar" => The car parked in the garage. ++ +[Essayer l'expression régulière](https://regex101.com/r/xc9GkU/1) + +## 2.2 Inclusions de caractères + +Les inclusions de caractères sont également appelées classes de caractères. Les crochets sont utilisés pour spécifier les inclusions de caractères. Un trait d'union utilisé dans une inclusion de caractères permet de définir une gamme de caractères. L'ordre utilisé dans la gamme de caractère n'a pas d'importance. Par exemple, l'expression régulière `[Tt]he` signifie: un `T` majuscule ou `t` minucule, suivi par la lettre `h`, suivie par la lettre `e`. + ++"[Tt]he" => The car parked in the garage. ++ +[Essayer l'expression régulière](https://regex101.com/r/2ITLQ4/1) + +L'utilisation du point dans une inclusion de caractère signifie toutefois un `.` littéral. L'expression régulière `ar[.]` signifie: un `a` minuscule, suivi par la lettre `r` minuscule, suvie par un `.` (point). + ++"ar[.]" => A garage is a good place to park a car. ++ +[Essayer l'expression régulière](https://regex101.com/r/wL3xtE/1) + +### 2.2.1 Exclusion de caractères + +En règle générale, le caractère circonflexe représente le début d'une chaîne de caractères. Néanmoins, lorsqu'il est utilisé après le crochet ouvrant, il permet d'exclure la gamme de caractère(s). Par exemple, l'expression régulière `[^c]ar` signifie: n'importe quel caractère sauf `c`, suivi par la lettre `a`, suivie par la lettre `r`. + ++"[^c]ar" => The car parked in the garage. ++ +[Essayer l'expression régulière](https://regex101.com/r/nNNlq3/1) + +## 2.3 Répétitions + +Les meta-caractères suivants `+`, `*` ou `?` sont utilisés pour spécifier combien de fois un sous-schéma peut apparaître. Ces meta-caractères agissent +différemment selon la situation dans laquelle ils sont utilisés. + +### 2.3.1 Astérisque + +Le symbole `*` correspond à zéro ou plus de répétitions du schéma précédent. L'expression régulière `a*` signifie: zéro ou plus de répétitions +du précédent `a` minuscule. Mais si il se trouve après une liste de caractères alors il s'agit de la répétition de la liste entière. +Par exemple, l'expression régulière `[a-z]*` signifie: n'importe combien de lettres minuscules. + ++"[a-z]*" => The car parked in the garage #21. ++ +[Essayer l'expression régulière](https://regex101.com/r/7m8me5/1) + +Le symbole `*` peut être utilisé avec le meta-caractère `.` pour correspondre à n'importe quelle chaîne de caractères `.*`. Le symbole `*` peut être utilisé avec le +caractère espace vide `\s` pour correspondre à une chaîne d'espaces vides. Par exemple, l'expression `\s*cat\s*` signifie: zéro ou plus +d'espaces, suivis du caractère `c` minuscule, suivi par le caractère `a` minuscule, suivi par le caractère `t` minuscule, suivi par +zéro ou plus d'espaces. + ++"\s*cat\s*" => The fat cat sat on the concatenation. ++ +[Essayer l'expression régulière](https://regex101.com/r/gGrwuz/1) + +### 2.3.2 Le Plus + +Le meta-caractère `+` correspond à une ou plusieurs répétitions du caractère précédent. Par exemple, l'expression régulière `c.+t` signifie: la lettre `c` minuscule, suivie par au moins un caractère, suivi par la lettre `t` minuscule. Le `t` coïncide par conséquent avec le dernier `t` de la phrase. + ++"c.+t" => The fat cat sat on the mat. ++ +[Essayer l'expression régulière](https://regex101.com/r/Dzf9Aa/1) + +### 2.3.3 Le point d'interrogation + +Le meta-caractère `?` rend le caractère précédent optionel. Ce symbole permet de faire coïncider 0 ou une instance du caractère précédent. Par exemple, l'expression régulière `[T]?he` signifie: la lettre `T` majuscule optionelle, suivie par la lettre `h` minuscule, suivie par la lettre `e` minuscule. + ++"[T]he" => The car is parked in the garage. ++ +[Essayer l'expression régulière](https://regex101.com/r/cIg9zm/1) + ++"[T]?he" => The car is parked in the garage. ++ +[Essayer l'expression régulière](https://regex101.com/r/kPpO2x/1) + +## 2.4 Accolades + +Dans une expression régulière, les accolades, qui sont aussi appelée quantifieurs, sont utilisées pour spécifier le nombre de fois qu'un +caractère ou un groupe de caractères peut être répété. Par exemple, l'expression régulière `[0-9]{2,3}` signifie: Trouve au moins 2 chiffres mais pas plus de 3 +(caractères dans la gamme de 0 à 9). + ++"[0-9]{2,3}" => The number was 9.9997 but we rounded it off to 10.0. ++ +[Essayer l'expression régulière](https://regex101.com/r/juM86s/1) + +Nous pouvons omettre le second nombre. Par exemple, l'expression régulière `[0-9]{2,}` signifie: Trouve 2 chiffres ou plus. Si nous supprimons aussi +la virgule l'expression régulière `[0-9]{3}` signifie: Trouve exactement 3 chiffres. + ++"[0-9]{2,}" => The number was 9.9997 but we rounded it off to 10.0. ++ +[Essayer l'expression régulière](https://regex101.com/r/Gdy4w5/1) + ++"[0-9]{3}" => The number was 9.9997 but we rounded it off to 10.0. ++ +[Essayer l'expression régulière](https://regex101.com/r/Sivu30/1) + +## 2.5 Groupement de caractères + +Un groupement de caractères est un groupe de sous-schémas qui sont écris dans des parenthèses `(...)`. Nous avions mentionné plus tôt que, dans une expression régulière, +si nous mettons un quantifieur après un caractère alors le caractère précédent sera répété. Mais si nous mettons un quantifieur après un groupement de caractères alors +il répète le groupement de caractères entier. Par exemple, l'expression régulière `(ab)*` trouve zéro ou plus de répétitions des caractères "ab". +Nous pouvons aussi utiliser le meta-caractère d'alternation `|` à l'intérieur d'un groupement. Par exemple, l'expression régulière `(c|g|p)ar` signifie: caractère `c` minuscule, +`g` ou `p`, suivi par le caractère `a`, suivi par le caractère `r`. + ++"(c|g|p)ar" => The car is parked in the garage. ++ +[Essayer l'expression régulière](https://regex101.com/r/tUxrBG/1) + +## 2.6 Alternation + +Dans une expression régulière, la barre verticale `|` est utilisée pour définir une alternation. L'alternation est comme une condition entre plusieurs expressions. Maintenant, +nous pourrions penser que la liste de caractères et l'alternation sont la même chose. Mais la grande différence entre une liste de caractères et l'alternation +est que la liste de caractères fonctionne au niveau des caractères mais l'alternation fonctionne au niveau de l'expression. Par exemple, l'expression régulière +`(T|t)he|car` signifie: le caractère `T` majuscule ou `t` minuscule, suivi par le caractère `h` minuscule, suivi par le caractère `e` minuscule +ou le caractère `c` minuscule, suivi par le caractère `a` minuscule, suivit par le caractère `r` minuscule. + ++"(T|t)he|car" => The car is parked in the garage. ++ +[Essayer l'expression régulière](https://regex101.com/r/fBXyX0/1) + +## 2.7 Caractère d'échappement + +L'antislash `\` est utilisé dans les expressions régulières pour échapper (ignorer) le caractère suivant. Cela permet de spécifier un symbole comme caractère à trouver +y compris les caractères réservés `{ } [ ] / \ + * . $ ^ | ?`. Pour utiliser un caractère spécial comme caractère à trouver, préfixer `\` avant celui-ci. +Par exemple, l'expression régulière `.` est utilisée pour trouver n'importe quel caractère sauf le retour de ligne. Donc pour trouver `.` dans une string +l'expression régulière `(f|c|m)at\.?` signifie: la lettre minuscule `f`, `c` ou `m`, suivie par le caractère `a` minuscule, suivi par la lettre +`t` minuscule, suivie par le caractère optionnel `.`. + ++"(f|c|m)at\.?" => The fat cat sat on the mat. ++ +[Essayer l'expression régulière](https://regex101.com/r/DOc5Nu/1) + +## 2.8 Ancres + +Dans les expressions régulières, nous utilisons des ancres pour vérifier si le symbole trouvé est le premier ou dernier symbole de la +string. Il y a 2 types d'ancres: Le premier type est le circonflexe `^` qui cherche si le caractère est le premier +caractère de la string et le deuxième type est le Dollar `$` qui vérifie si le caractère est le dernier caractère de la string. + +### 2.8.1 Circonflexe + +Le symbole circonflexe `^` est utilisé pour vérifier si un caractère est le premier caractère de la string. Si nous appliquons l'expression régulière +suivante `^a` (si a est le premier symbole) à la string `abc`, ça coïncide. Mais si nous appliquons l'expression régulière `^b` sur cette même string, +ça ne coïncide pas. Parce que dans la string `abc` "b" n'est pas le premier symbole. Regardons une autre expression régulière +`^(T|t)he` qui signifie: le caractère `T` majuscule ou le caractère `t` minuscule est le premier symbole de la string, +suivi par le caractère `h` minuscule, suivi par le caractère `e` minuscule. + ++"(T|t)he" => The car is parked in the garage. ++ +[Essayer l'expression régulière](https://regex101.com/r/5ljjgB/1) + ++"^(T|t)he" => The car is parked in the garage. ++ +[Essayer l'expression régulière](https://regex101.com/r/jXrKne/1) + +### 2.8.2 Dollar + +Le symbole Dollar `$` est utilisé pour vérifier si un caractère est le dernier caractère d'une string. Par exemple, l'expression régulière +`(at\.)$` signifie: un caractère `a` minuscule, suivi par un caractère `t` minuscule, suivi par un caractère `.` et tout cela doit être +à la fin de la string. + ++"(at\.)" => The fat cat. sat. on the mat. ++ +[Essayer l'expression régulière](https://regex101.com/r/y4Au4D/1) + ++"(at\.)$" => The fat cat. sat. on the mat. ++ +[Essayer l'expression régulière](https://regex101.com/r/t0AkOd/1) + +## 3. Liste de caractères abrégés + +Les expressions régulières fournissent des abréviations pour les listes de caractères, ce qui offres des raccourcis pratiques pour +les expressions régulières souvent utilisées. Ces abréviations sont les suivantes: + +|Abréviation|Description| +|:----:|----| +|.|N'importe quel caractère à part le retour de ligne| +|\w|Caractères alphanumériques: `[a-zA-Z0-9_]`| +|\W|Caractères non-alphanumériques: `[^\w]`| +|\d|Chiffres: `[0-9]`| +|\D|Non-numériques: `[^\d]`| +|\s|Espace vide: `[\t\n\f\r\p{Z}]`| +|\S|Tout sauf espace vide: `[^\s]`| + +## 4. Recherche + +La recherche en avant et en arrière sont un type spécifique appelé ***groupe non-capturant*** (utilisés pour trouver un schéma mais pas +pour l'inclure dans la liste de correspondance). Les recherches positives sont utilisées quand nous avons la condition qu'un schéma doit être précédé ou suivi +par un autre schéma. Par exemple, nous voulons tous les chiffres qui sont précédés par le caractère `$` dans la string suivante `$4.44 and $10.88`. +Nous allons utiliser l'expression régulière suivante `(?<=\$)[0-9\.]*` qui signifie: Trouver tous les nombres qui contiennent le caractère `.` et sont précédés +par le caractère `$`. Les recherches que nous trouvons dans les expressions régulières sont les suivantes: + +|Symbole|Description| +|:----:|----| +|?=|Recherche en avant positive| +|?!|Recherche en avant négative| +|?<=|Recherche en arrière positive| +|? +"[T|t]he(?=\sfat)" => The fat cat sat on the mat. ++"[T|t]he(?!\sfat)" => The fat cat sat on the mat. ++ +[Essayer l'expression régulière](https://regex101.com/r/V32Npg/1) + +### 4.3 Recherche en arrière positive + +La recherche en arrière positive est utilisée pour trouver une string précédée d'un schéma. La recherche en arrière positive se note +`(?<=...)`. Par exemple, l'expression régulière `(?<=[T|t]he\s)(fat|mat)` signifie: trouve tous les mots `fat` ou `mat` de la string qui +se trouve après le mot `The` ou `the`. + ++"(?<=[T|t]he\s)(fat|mat)" => The fat cat sat on the mat. ++ +[Essayer l'expression régulière](https://regex101.com/r/avH165/1) + +### 4.4 Recherche en arrière négative + +La recherche en arrière négative est utilisée pour trouver une string qui n'est pas précédée d'un schéma. La recherche en arrière négative se note +`(? +"(?<![T|t]he\s)(cat)" => The cat sat on cat. +
+"The" => The fat cat sat on the mat. ++ +[Essayer l'expression régulière](https://regex101.com/r/dpQyf9/1) + +
+"/The/gi" => The fat cat sat on the mat. ++ +[Essayer l'expression régulière](https://regex101.com/r/ahfiuh/1) + +### 5.2 Correspondance globale + +Le modifieur `g` est utilisé pour faire une recherche globale (trouver toutes les strings plutôt que de s'arrêter à la première correspondance ). Par exemple, +l'expression régulière `/.(at)/g` signifie: n'importe quel caractère sauf le retour de ligne, suivi par le caractère `a` minuscule, suivi par le caractère +`t` minuscule. Grâce au drapeau `g` à la fin de l'expression régulière maintenant il trouvera toutes les correspondances de toute la string. + +
+"/.(at)/" => The fat cat sat on the mat. ++ +[Essayer l'expression régulière](https://regex101.com/r/jnk6gM/1) + +
+"/.(at)/g" => The fat cat sat on the mat. ++ +[Essayer l'expression régulière](https://regex101.com/r/dO1nef/1) + +### 5.3 Multilignes + +Le modifieur `m` est utilisé pour trouver une correspondance multiligne. Comme mentionné plus tôt, les ancres `(^, $)` sont utilisés pour vérifier si le schéma +se trouve au début ou à la fin de la string. Mais si nous voulons que l'ancre soit sur chaque ligne nous utilisons le drapeau `m`. Par exemple, l'expression régulière +`/at(.)?$/gm` signifie: le caractère `a` minuscule, suivi par le caractère `t` minuscule, suivi par optionnellement n'importe quel caractère à part le retour de ligne. +Grâce au drapeau `m` maintenant le moteur d'expression régulière trouve le schéma à chaque début de ligne dans la string. + +
+"/.at(.)?$/" => The fat + cat sat + on the mat. ++ +[Essayer l'expression régulière](https://regex101.com/r/hoGMkP/1) + +
+"/.at(.)?$/gm" => The fat + cat sat + on the mat. ++ +[Essayer l'expression régulière](https://regex101.com/r/E88WE2/1) + +## Contribution + +* Signaler les problèmes (issues) +* Ouvrir des "pull requests" pour les améliorations +* Parlez-en autour de vous ! +* Contactez moi en anglais à ziishaned@gmail.com ou [](https://twitter.com/ziishaned) + +## License + +MIT © [Zeeshan Ahmed](mailto:ziishaned@gmail.com) diff --git a/README-ja.md b/README-ja.md index 523928ea..bdce2acc 100644 --- a/README-ja.md +++ b/README-ja.md @@ -6,7 +6,8 @@ ## 翻訳 * [English](README.md) -* [Español](README-es.md) +* [Español](README-es.md) +* [Français](README-fr.md) * [中文版](README-cn.md) * [日本語](README-ja.md) diff --git a/README.md b/README.md index ece50f70..7a05ff3b 100644 --- a/README.md +++ b/README.md @@ -6,7 +6,8 @@ ## Translations: * [English](README.md) -* [Español](README-es.md) +* [Español](README-es.md) +* [Français](README-fr.md) * [中文版](README-cn.md) * [日本語](README-ja.md) @@ -260,6 +261,7 @@ or lowercase character `c`, followed by lowercase character `a`, followed by low Backslash `\` is used in regular expression to escape the next character. This allows us to specify a symbol as a matching character including reserved characters `{ } [ ] / \ + * . $ ^ | ?`. To use a special character as a matching character prepend `\` before it. + For example, the regular expression `.` is used to match any character except newline. Now to match `.` in an input string the regular expression `(f|c|m)at\.?` means: lowercase letter `f`, `c` or `m`, followed by lowercase character `a`, followed by lowercase letter `t`, followed by optional `.` character. From 4b641cd11de81057d9f5213766839d296b5c0a85 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Nicolas=20Borbo=C3=ABn?=
-
+
"the" => The fat cat sat on the mat. @@ -70,7 +70,7 @@ Par exemple, l'expression régulière `the` signifie: la lettre `t`, suivie de l [Essayer l'expression régulière](https://regex101.com/r/dmRygT/1) -L'expression régulière `123` coïncide à la chaîne `123`. Chaque caractère de l'expression régulière est comparée à la chaine passée en entrée, caractère par caractère. Les expressions régulières sont normalement sensibles à la casse, donc l'expression régulière `The` ne va pas coïncider à la chaine de caractère `the`. +L'expression régulière `123` coïncide à la chaîne `123`. Chaque caractère de l'expression régulière est comparée à la chaîne passée en entrée, caractère par caractère. Les expressions régulières sont normalement sensibles à la casse, donc l'expression régulière `The` ne va pas coïncider à la chaîne de caractère `the`."The" => The fat cat sat on the mat. @@ -100,7 +100,7 @@ Significations des meta-caractères: ## 2.1 Full stop -Le full stop `.` est l'exemple le plus simple d'un meta-caratère. Le `.` coïncide avec n'importe quel caractère unique, mais ne coïncide pas avec les caractères de retour ou de nouvelle ligne. Par exemple, l'expression régulière `.ar` signifie: n'importe quel caractère suivi par la lettre `a`, suivie par la lettre `r`. +Le full stop `.` est l'exemple le plus simple d'un meta-caratère. Le `.` coïncide avec n'importe quel caractère unique, mais ne coïncide pas avec les caractères de retour ou de nouvelle ligne. Par exemple, l'expression régulière `.ar` signifie : n'importe quel caractère suivi par la lettre `a`, suivie par la lettre `r`.".ar" => The car parked in the garage. @@ -110,7 +110,7 @@ Le full stop `.` est l'exemple le plus simple d'un meta-caratère. Le `.` coïnc ## 2.2 Inclusions de caractères -Les inclusions de caractères sont également appelées classes de caractères. Les crochets sont utilisés pour spécifier les inclusions de caractères. Un trait d'union utilisé dans une inclusion de caractères permet de définir une gamme de caractères. L'ordre utilisé dans la gamme de caractère n'a pas d'importance. Par exemple, l'expression régulière `[Tt]he` signifie: un `T` majuscule ou `t` minucule, suivi par la lettre `h`, suivie par la lettre `e`. +Les inclusions de caractères sont également appelées classes de caractères. Les crochets sont utilisés pour spécifier les inclusions de caractères. Un trait d'union utilisé dans une inclusion de caractères permet de définir une gamme de caractères. L'ordre utilisé dans la gamme de caractère n'a pas d'importance. Par exemple, l'expression régulière `[Tt]he` signifie : un `T` majuscule ou `t` minuscule, suivi par la lettre `h`, suivie par la lettre `e`."[Tt]he" => The car parked in the garage. @@ -118,7 +118,7 @@ Les inclusions de caractères sont également appelées classes de caractères. [Essayer l'expression régulière](https://regex101.com/r/2ITLQ4/1) -L'utilisation du point dans une inclusion de caractère signifie toutefois un `.` littéral. L'expression régulière `ar[.]` signifie: un `a` minuscule, suivi par la lettre `r` minuscule, suvie par un `.` (point). +L'utilisation du point dans une inclusion de caractère signifie toutefois un `.` littéral. L'expression régulière `ar[.]` signifie : un `a` minuscule, suivi par la lettre `r` minuscule, suivie par un `.` (point)."ar[.]" => A garage is a good place to park a car. @@ -128,7 +128,7 @@ L'utilisation du point dans une inclusion de caractère signifie toutefois un `. ### 2.2.1 Exclusion de caractères -En règle générale, le caractère circonflexe représente le début d'une chaîne de caractères. Néanmoins, lorsqu'il est utilisé après le crochet ouvrant, il permet d'exclure la gamme de caractère(s). Par exemple, l'expression régulière `[^c]ar` signifie: n'importe quel caractère sauf `c`, suivi par la lettre `a`, suivie par la lettre `r`. +En règle générale, le caractère circonflexe représente le début d'une chaîne de caractères. Néanmoins, lorsqu'il est utilisé après le crochet ouvrant, il permet d'exclure la gamme de caractère(s). Par exemple, l'expression régulière `[^c]ar` signifie : n'importe quel caractère sauf `c`, suivi par la lettre `a`, suivie par la lettre `r`."[^c]ar" => The car parked in the garage. @@ -143,9 +143,9 @@ différemment selon la situation dans laquelle ils sont utilisés. ### 2.3.1 Astérisque -Le symbole `*` correspond à zéro ou plus de répétitions du schéma précédent. L'expression régulière `a*` signifie: zéro ou plus de répétitions +Le symbole `*` correspond à zéro ou plus de répétitions du schéma précédent. L'expression régulière `a*` signifie : zéro ou plus de répétitions du précédent `a` minuscule. Mais si il se trouve après une liste de caractères alors il s'agit de la répétition de la liste entière. -Par exemple, l'expression régulière `[a-z]*` signifie: n'importe combien de lettres minuscules. +Par exemple, l'expression régulière `[a-z]*` signifie : n'importe combien de lettres minuscules."[a-z]*" => The car parked in the garage #21. @@ -154,7 +154,7 @@ Par exemple, l'expression régulière `[a-z]*` signifie: n'importe combien de le [Essayer l'expression régulière](https://regex101.com/r/7m8me5/1) Le symbole `*` peut être utilisé avec le meta-caractère `.` pour correspondre à n'importe quelle chaîne de caractères `.*`. Le symbole `*` peut être utilisé avec le -caractère espace vide `\s` pour correspondre à une chaîne d'espaces vides. Par exemple, l'expression `\s*cat\s*` signifie: zéro ou plus +caractère espace vide `\s` pour correspondre à une chaîne d'espaces vides. Par exemple, l'expression `\s*cat\s*` signifie : zéro ou plus d'espaces, suivis du caractère `c` minuscule, suivi par le caractère `a` minuscule, suivi par le caractère `t` minuscule, suivi par zéro ou plus d'espaces. @@ -166,7 +166,7 @@ zéro ou plus d'espaces. ### 2.3.2 Le Plus -Le meta-caractère `+` correspond à une ou plusieurs répétitions du caractère précédent. Par exemple, l'expression régulière `c.+t` signifie: la lettre `c` minuscule, suivie par au moins un caractère, suivi par la lettre `t` minuscule. Le `t` coïncide par conséquent avec le dernier `t` de la phrase. +Le meta-caractère `+` correspond à une ou plusieurs répétitions du caractère précédent. Par exemple, l'expression régulière `c.+t` signifie : la lettre `c` minuscule, suivie par au moins un caractère, suivi par la lettre `t` minuscule. Le `t` coïncide par conséquent avec le dernier `t` de la phrase."c.+t" => The fat cat sat on the mat. @@ -176,7 +176,7 @@ Le meta-caractère `+` correspond à une ou plusieurs répétitions du caractèr ### 2.3.3 Le point d'interrogation -Le meta-caractère `?` rend le caractère précédent optionel. Ce symbole permet de faire coïncider 0 ou une instance du caractère précédent. Par exemple, l'expression régulière `[T]?he` signifie: la lettre `T` majuscule optionelle, suivie par la lettre `h` minuscule, suivie par la lettre `e` minuscule. +Le meta-caractère `?` rend le caractère précédent optionnel. Ce symbole permet de faire coïncider 0 ou une instance du caractère précédent. Par exemple, l'expression régulière `[T]?he` signifie : la lettre `T` majuscule optionnelle, suivie par la lettre `h` minuscule, suivie par la lettre `e` minuscule."[T]he" => The car is parked in the garage. @@ -193,7 +193,7 @@ Le meta-caractère `?` rend le caractère précédent optionel. Ce symbole perme ## 2.4 Accolades Dans une expression régulière, les accolades, qui sont aussi appelée quantifieurs, sont utilisées pour spécifier le nombre de fois qu'un -caractère ou un groupe de caractères peut être répété. Par exemple, l'expression régulière `[0-9]{2,3}` signifie: Trouve au moins 2 chiffres mais pas plus de 3 +caractère ou un groupe de caractères peut être répété. Par exemple, l'expression régulière `[0-9]{2,3}` signifie : trouve au moins 2 chiffres mais pas plus de 3 (caractères dans la gamme de 0 à 9).@@ -202,8 +202,8 @@ caractère ou un groupe de caractères peut être répété. Par exemple, l'expr [Essayer l'expression régulière](https://regex101.com/r/juM86s/1) -Nous pouvons omettre le second nombre. Par exemple, l'expression régulière `[0-9]{2,}` signifie: Trouve 2 chiffres ou plus. Si nous supprimons aussi -la virgule l'expression régulière `[0-9]{3}` signifie: Trouve exactement 3 chiffres. +Nous pouvons omettre le second nombre. Par exemple, l'expression régulière `[0-9]{2,}` signifie : trouve 2 chiffres ou plus. Si nous supprimons aussi +la virgule l'expression régulière `[0-9]{3}` signifie : trouve exactement 3 chiffres."[0-9]{2,}" => The number was 9.9997 but we rounded it off to 10.0. @@ -219,10 +219,10 @@ la virgule l'expression régulière `[0-9]{3}` signifie: Trouve exactement 3 chi ## 2.5 Groupement de caractères -Un groupement de caractères est un groupe de sous-schémas qui sont écris dans des parenthèses `(...)`. Nous avions mentionné plus tôt que, dans une expression régulière, +Un groupement de caractères est un groupe de sous-schémas qui sont écrits dans des parenthèses `(...)`. Nous avions mentionné plus tôt que, dans une expression régulière, si nous mettons un quantifieur après un caractère alors le caractère précédent sera répété. Mais si nous mettons un quantifieur après un groupement de caractères alors il répète le groupement de caractères entier. Par exemple, l'expression régulière `(ab)*` trouve zéro ou plus de répétitions des caractères "ab". -Nous pouvons aussi utiliser le meta-caractère d'alternation `|` à l'intérieur d'un groupement. Par exemple, l'expression régulière `(c|g|p)ar` signifie: caractère `c` minuscule, +Nous pouvons aussi utiliser le meta-caractère d'alternation `|` à l'intérieur d'un groupement. Par exemple, l'expression régulière `(c|g|p)ar` signifie : caractère `c` minuscule, `g` ou `p`, suivi par le caractère `a`, suivi par le caractère `r`.@@ -236,7 +236,7 @@ Nous pouvons aussi utiliser le meta-caractère d'alternation `|` à l'intérieur Dans une expression régulière, la barre verticale `|` est utilisée pour définir une alternation. L'alternation est comme une condition entre plusieurs expressions. Maintenant, nous pourrions penser que la liste de caractères et l'alternation sont la même chose. Mais la grande différence entre une liste de caractères et l'alternation est que la liste de caractères fonctionne au niveau des caractères mais l'alternation fonctionne au niveau de l'expression. Par exemple, l'expression régulière -`(T|t)he|car` signifie: le caractère `T` majuscule ou `t` minuscule, suivi par le caractère `h` minuscule, suivi par le caractère `e` minuscule +`(T|t)he|car` signifie : le caractère `T` majuscule ou `t` minuscule, suivi par le caractère `h` minuscule, suivi par le caractère `e` minuscule ou le caractère `c` minuscule, suivi par le caractère `a` minuscule, suivit par le caractère `r` minuscule.@@ -250,7 +250,7 @@ ou le caractère `c` minuscule, suivi par le caractère `a` minuscule, suivit pa L'antislash `\` est utilisé dans les expressions régulières pour échapper (ignorer) le caractère suivant. Cela permet de spécifier un symbole comme caractère à trouver y compris les caractères réservés `{ } [ ] / \ + * . $ ^ | ?`. Pour utiliser un caractère spécial comme caractère à trouver, préfixer `\` avant celui-ci. Par exemple, l'expression régulière `.` est utilisée pour trouver n'importe quel caractère sauf le retour de ligne. Donc pour trouver `.` dans une string -l'expression régulière `(f|c|m)at\.?` signifie: la lettre minuscule `f`, `c` ou `m`, suivie par le caractère `a` minuscule, suivi par la lettre +l'expression régulière `(f|c|m)at\.?` signifie : la lettre minuscule `f`, `c` ou `m`, suivie par le caractère `a` minuscule, suivi par la lettre `t` minuscule, suivie par le caractère optionnel `.`.@@ -262,7 +262,7 @@ l'expression régulière `(f|c|m)at\.?` signifie: la lettre minuscule `f`, `c` o ## 2.8 Ancres Dans les expressions régulières, nous utilisons des ancres pour vérifier si le symbole trouvé est le premier ou dernier symbole de la -string. Il y a 2 types d'ancres: Le premier type est le circonflexe `^` qui cherche si le caractère est le premier +string. Il y a 2 types d'ancres : Le premier type est le circonflexe `^` qui cherche si le caractère est le premier caractère de la string et le deuxième type est le Dollar `$` qui vérifie si le caractère est le dernier caractère de la string. ### 2.8.1 Circonflexe @@ -270,7 +270,7 @@ caractère de la string et le deuxième type est le Dollar `$` qui vérifie si l Le symbole circonflexe `^` est utilisé pour vérifier si un caractère est le premier caractère de la string. Si nous appliquons l'expression régulière suivante `^a` (si a est le premier symbole) à la string `abc`, ça coïncide. Mais si nous appliquons l'expression régulière `^b` sur cette même string, ça ne coïncide pas. Parce que dans la string `abc` "b" n'est pas le premier symbole. Regardons une autre expression régulière -`^(T|t)he` qui signifie: le caractère `T` majuscule ou le caractère `t` minuscule est le premier symbole de la string, +`^(T|t)he` qui signifie : le caractère `T` majuscule ou le caractère `t` minuscule est le premier symbole de la string, suivi par le caractère `h` minuscule, suivi par le caractère `e` minuscule.@@ -288,7 +288,7 @@ suivi par le caractère `h` minuscule, suivi par le caractère `e` minuscule. ### 2.8.2 Dollar Le symbole Dollar `$` est utilisé pour vérifier si un caractère est le dernier caractère d'une string. Par exemple, l'expression régulière -`(at\.)$` signifie: un caractère `a` minuscule, suivi par un caractère `t` minuscule, suivi par un caractère `.` et tout cela doit être +`(at\.)$` signifie : un caractère `a` minuscule, suivi par un caractère `t` minuscule, suivi par un caractère `.` et tout cela doit être à la fin de la string.@@ -306,24 +306,24 @@ Le symbole Dollar `$` est utilisé pour vérifier si un caractère est le dernie ## 3. Liste de caractères abrégés Les expressions régulières fournissent des abréviations pour les listes de caractères, ce qui offres des raccourcis pratiques pour -les expressions régulières souvent utilisées. Ces abréviations sont les suivantes: +les expressions régulières souvent utilisées. Ces abréviations sont les suivantes : |Abréviation|Description| |:----:|----| |.|N'importe quel caractère à part le retour de ligne| -|\w|Caractères alphanumériques: `[a-zA-Z0-9_]`| -|\W|Caractères non-alphanumériques: `[^\w]`| -|\d|Chiffres: `[0-9]`| -|\D|Non-numériques: `[^\d]`| -|\s|Espace vide: `[\t\n\f\r\p{Z}]`| -|\S|Tout sauf espace vide: `[^\s]`| +|\w|Caractères alphanumériques : `[a-zA-Z0-9_]`| +|\W|Caractères non-alphanumériques : `[^\w]`| +|\d|Chiffres : `[0-9]`| +|\D|Non-numériques : `[^\d]`| +|\s|Espace vide : `[\t\n\f\r\p{Z}]`| +|\S|Tout sauf espace vide : `[^\s]`| ## 4. Recherche La recherche en avant et en arrière sont un type spécifique appelé ***groupe non-capturant*** (utilisés pour trouver un schéma mais pas pour l'inclure dans la liste de correspondance). Les recherches positives sont utilisées quand nous avons la condition qu'un schéma doit être précédé ou suivi par un autre schéma. Par exemple, nous voulons tous les chiffres qui sont précédés par le caractère `$` dans la string suivante `$4.44 and $10.88`. -Nous allons utiliser l'expression régulière suivante `(?<=\$)[0-9\.]*` qui signifie: Trouver tous les nombres qui contiennent le caractère `.` et sont précédés +Nous allons utiliser l'expression régulière suivante `(?<=\$)[0-9\.]*` qui signifie : trouver tous les nombres qui contiennent le caractère `.` et sont précédés par le caractère `$`. Les recherches que nous trouvons dans les expressions régulières sont les suivantes: |Symbole|Description| @@ -337,8 +337,8 @@ par le caractère `$`. Les recherches que nous trouvons dans les expressions ré La recherche en avant assure que la première partie de l'expression soit suivie par l'expression recherchée. La valeur retournée contient uniquement le texte qui correspond à la première partie de l'expression. Pour définir une recherche en avant positive, on utilise -des parenthèses. Entre ces parenthèses, un point d'interrogation avec un signe égual est utilisé comme ça: `(?=...)`. L'expression de recherche -est écrite après le signe égual dans les parenthèses. Par exemple, l'expression régulière `[T|t]he(?=\sfat)` signifie: trouve optionnellement +des parenthèses. Entre ces parenthèses, un point d'interrogation avec un signe égal est utilisé comme cela : `(?=...)`. L'expression de recherche +est écrite après le signe égal dans les parenthèses. Par exemple, l'expression régulière `[T|t]he(?=\sfat)` signifie : trouve optionnellement la lettre `t` minuscule ou la lettre `T` majuscule, suivie par la lettre `h` minuscule, suivie par la lettre `e`. Entre parenthèses nous définissons la recherche en avant positive qui dit quelle est l'expression à chercher. `The` ou `the` qui sont suivies par le mot `fat` précédé d'un espace. @@ -351,8 +351,8 @@ la recherche en avant positive qui dit quelle est l'expression à chercher. `The ### 4.2 Recherche en avant négative La recherche en avant négative est utilisée quand nous avons besoin de trouver une string qui n'est pas suivie d'un schéma. La recherche en avant négative -est définie de la même manière que la recherche en avant positive mais la seule différence est qu'à la place du signe égual `=` nous utilisons le caractère de négation `!` -i.e. `(?!...)`. Regardons l'expression régulière suivante `[T|t]he(?!\sfat)` qui signifie: trouve tous les mots `The` ou `the` de la string +est définie de la même manière que la recherche en avant positive mais la seule différence est qu'à la place du signe égal `=` nous utilisons le caractère de négation `!` +i.e. `(?!...)`. Regardons l'expression régulière suivante `[T|t]he(?!\sfat)` qui signifie : trouve tous les mots `The` ou `the` de la string qui ne sont pas suivis du mot `fat` précédé d'un espace.@@ -364,7 +364,7 @@ qui ne sont pas suivis du mot `fat` précédé d'un espace. ### 4.3 Recherche en arrière positive La recherche en arrière positive est utilisée pour trouver une string précédée d'un schéma. La recherche en arrière positive se note -`(?<=...)`. Par exemple, l'expression régulière `(?<=[T|t]he\s)(fat|mat)` signifie: trouve tous les mots `fat` ou `mat` de la string qui +`(?<=...)`. Par exemple, l'expression régulière `(?<=[T|t]he\s)(fat|mat)` signifie : trouve tous les mots `fat` ou `mat` de la string qui se trouve après le mot `The` ou `the`.@@ -376,7 +376,7 @@ se trouve après le mot `The` ou `the`. ### 4.4 Recherche en arrière négative La recherche en arrière négative est utilisée pour trouver une string qui n'est pas précédée d'un schéma. La recherche en arrière négative se note -`(? @@ -392,14 +392,14 @@ dans n'importe quel ordre et combinaison et font partie intégrante de la RegExp |Drapeau|Description| |:----:|----| -|i|Insensible à la casse: Définit que la correspondance sera insensible à la casse.| -|g|Recherche globale: Recherche la correspondance dans la string entière.| -|m|Multiligne: Meta-caractère ancre qui agit sur toutes les lignes.| +|i|Insensible à la casse : Définit que la correspondance sera insensible à la casse.| +|g|Recherche globale : Recherche la correspondance dans la string entière.| +|m|Multiligne : Meta-caractère ancre qui agit sur toutes les lignes.| ### 5.1 Insensible à la casse -Le modifieur `i` est utilisé pour faire une correspondance insensible à la casse. Par exemple, l'expression régulière `/The/gi` signifie: la lettre -`T` majuscule, suivie par le caractère `h` minscule, suivi par le caractère `e` minuscule. Et à la fin de l'expression régulière, le drapeau `i` dit au +Le modifieur `i` est utilisé pour faire une correspondance insensible à la casse. Par exemple, l'expression régulière `/The/gi` signifie : la lettre +`T` majuscule, suivie par le caractère `h` minuscule, suivi par le caractère `e` minuscule. Et à la fin de l'expression régulière, le drapeau `i` dit au moteur d'expression régulière d'ignorer la casse. Comme vous pouvez le voir, nous mettons aussi un drapeau `g` parce que nous voulons chercher le schéma dans la string entière. @@ -418,7 +418,7 @@ la string entière. ### 5.2 Correspondance globale Le modifieur `g` est utilisé pour faire une recherche globale (trouver toutes les strings plutôt que de s'arrêter à la première correspondance ). Par exemple, -l'expression régulière `/.(at)/g` signifie: n'importe quel caractère sauf le retour de ligne, suivi par le caractère `a` minuscule, suivi par le caractère +l'expression régulière `/.(at)/g` signifie : n'importe quel caractère sauf le retour de ligne, suivi par le caractère `a` minuscule, suivi par le caractère `t` minuscule. Grâce au drapeau `g` à la fin de l'expression régulière maintenant il trouvera toutes les correspondances de toute la string.@@ -437,7 +437,7 @@ l'expression régulière `/.(at)/g` signifie: n'importe quel caractère sauf le Le modifieur `m` est utilisé pour trouver une correspondance multiligne. Comme mentionné plus tôt, les ancres `(^, $)` sont utilisés pour vérifier si le schéma se trouve au début ou à la fin de la string. Mais si nous voulons que l'ancre soit sur chaque ligne nous utilisons le drapeau `m`. Par exemple, l'expression régulière -`/at(.)?$/gm` signifie: le caractère `a` minuscule, suivi par le caractère `t` minuscule, suivi par optionnellement n'importe quel caractère à part le retour de ligne. +`/at(.)?$/gm` signifie : le caractère `a` minuscule, suivi par le caractère `t` minuscule, suivi par optionnellement n'importe quel caractère à part le retour de ligne. Grâce au drapeau `m` maintenant le moteur d'expression régulière trouve le schéma à chaque début de ligne dans la string.From 9968a235b6bc12b95fbfe3fb9a09a4daf7bcdae5 Mon Sep 17 00:00:00 2001 From: =?UTF-8?q?Nicolas=20Borbo=C3=ABn?=Date: Sat, 19 Aug 2017 11:15:19 +0200 Subject: [PATCH 007/185] Homogenized images (#69) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit * RegExp image for French plus * Some typo corrected * Typographics rules (as space before :) * égual - égal * Images folder added, img src updated * § formatted to 80 lines --- README-es.md | 2 +- README-fr.md | 2 +- README-ja.md | 2 +- README.md | 282 ++++++++++++++++++------------ img/img_original.png | Bin 0 -> 6634 bytes img/regexp-en.png | Bin 0 -> 32144 bytes img/regexp-es.png | Bin 0 -> 34234 bytes img/regexp-fr.png | Bin 0 -> 32922 bytes img/regexp.svg | 397 +++++++++++++++++++++++++++++++++++++++++++ 9 files changed, 573 insertions(+), 112 deletions(-) create mode 100644 img/img_original.png create mode 100644 img/regexp-en.png create mode 100644 img/regexp-es.png create mode 100644 img/regexp-fr.png create mode 100644 img/regexp.svg diff --git a/README-es.md b/README-es.md index 6988406c..82ec6f66 100644 --- a/README-es.md +++ b/README-es.md @@ -21,7 +21,7 @@ Imagina que estas escribiendo una aplicación y quieres agregar reglas para cuan
-
De la expresión regular anterior, se puede aceptar las cadenas 'john_doe', 'jo-hn_doe' y 'john12_as'. La expresión no coincide con el nombre de usuario 'Jo', porque es una cadena de caracteres que contiene letras mayúsculas y es demasiado corta. diff --git a/README-fr.md b/README-fr.md index 729e2dda..126ca62b 100644 --- a/README-fr.md +++ b/README-fr.md @@ -24,7 +24,7 @@ le pseudonyme à contenir des lettres, des nombres, des underscores et des trait de caractères dans le pseudonyme pour qu'il n'ait pas l'air moche. Nous utilisons l'expression régulière suivante pour valider un pseudonyme:+
![]()
-
L'expression régulière ci-dessus peut accepter les strings `john_doe`, `jo-hn_doe` et `john12_as`. Ça ne fonctionne pas avec `Jo` car diff --git a/README-ja.md b/README-ja.md index bdce2acc..8fb870b2 100644 --- a/README-ja.md +++ b/README-ja.md @@ -27,7 +27,7 @@+
![]()
-
この正規表現によって `john_doe, jo-hn_doe, john12_as` などは許容されることになります。 diff --git a/README.md b/README.md index 7a05ff3b..823ce08c 100644 --- a/README.md +++ b/README.md @@ -15,20 +15,26 @@ > Regular expression is a group of characters or symbols which is used to find a specific pattern from a text. -A regular expression is a pattern that is matched against a subject string from left to right. The word "Regular expression" is a -mouthful, you will usually find the term abbreviated as "regex" or "regexp". Regular expression is used for replacing a text within -a string, validating form, extract a substring from a string based upon a pattern match, and so much more. +A regular expression is a pattern that is matched against a subject string from +left to right. The word "Regular expression" is a mouthful, you will usually +find the term abbreviated as "regex" or "regexp". Regular expression is used for +replacing a text within a string, validating form, extract a substring from a +string based upon a pattern match, and so much more. + +Imagine you are writing an application and you want to set the rules for when a +user chooses their username. We want to allow the username to contain letters, +numbers, underscores and hyphens. We also want to limit the number of characters +in username so it does not look ugly. We use the following regular expression to +validate a username: -Imagine you are writing an application and you want to set the rules for when a user chooses their username. We want to -allow the username to contain letters, numbers, underscores and hyphens. We also want to limit the number of -characters in username so it does not look ugly. We use the following regular expression to validate a username:+
![]()
-
-Above regular expression can accept the strings `john_doe`, `jo-hn_doe` and `john12_as`. It does not match `Jo` because that string -contains uppercase letter and also it is too short. +Above regular expression can accept the strings `john_doe`, `jo-hn_doe` and +`john12_as`. It does not match `Jo` because that string contains uppercase +letter and also it is too short. ## Table of Contents @@ -61,8 +67,9 @@ contains uppercase letter and also it is too short. ## 1. Basic Matchers -A regular expression is just a pattern of characters that we use to perform search in a text. For example, the regular expression -`the` means: the letter `t`, followed by the letter `h`, followed by the letter `e`. +A regular expression is just a pattern of characters that we use to perform +search in a text. For example, the regular expression `the` means: the letter +`t`, followed by the letter `h`, followed by the letter `e`.+
"the" => The fat cat sat on the mat. @@ -70,9 +77,11 @@ A regular expression is just a pattern of characters that we use to perform sear [Test the regular expression](https://regex101.com/r/dmRygT/1) -The regular expression `123` matches the string `123`. The regular expression is matched against an input string by comparing each -character in the regular expression to each character in the input string, one after another. Regular expressions are normally -case-sensitive so the regular expression `The` would not match the string `the`. +The regular expression `123` matches the string `123`. The regular expression is +matched against an input string by comparing each character in the regular +expression to each character in the input string, one after another. Regular +expressions are normally case-sensitive so the regular expression `The` would +not match the string `the`."The" => The fat cat sat on the mat. @@ -82,9 +91,10 @@ case-sensitive so the regular expression `The` would not match the string `the`. ## 2. Meta Characters -Meta characters are the building blocks of the regular expressions. Meta characters do not stand for themselves but instead are -interpreted in some special way. Some meta characters have a special meaning and are written inside square brackets. -The meta characters are as follows: +Meta characters are the building blocks of the regular expressions. Meta +characters do not stand for themselves but instead are interpreted in some +special way. Some meta characters have a special meaning and are written inside +square brackets. The meta characters are as follows: |Meta character|Description| |:----:|----| @@ -103,9 +113,10 @@ The meta characters are as follows: ## 2.1 Full stop -Full stop `.` is the simplest example of meta character. The meta character `.` matches any single character. It will not match return -or newline characters. For example, the regular expression `.ar` means: any character, followed by the letter `a`, followed by the -letter `r`. +Full stop `.` is the simplest example of meta character. The meta character `.` +matches any single character. It will not match return or newline characters. +For example, the regular expression `.ar` means: any character, followed by the +letter `a`, followed by the letter `r`.".ar" => The car parked in the garage. @@ -115,9 +126,11 @@ letter `r`. ## 2.2 Character set -Character sets are also called character class. Square brackets are used to specify character sets. Use a hyphen inside a character set to -specify the characters' range. The order of the character range inside square brackets doesn't matter. For example, the regular -expression `[Tt]he` means: an uppercase `T` or lowercase `t`, followed by the letter `h`, followed by the letter `e`. +Character sets are also called character class. Square brackets are used to +specify character sets. Use a hyphen inside a character set to specify the +characters' range. The order of the character range inside square brackets +doesn't matter. For example, the regular expression `[Tt]he` means: an uppercase +`T` or lowercase `t`, followed by the letter `h`, followed by the letter `e`."[Tt]he" => The car parked in the garage. @@ -125,7 +138,9 @@ expression `[Tt]he` means: an uppercase `T` or lowercase `t`, followed by the le [Test the regular expression](https://regex101.com/r/2ITLQ4/1) -A period inside a character set, however, means a literal period. The regular expression `ar[.]` means: a lowercase character `a`, followed by letter `r`, followed by a period `.` character. +A period inside a character set, however, means a literal period. The regular +expression `ar[.]` means: a lowercase character `a`, followed by letter `r`, +followed by a period `.` character."ar[.]" => A garage is a good place to park a car. @@ -135,9 +150,10 @@ A period inside a character set, however, means a literal period. The regular ex ### 2.2.1 Negated character set -In general, the caret symbol represents the start of the string, but when it is typed after the opening square bracket it negates the -character set. For example, the regular expression `[^c]ar` means: any character except `c`, followed by the character `a`, followed by -the letter `r`. +In general, the caret symbol represents the start of the string, but when it is +typed after the opening square bracket it negates the character set. For +example, the regular expression `[^c]ar` means: any character except `c`, +followed by the character `a`, followed by the letter `r`."[^c]ar" => The car parked in the garage. @@ -147,14 +163,17 @@ the letter `r`. ## 2.3 Repetitions -Following meta characters `+`, `*` or `?` are used to specify how many times a subpattern can occur. These meta characters act -differently in different situations. +Following meta characters `+`, `*` or `?` are used to specify how many times a +subpattern can occur. These meta characters act differently in different +situations. ### 2.3.1 The Star -The symbol `*` matches zero or more repetitions of the preceding matcher. The regular expression `a*` means: zero or more repetitions -of preceding lowercase character `a`. But if it appears after a character set or class then it finds the repetitions of the whole -character set. For example, the regular expression `[a-z]*` means: any number of lowercase letters in a row. +The symbol `*` matches zero or more repetitions of the preceding matcher. The +regular expression `a*` means: zero or more repetitions of preceding lowercase +character `a`. But if it appears after a character set or class then it finds +the repetitions of the whole character set. For example, the regular expression +`[a-z]*` means: any number of lowercase letters in a row."[a-z]*" => The car parked in the garage #21. @@ -162,10 +181,12 @@ character set. For example, the regular expression `[a-z]*` means: any number of [Test the regular expression](https://regex101.com/r/7m8me5/1) -The `*` symbol can be used with the meta character `.` to match any string of characters `.*`. The `*` symbol can be used with the -whitespace character `\s` to match a string of whitespace characters. For example, the expression `\s*cat\s*` means: zero or more -spaces, followed by lowercase character `c`, followed by lowercase character `a`, followed by lowercase character `t`, followed by -zero or more spaces. +The `*` symbol can be used with the meta character `.` to match any string of +characters `.*`. The `*` symbol can be used with the whitespace character `\s` +to match a string of whitespace characters. For example, the expression +`\s*cat\s*` means: zero or more spaces, followed by lowercase character `c`, +followed by lowercase character `a`, followed by lowercase character `t`, +followed by zero or more spaces."\s*cat\s*" => The fat cat sat on the concatenation. @@ -175,8 +196,10 @@ zero or more spaces. ### 2.3.2 The Plus -The symbol `+` matches one or more repetitions of the preceding character. For example, the regular expression `c.+t` means: lowercase -letter `c`, followed by at least one character, followed by the lowercase character `t`. It needs to be clarified that `t` is the last `t` in the sentence. +The symbol `+` matches one or more repetitions of the preceding character. For +example, the regular expression `c.+t` means: lowercase letter `c`, followed by +at least one character, followed by the lowercase character `t`. It needs to be +clarified that `t` is the last `t` in the sentence."c.+t" => The fat cat sat on the mat. @@ -186,9 +209,11 @@ letter `c`, followed by at least one character, followed by the lowercase charac ### 2.3.3 The Question Mark -In regular expression the meta character `?` makes the preceding character optional. This symbol matches zero or one instance of -the preceding character. For example, the regular expression `[T]?he` means: Optional the uppercase letter `T`, followed by the lowercase -character `h`, followed by the lowercase character `e`. +In regular expression the meta character `?` makes the preceding character +optional. This symbol matches zero or one instance of the preceding character. +For example, the regular expression `[T]?he` means: Optional the uppercase +letter `T`, followed by the lowercase character `h`, followed by the lowercase +character `e`."[T]he" => The car is parked in the garage. @@ -204,9 +229,10 @@ character `h`, followed by the lowercase character `e`. ## 2.4 Braces -In regular expression braces that are also called quantifiers are used to specify the number of times that a -character or a group of characters can be repeated. For example, the regular expression `[0-9]{2,3}` means: Match at least 2 digits but not more than 3 ( -characters in the range of 0 to 9). +In regular expression braces that are also called quantifiers are used to +specify the number of times that a character or a group of characters can be +repeated. For example, the regular expression `[0-9]{2,3}` means: Match at least +2 digits but not more than 3 ( characters in the range of 0 to 9)."[0-9]{2,3}" => The number was 9.9997 but we rounded it off to 10.0. @@ -214,8 +240,9 @@ characters in the range of 0 to 9). [Test the regular expression](https://regex101.com/r/juM86s/1) -We can leave out the second number. For example, the regular expression `[0-9]{2,}` means: Match 2 or more digits. If we also remove -the comma the regular expression `[0-9]{3}` means: Match exactly 3 digits. +We can leave out the second number. For example, the regular expression +`[0-9]{2,}` means: Match 2 or more digits. If we also remove the comma the +regular expression `[0-9]{3}` means: Match exactly 3 digits."[0-9]{2,}" => The number was 9.9997 but we rounded it off to 10.0. @@ -231,10 +258,13 @@ the comma the regular expression `[0-9]{3}` means: Match exactly 3 digits. ## 2.5 Character Group -Character group is a group of sub-patterns that is written inside Parentheses `(...)`. As we discussed before that in regular expression -if we put a quantifier after a character then it will repeat the preceding character. But if we put quantifier after a character group then -it repeats the whole character group. For example, the regular expression `(ab)*` matches zero or more repetitions of the character "ab". -We can also use the alternation `|` meta character inside character group. For example, the regular expression `(c|g|p)ar` means: lowercase character `c`, +Character group is a group of sub-patterns that is written inside Parentheses `(...)`. +As we discussed before that in regular expression if we put a quantifier after a +character then it will repeat the preceding character. But if we put quantifier +after a character group then it repeats the whole character group. For example, +the regular expression `(ab)*` matches zero or more repetitions of the character +"ab". We can also use the alternation `|` meta character inside character group. +For example, the regular expression `(c|g|p)ar` means: lowercase character `c`, `g` or `p`, followed by character `a`, followed by character `r`.@@ -245,11 +275,15 @@ We can also use the alternation `|` meta character inside character group. For e ## 2.6 Alternation -In regular expression Vertical bar `|` is used to define alternation. Alternation is like a condition between multiple expressions. Now, -you may be thinking that character set and alternation works the same way. But the big difference between character set and alternation -is that character set works on character level but alternation works on expression level. For example, the regular expression -`(T|t)he|car` means: uppercase character `T` or lowercase `t`, followed by lowercase character `h`, followed by lowercase character `e` -or lowercase character `c`, followed by lowercase character `a`, followed by lowercase character `r`. +In regular expression Vertical bar `|` is used to define alternation. +Alternation is like a condition between multiple expressions. Now, you may be +thinking that character set and alternation works the same way. But the big +difference between character set and alternation is that character set works on +character level but alternation works on expression level. For example, the +regular expression `(T|t)he|car` means: uppercase character `T` or lowercase +`t`, followed by lowercase character `h`, followed by lowercase character `e` or +lowercase character `c`, followed by lowercase character `a`, followed by +lowercase character `r`."(T|t)he|car" => The car is parked in the garage. @@ -259,12 +293,16 @@ or lowercase character `c`, followed by lowercase character `a`, followed by low ## 2.7 Escaping special character -Backslash `\` is used in regular expression to escape the next character. This allows us to specify a symbol as a matching character -including reserved characters `{ } [ ] / \ + * . $ ^ | ?`. To use a special character as a matching character prepend `\` before it. +Backslash `\` is used in regular expression to escape the next character. This +allows us to specify a symbol as a matching character including reserved +characters `{ } [ ] / \ + * . $ ^ | ?`. To use a special character as a matching +character prepend `\` before it. -For example, the regular expression `.` is used to match any character except newline. Now to match `.` in an input string the regular -expression `(f|c|m)at\.?` means: lowercase letter `f`, `c` or `m`, followed by lowercase character `a`, followed by lowercase letter -`t`, followed by optional `.` character. +For example, the regular expression `.` is used to match any character except +newline. Now to match `.` in an input string the regular expression +`(f|c|m)at\.?` means: lowercase letter `f`, `c` or `m`, followed by lowercase +character `a`, followed by lowercase letter `t`, followed by optional `.` +character."(f|c|m)at\.?" => The fat cat sat on the mat. @@ -274,18 +312,22 @@ expression `(f|c|m)at\.?` means: lowercase letter `f`, `c` or `m`, followed by l ## 2.8 Anchors -In regular expressions, we use anchors to check if the matching symbol is the starting symbol or ending symbol of the -input string. Anchors are of two types: First type is Caret `^` that check if the matching character is the start -character of the input and the second type is Dollar `$` that checks if matching character is the last character of the -input string. +In regular expressions, we use anchors to check if the matching symbol is the +starting symbol or ending symbol of the input string. Anchors are of two types: +First type is Caret `^` that check if the matching character is the start +character of the input and the second type is Dollar `$` that checks if matching +character is the last character of the input string. ### 2.8.1 Caret -Caret `^` symbol is used to check if matching character is the first character of the input string. If we apply the following regular -expression `^a` (if a is the starting symbol) to input string `abc` it matches `a`. But if we apply regular expression `^b` on above -input string it does not match anything. Because in input string `abc` "b" is not the starting symbol. Let's take a look at another -regular expression `^(T|t)he` which means: uppercase character `T` or lowercase character `t` is the start symbol of the input string, -followed by lowercase character `h`, followed by lowercase character `e`. +Caret `^` symbol is used to check if matching character is the first character +of the input string. If we apply the following regular expression `^a` (if a is +the starting symbol) to input string `abc` it matches `a`. But if we apply +regular expression `^b` on above input string it does not match anything. +Because in input string `abc` "b" is not the starting symbol. Let's take a look +at another regular expression `^(T|t)he` which means: uppercase character `T` or +lowercase character `t` is the start symbol of the input string, followed by +lowercase character `h`, followed by lowercase character `e`."(T|t)he" => The car is parked in the garage. @@ -301,9 +343,10 @@ followed by lowercase character `h`, followed by lowercase character `e`. ### 2.8.2 Dollar -Dollar `$` symbol is used to check if matching character is the last character of the input string. For example, regular expression -`(at\.)$` means: a lowercase character `a`, followed by lowercase character `t`, followed by a `.` character and the matcher -must be end of the string. +Dollar `$` symbol is used to check if matching character is the last character +of the input string. For example, regular expression `(at\.)$` means: a +lowercase character `a`, followed by lowercase character `t`, followed by a `.` +character and the matcher must be end of the string."(at\.)" => The fat cat. sat. on the mat. @@ -319,8 +362,9 @@ must be end of the string. ## 3. Shorthand Character Sets -Regular expression provides shorthands for the commonly used character sets, which offer convenient shorthands for commonly used -regular expressions. The shorthand character sets are as follows: +Regular expression provides shorthands for the commonly used character sets, +which offer convenient shorthands for commonly used regular expressions. The +shorthand character sets are as follows: |Shorthand|Description| |:----:|----| @@ -334,11 +378,15 @@ regular expressions. The shorthand character sets are as follows: ## 4. Lookaround -Lookbehind and lookahead sometimes known as lookaround are specific type of ***non-capturing group*** (Use to match the pattern but not -included in matching list). Lookaheads are used when we have the condition that this pattern is preceded or followed by another certain -pattern. For example, we want to get all numbers that are preceded by `$` character from the following input string `$4.44 and $10.88`. -We will use following regular expression `(?<=\$)[0-9\.]*` which means: get all the numbers which contain `.` character and are preceded -by `$` character. Following are the lookarounds that are used in regular expressions: +Lookbehind and lookahead sometimes known as lookaround are specific type of +***non-capturing group*** (Use to match the pattern but not included in matching +list). Lookaheads are used when we have the condition that this pattern is +preceded or followed by another certain pattern. For example, we want to get all +numbers that are preceded by `$` character from the following input string +`$4.44 and $10.88`. We will use following regular expression `(?<=\$)[0-9\.]*` +which means: get all the numbers which contain `.` character and are preceded +by `$` character. Following are the lookarounds that are used in regular +expressions: |Symbol|Description| |:----:|----| @@ -349,12 +397,16 @@ by `$` character. Following are the lookarounds that are used in regular express ### 4.1 Positive Lookahead -The positive lookahead asserts that the first part of the expression must be followed by the lookahead expression. The returned match -only contains the text that is matched by the first part of the expression. To define a positive lookahead, parentheses are used. Within -those parentheses, a question mark with equal sign is used like this: `(?=...)`. Lookahead expression is written after the equal sign inside -parentheses. For example, the regular expression `[T|t]he(?=\sfat)` means: optionally match lowercase letter `t` or uppercase letter `T`, -followed by letter `h`, followed by letter `e`. In parentheses we define positive lookahead which tells regular expression engine to match -`The` or `the` which are followed by the word `fat`. +The positive lookahead asserts that the first part of the expression must be +followed by the lookahead expression. The returned match only contains the text +that is matched by the first part of the expression. To define a positive +lookahead, parentheses are used. Within those parentheses, a question mark with +equal sign is used like this: `(?=...)`. Lookahead expression is written after +the equal sign inside parentheses. For example, the regular expression +`[T|t]he(?=\sfat)` means: optionally match lowercase letter `t` or uppercase +letter `T`, followed by letter `h`, followed by letter `e`. In parentheses we +define positive lookahead which tells regular expression engine to match `The` +or `the` which are followed by the word `fat`."[T|t]he(?=\sfat)" => The fat cat sat on the mat. @@ -364,10 +416,13 @@ followed by letter `h`, followed by letter `e`. In parentheses we define positiv ### 4.2 Negative Lookahead -Negative lookahead is used when we need to get all matches from input string that are not followed by a pattern. Negative lookahead -defined same as we define positive lookahead but the only difference is instead of equal `=` character we use negation `!` character -i.e. `(?!...)`. Let's take a look at the following regular expression `[T|t]he(?!\sfat)` which means: get all `The` or `the` words from -input string that are not followed by the word `fat` precedes by a space character. +Negative lookahead is used when we need to get all matches from input string +that are not followed by a pattern. Negative lookahead defined same as we define +positive lookahead but the only difference is instead of equal `=` character we +use negation `!` character i.e. `(?!...)`. Let's take a look at the following +regular expression `[T|t]he(?!\sfat)` which means: get all `The` or `the` words +from input string that are not followed by the word `fat` precedes by a space +character."[T|t]he(?!\sfat)" => The fat cat sat on the mat. @@ -377,9 +432,10 @@ input string that are not followed by the word `fat` precedes by a space charact ### 4.3 Positive Lookbehind -Positive lookbehind is used to get all the matches that are preceded by a specific pattern. Positive lookbehind is denoted by -`(?<=...)`. For example, the regular expression `(?<=[T|t]he\s)(fat|mat)` means: get all `fat` or `mat` words from input string that -are after the word `The` or `the`. +Positive lookbehind is used to get all the matches that are preceded by a +specific pattern. Positive lookbehind is denoted by `(?<=...)`. For example, the +regular expression `(?<=[T|t]he\s)(fat|mat)` means: get all `fat` or `mat` words +from input string that are after the word `The` or `the`."(?<=[T|t]he\s)(fat|mat)" => The fat cat sat on the mat. @@ -389,9 +445,10 @@ are after the word `The` or `the`. ### 4.4 Negative Lookbehind -Negative lookbehind is used to get all the matches that are not preceded by a specific pattern. Negative lookbehind is denoted by -`(? "(?<![T|t]he\s)(cat)" => The cat sat on cat. @@ -401,8 +458,9 @@ are not after the word `The` or `the`. ## 5. Flags -Flags are also called modifiers because they modify the output of a regular expression. These flags can be used in any order or -combination, and are an integral part of the RegExp. +Flags are also called modifiers because they modify the output of a regular +expression. These flags can be used in any order or combination, and are an +integral part of the RegExp. |Flag|Description| |:----:|----| @@ -412,10 +470,12 @@ combination, and are an integral part of the RegExp. ### 5.1 Case Insensitive -The `i` modifier is used to perform case-insensitive matching. For example, the regular expression `/The/gi` means: uppercase letter -`T`, followed by lowercase character `h`, followed by character `e`. And at the end of regular expression the `i` flag tells the -regular expression engine to ignore the case. As you can see we also provided `g` flag because we want to search for the pattern in -the whole input string. +The `i` modifier is used to perform case-insensitive matching. For example, the +regular expression `/The/gi` means: uppercase letter `T`, followed by lowercase +character `h`, followed by character `e`. And at the end of regular expression +the `i` flag tells the regular expression engine to ignore the case. As you can +see we also provided `g` flag because we want to search for the pattern in the +whole input string."The" => The fat cat sat on the mat. @@ -431,10 +491,11 @@ the whole input string. ### 5.2 Global search -The `g` modifier is used to perform a global match (find all matches rather than stopping after the first match). For example, the -regular expression`/.(at)/g` means: any character except new line, followed by lowercase character `a`, followed by lowercase -character `t`. Because we provided `g` flag at the end of the regular expression now it will find every matches from whole input -string. +The `g` modifier is used to perform a global match (find all matches rather than +stopping after the first match). For example, the regular expression`/.(at)/g` +means: any character except new line, followed by lowercase character `a`, +followed by lowercase character `t`. Because we provided `g` flag at the end of +the regular expression now it will find every matches from whole input string."/.(at)/" => The fat cat sat on the mat. @@ -450,10 +511,13 @@ string. ### 5.3 Multiline -The `m` modifier is used to perform a multi-line match. As we discussed earlier anchors `(^, $)` are used to check if pattern is -the beginning of the input or end of the input string. But if we want that anchors works on each line we use `m` flag. For example, the -regular expression `/at(.)?$/gm` means: lowercase character `a`, followed by lowercase character `t`, optionally anything except new -line. And because of `m` flag now regular expression engine matches pattern at the end of each line in a string. +The `m` modifier is used to perform a multi-line match. As we discussed earlier +anchors `(^, $)` are used to check if pattern is the beginning of the input or +end of the input string. But if we want that anchors works on each line we use +`m` flag. For example, the regular expression `/at(.)?$/gm` means: lowercase +character `a`, followed by lowercase character `t`, optionally anything except +new line. And because of `m` flag now regular expression engine matches pattern +at the end of each line in a string."/.at(.)?$/" => The fat diff --git a/img/img_original.png b/img/img_original.png new file mode 100644 index 0000000000000000000000000000000000000000..da1c5fa2ac5822e8bccf3661f0ac720a011fc484 GIT binary patch literal 6634 zcmbVQd0bQXvOke3A|Pn2VUZxA!bM~i2y0LQ5m8WVMGFK4g(^E?3n73T20<_tStLMl zVQFPkAqgZz1tH231WJHlq7XJi2!tiFzk|K+-QM2YzWd(!BcGF*-^~2xcjh37 z;wZmGWeWfR@=izW-2h+%762e6n>T?J%WE?=0H9puWPkA6n112=He&9Xhl%HnLpMJ= zFH)rW4J&GWbtrT*`dRp9=vDV8YFF*X6c=j)Y6YKs6K5JATgR|Je;X-6o_4lOY}Y+d zatT!VKTqO5VF5?bT4pnjO}&@aRcYu_Dp4;B2kw|*Yw|sw#%p*UMUD0vQ84^!ZD|vL z6imvoUwVPRoNpdb(Cyp&nP606BhGxFXS!YZM(RW96XD5Ne8Fx9E~?P@wDG3sbZa2S zG9Bv2P)tNr(DV^MIpi~?5(Dvre6Fbgw*n9GdbN^;xDe~oR~gPIW9hMb9~GP;yYq+B zUYdxDaM5-*Ge+BUtgOUttf2tymJ61f>>PXn;5!HOSY@a>f!2|=BQ1@lKRwroBA;&_ z-2uhgy%NjN%WdW#z_($2hrzW@P`~!V+KlAD@eWa?F+@T4?t~KI0bRTA@!wQ;!j}ll z7PV_p!xpo;E&g(;FDWyY9%7WciWETTL@wOSIeMeJlZTZn8t0Pr4U;F8vH0E0BtJaM zwQQ8HXH!gNKrPcl0^h2u*zOfyR+j>f7)KNKnpoW1Qfj1#U3vQ`?lAv`mgqzxT9^XE zv=l2`4;*8#Rj}?#QUKG~rs5YqIlyi-RnGz4o`1(i(_oft_cHV*Q}sTjffb!bd)5R1 zW?1V~&exkuvt>^5ldXx;fV9$mWAEUx4KI}}Jv}`5x34hNZc+TrJ?pY`)yg*}e$q6E z7$=;tzpnplcr{b@wW!x~CIzO`GFrkuf#K(wZUPj)*7e%m+JiVBIH(VOXBq}G)K|t< zv4R4An3ZKMnEF`Hr(NqcV#<)33A@}^NAfg9PmF-X5+)}c^{yYLQ+wmhR0&4xmhX{P z|Aw)7@+1*vwTXJA>+rs=?cwb>XS%BpJoeW ^;9N6A)refe~|#rkU4_iy>Vytq!G-vhHf;@YFy7^1e=9== XU zja|Kugcn<6u9z9gwG(LBVcCb#whIz`)6>gRz8x;BYaJ`$^Q5M Q2_>wDgdda>VJ8tr#|o<*&_C?TM1&ksBBOkt zs7q-_{W!Tl>(Yc$;B8v>2d45hQnSTgu^XA%%v6PDUYZEsj@>Qp)!935&d(B$(4QmE z^ lzp}hBiA( zu)D66zmUGsF(hYI9#V)=Zoa|J*}utu*QfMk8YxKMA0ME34GucE1M8nq7bSP>y1yt$ z4qsPe8$)yR-LpsBbRcd{nWZ@#Rx?q3eC5PD?NtfMXe@Vy^|B?o_=^H4=$m;T8dv0_ z{l0_2nelkE=fQ) I7cQ%O#Jj+k1w0)$Kd P5SM1N0DN zo3uT*t50x0LI-y`=>`9t`+P0u)llZ5B}VIgeP4~lz$`Re-M{5&n%7RMy2{bR-2Bmp zua||Spx~C9x9TDG@ZwGAan~MSKKE9$)1`66K0$khjcI4CT2q Hku!~SGpOga6@-j1pN}H#^Q`bFPv2>d=kncSk z77qvSt^PL=l$wC$C(7&Z+Oxu$PH*%E@QO g?#cN_P zseq{k)J>EI(+p^B{ni5n>o3H= 2F{)z*d_=6o#=73Rxs}?~$=_`=MmRvMG zxNPzbxGP00Xa?K{=pj)WJS6+|Q&R*Z{@-xE5dV^MfPdu=+WxWpFFBy`f9wF1F?0fI zyn$oe6NNC~?pM9>5JM;0!V*i!SrVpbYyiE t8wNNn zhsJIM+sdhV&fDF$nFd@xIQsD|2Bg^Fa!v z)n9v4q}^BVjC48zuECQXEDm}D%ypxBCqSuW++VYq)tq{9(*y_}6g9EbuP9ss20GbI z1|Esv8}RwgzpsK*Pnt&75@fzgl D@>e25dp}Ex6DpAWzS=yVCJGT^ z(hWuiF>5i}0o}*cRlfN675o5LbAnYs5W<6Ehczo2DK(kfUaYAgk0q78F~Fv(hj?AQ zJCO%weZ7{;dX_9yYOlX_LAC }C zx@QzvX*9DTJ3sQ!41{vyym6nL^4)Z13dhPQkJf)p`@xCExwe(9m^@{y*P+n7m4lkv z;-mR~cV@_0KG G2&YDZU{qx9A?5yoyJ4!R3 zIiOw6-8=2UH&xXP308RAbvUtj2j)nPGa=25i2UaI3GX+(ui-xjAr6JIDpjCbCy7Y) z?R#4De(d |KQ?RAcnca;ePSFt|EisSFqwzzC37`+B?K31ii!hiUpjOL7Oy;JoK+gYa8iuoL z&J}KRI_tmqs%om0n57z9>Ro%wrutQ(N8%yqVehGsVb6x3^ne$SJ?|w1Z}7T5b!y%x z5bssWp0L_$KTq@H^)PkSda9S-GU1~e(>4z6ofBo$9+LyC?9p#z=O(wwm*U87EZ8jz zh4MzhcI+i0+41^Z+X5_~D`-(~Xkyewx(+;B{!#YDMTCLr6bR2XhU!ak(6n1L>agkU zoaqnrW7YQDeoKo9TH7xCSX2d*BaSBLKkabIbmy46Dtwq_rpOdNYk$+SGCiAt;asLX zI-G3y^Sey8u}L$!r^qTSS1np)hAqXed)!h?vS ecmOO$%|oxfmTwIlN{J*SiI{CiV1SW_aUNuXk8zl^lOInQkI)i z*;Uc}+Z(xdM;-G6_z;p3);Y{ne_5jIz#UM^tBNiR$rml2_s_cvyLG4LL+x2-{yo~} z*opIFRnyKeAd6s4aptSd-Jg7V^RfVDU@5X)PaDz0bBpDi?-@oVOHF&+fMeDK+E=Dt zN1`Vy1#0aDr229a{jS~6b{*iReSX3A+62R4Zo74s@n{vh-QQ}kp|u|y>dy83F4l8Y zzhFZm(~f^}<^6t5(I?I+wly1;2o@eh#Ve*q?25lV*NeZZW%8GRpCzo2r~=u{4_fuh zR631Uue237b|DmBusRUGMy1#D(A+g7U`Tv #4_P!N5N6H`YQLZZKy0=|niBEC$ByS=W1Cl3R( zj44U#GMpw(8~Gii XsD@*U-BCRN)C?6!s>%so-O86 zgJ?>Yz~w1j3}Pv0j6yAtg^Xrw0`xVaSd9Z~lRxgY?y8x_Yb`I{6b=a)D_zStN{ (H;IU`YW0p*y*!f<_iLwv{XkYX2$s(d; 96=X`-H;13vjsRnn0hKe;HUv~RP7ygb`{@jH>=lsq&&!*8gHPbD3 zz ZF<5`;DXL3f$Re3(6r$N!)UwuY^>u}w2eF>v3uX34wOv#9T5<$4qNJjaK;KjHs%4mcUfi z1*aV#f)Cz?#Y}fq?Bi6OMa`ZOhYH;? D6E|kuZXc<+(n$5Md7TJ#WXmF0OTWrtOLm2Go zT|D3kHW3|swOeh!;HMG(Pwdv{J 3S-7oSV!^@9@EpGbBz2ZaDJ7OoJ!M53X zaKJ{~4$gAcTkL!$6pK(ezz-{6%Hn08c7N nwM zcW2YceQ(+kWx+$VT^ljF=Zh6d1W{t16D@ni9U+FR7kkI#1qj}s3^Ozf%bI2?3z~(2 zo(s9ZO>IEzMcb=sFi#G^Xuq#cS=f4zdhb8@Lnjwq4Q_UZ@5~I7 D*JJ31w`BGSs0RKjoLgY^V|9rS0L|z-`#|^n*|csafxM z2F%4H?W4J$?k`|gM}prcE%B|% z^)$qf*l76C;ajZ9q$+Me z?z2%+gJy_lZ+4Ov%_C0KP;J2qI@70^wTfnJ-{ZS6qy`fbv+_#ZcAM5b+{v1F=drj0 zB^ju_HyoHV;)s45JN22|#B46bFFfBb7@m!H79ktnVuEF9`J}MAt|b@u7& kyM^9o@PtVKg)3?bVUX=yg*k~BVUr3s;9Z }BFt!N^XZMfGxhxX3dTu7HRmcLNyu04kB zWD0UAUK54yJ8|nKJgfpMpI1qa=Zzi@l(|Y`253XqN4y mK|!vC*e#Rgr76-EjLkA4bwyIq=`@ur9aj}B9xADxDSMfT zDHs?%EhZ7zBLe}(UKZk!t?$niHG^M3`gwnr>nD5V`-H3w-+(8BSEn~v)|wOr*!t$o zz@IjM?C eFM&y9A+;R{I*dk@u+$3IVVPJvFRvBRAXMtH`3oKVSk(UgVm| zZb}?nGe!rU#g$^$AM_ZU fS%UEbou^F1c7-<@&Zg<(}0P^_Kf8U&HzO~@T!@sLeGEg83+MNtJW`(OKHZGHG_ zeOyxGXb*A$7CmWP^J~Uv6j_q@c(mqXYyTmZUgSbxGHu}EmO8K*cxw?HgAr`uY7bL~ z;g)alD_zNtGLf9evbC9DzC5SCC0&x2d8u8jLxo4^rep36cbQ#cXmx0z+A|wir4{4B zBCD>1{TB{%E4wf$YNGAls5fVe4&3;@pnKn`%CuGO2p`mh?Czf~qsq<}ol{$JpIGom zD3tUJ6dv7oDrO`yVqA3)p+K3)4GJ*_37wG j~IFW#&w YOzWi69QwZXSr>J3aIr5xbnfbZ0WEGq1poj5 literal 0 HcmV?d00001 diff --git a/img/regexp-en.png b/img/regexp-en.png new file mode 100644 index 0000000000000000000000000000000000000000..f2331491b387f1fd9cb7b843fe86893ca7fad475 GIT binary patch literal 32144 zcmdSBc{rADyEc5GLCTaw%2*^qM9EYkLIW~{kg3eG3>6AxC{od2C}W0X$WWP5hSFdj z8Vr$$GDVT;+t1*0+7%AMg9Fwchpq@wRQh=PCE?zOU;#kMlV8W8e4V4AVZM&d9*U zKv5K<#z9qGilX(UD4GoV75Ir<(63_r-!czn4Ly4NIY)0Dihr+iJ!s^C_ji#0Xq1KH zeDK2!o(GP59& 22X|LwS39i`zLncvxAu+K9WjpN<<<;KG~MkT>bsc{ i6XD*Kc#)mFsN!y8;c4gM%%^APWJB$c z6_?r}xx4RV{v*6W{9j+~- zcNY8Si&;+(tfMGCN<($Oo=^ObF5eS+`b#Uvnd#_->4o_p@jZHCIV#F&KWftFeD_Xz z)ScK^#aPSYQit?RLFWybf-%OAdarM+|8{*NQv@Ghc;H3)_#R#*kAM@WR-8I{$!5OH zJlA*N^Vx={J@Rj*d-e<_db|y0p;g5nYu$A=+!QPRY~Z<}Ab>w?)mx%MLqlIJlYG4y z|CHK)XcGSnJ;d_A_42g?Ml0_}O-*^Ks;jHeU$`sd@Z$CB%!euhV#z5f`5uEuK0k4z zJDR9KLlxRK(XQqY-`@W!ac-*RsN3wM%@s~b+Rf^b+eci(r@p>sn;L3TaVouhd1bLn z&m-^ir{Bj{)yIfhxVS_ej@z|CKvh6M FB~Six@$icIjp3f`2G^& z+U0m0m+1WM?H!-VudAMUk3}*o%}_E9?aQdn4<9!CjK>Y{x3m REWTn5XJC;-N3#FI-{wV=5@(Ayv0}3B zUk`3j)0j xO$APmbfozH`ew6<)vmeJ+a)+S_<3`4!9x{(0fEiiIyAa#uWpRK zaU)3WDwjn=qGDcgaqLf*&OCmlrFoBYQ%&kN>-gDI^+eJFI Fg#?c2ZJ>Z%L~ z(96_4kP}(zJ=Ql?xm5e}Qwi(FjjOe^w4OYBmTX?>Z`)IGK6+xTtCRx^Gt^x!f8xXm z*TMJPKR!QY+wIaFTwbmycjgDZxw(1foUE`g{p;7Ssjq)>xfOg^#Kpx6o|TuEPc&;u zux|*e80{{PP(1saPfBX7k&%(Bo7?_-O6MDK|2cmG$on^J*gyq-Dsj>JL`O$w^JlG` zy!^{IZ{F~^T?z^L^6gz*^RI^ww^PqQJU-plH#Ie-nxb}3k;X;#N%(aH;EPCZdDoG4F}+78Hsn_P6}iO3ZTxlN!j~^!W)}YR zu(Gp lFl*{iWSFT(+ zvT%2u&C5%S$?gO7Tn!!NXT782;~(aqz>mDbKh)LLoy>oqsAw|SVLwnGV?SW-JHSq} zZ@Y2f!E@tPEA4HtBdZH+-V`S8m6J2}9Q|z6Ka2RSd7mK9cqZrWc9Y^m6wA+#MJ-RS zT)uqS_#yU}aKY!#Pd%1XlD3U}`CcOi7B)6%1`SW#`U_(lUcF*TQIBe$@s--Wn}auC zKL6F5H!ZVrp`izN4?Gjhb?dK{4Omq8{qxghZ0_V^501#)TIh?AxR#j6M3Lv&VIIIp z9WQZCFxE1g9&T%^S3htd35&wH%aK#gb0`ogO+ZnRn?wA>^O7F_i09AuUD>o}?MkLi z!cwtTb&(d|o6~Hu2h7g?lxclv#OCJaCVOsXht$rUY5m{cCq&@;X(-)e$0oj9=B1@# zw;R!(K7HCK;Xu)$@1i?)u(UildYOe*NlEFpoR`RtpFiCe=Y6-EK3li-XkvA5Rgl}{ zSB=|oac}CyjS5ul`E^BNW{}fpD8xbxqkE=lX>nB__a67uhs$ld%X|-NX}xUCJl6J% zU*3E4VNqiF**|@VPoJfQKTSmrhM!BlnMDmBRlkedJ<+qY$gx@NN?>+&_QON&?ouSh z+`i4(`p9%6Nf_A%Ipe)mbem*dDH}0PgOxLv znYcxY9X}-J59I7vn*SBm>OMa8{a8Z%CZ%)770&)XG@_(`9vjMdM7!v#k%>vfDmJ0e zA3q#FEPnocf_3fM 8 z14Y^idjrhE=O+5=YS);gBiGReB6Bx>_tDqlq4FI%#6MJ={WH31 C>*v>76n%MaMgoRaNiCjIc{QJM%LfsrhAn zJ;T$dPdiIoc)NZ28C!GBd9jpr*9Em)|BRZZ#FrZ8n%Rr_&;Du4(qB!bMyH0jojFsB zoZY4-C9*Eu-R;*La#Y%$PNjvZW5VkuOG0kl;_&-3%1EIUs%O@nKE%Vr!zp8b)6wKA zmrQSeKOGf%<;u;U5fKqDB`W7>spG|tcRrS1r^YAhcvX_L`4kj3-I6fhrTaCl;p0bR zdsBn_yu54a4|U#+WC#R5A8yO0p~foa#IcL+8w?`rHQnD&XKiiGw_``+!Du$t^4s-Z z*H=>5k~OGId9GiSKU5dt9%_&}n^HB{P+ULR4mP}gU4@rjzrJGq@Upv`C(xN~9yzeM z@xo@CpYyZ7s6c=Ohk1b&e2llXxgA74mbm1)J>Q4NPm{59K8joZ64w9t@#D7KdD=O~ zGMN#(w`{3?&Uz~WD{EI)w13)I@!X7d@d7@jIVulH(Dq@=+qY{H6BDUKZ+ _DH(8p0W zJyY{Vb_43*W_7rk4M#`d*3SdHY7T zeC^0JUwP6vmz`C|SDXKO**qTlWn?t&+{#6{Bk{5qy35aQmY3h?(EhLrnSjwf62%tj zk_QVLtemtDMHH2T--Om4xm#N#=GD7*Vg(i0gIrt0t#l3t=;Ddx)O~fSdj0Cvjyqe9 z_Ou<<3-T=}DDb=+Y$8(>u}yf?VY!0&-8|v+DPvaFn3e3}uixb2^EvmpZ#na$^8yeb z=fiG90aJ8zbcR{E+{KF*8 2X1p&Lh{1e5-)0pviw;6|U(nHe7{FeoUfHY~+_9V3@CHC`6+si`Ud zZJ+jGt7CZ)g$g?527C7GA$V&TIj0uTx%_y&H`@)S#f3lSRHJOYPR;Ar8h^btH8rEX zvPP@k^eD!eySnBzmBwZn=86lNJgYvjHmglOQNcI4=zz4W>~XnbX*O-sOoOFH8@@vt zQ$IeiF@(^Dg@wubPNwQK=yU3K{Ov0B<_{KrEX&Y>hw^>r)JSe+tedo|szf5-o0xGS zJ<0TkIpcfo>^z-n$Kf|UoK}?h%xgr`G@azb$+E2IX#7Rl%q-E-+}N0_`|OxvLZ8Gc zQBl!tZf%0!t`9Y*t^WM^Go=vlZnfDj1Y8;?60cS3@o>?lp0}NY8&Kw`-k&8sv9U>_ zLr8j^1vU{)cqrrNmKM+d_*BwhJGgCCi1G!a$ERp~7Ar(#xvy#-Il|;W_jC6aA)(k) zKB}rhxhK3kNIbV3-5YZ69`6cfo-0h;a?fACUiD|R>t*J#2YII(c)kt{B%OM9xA|6> zkb!~0P*>^h#l<<7LkV*1b&=dE08Oc91H1j_oa{8$QKaIW8SB1^@@R!3;WLs`G7hxH z4~PcbssiMTd%CYDa@B8vZY5K7`r)|V!NJR~UL8c2p=`Vwk(b}x$}X6uEu821U3cd1 z-#%;zWt6EMP9LRZ_w4zCtUoiHoy!-zFK(C94vQDdg5p~mS1@e~U6}jRk2?QSG`H-c zbJsJCu6h(_+m1&GRqv
H8*7TOFd zhCV!gP-UQZN8Vff_gGI9erqKlTJ6nk$4D+#S6AP%b!$IxQ0G&Rt$>xT1NH1VIfH0C z*4W5%czoIA{8`w{?|YhZhoDnS`c+(|eY96iZEg5ySLsOEnV;&s=TqHs-r2Whg{fR- z3d7B J4;{l7Rop9T%OOQ^P{9UKN{-K ?E5WSwjBH;H9gj2-hc8U zGS5krS|qi+qN0!o54IxTF9-J8wAX*rpRpeGU*F!@+>jnD@g6fHk%^KX(!KNe&97gr zKUbXJI59ENd{YdaO7nT!OY7L!g3SGAmm5AhvH#R5Ap(WW%Kehig~(l9>p$L06Un2< zKyfOad-74Pr1tkv(`MBJ2l#jGT8~&*PWkxxWfdJ-zH;T}ZQEA8yDOuDZ*Ci2#mroH zb>nVrpa##8_QNByM-t>hurB;^a$G3#8OI(lp$iN}ySBkIr~AeH+*sukpsa$&k7*R{ z85W#;GtiWx?p0x)kKZYn_CrhWy71Sl6_p?Hr7y1}B(wr}A_!~PzAE{`AlvP+o=V=1 zN2V&c0klf!awBmMuiN>B1O#3R|Iy$fT*3F;6U=3NU EUv2)8sXyYujGY0d_um2 zRuBsP=Z(>;EdPfu>)TdURT1#)_xnd!Z*Ok_)8)|6jL*H{9C}Gbb}cIa(I^T{gu=O* zyeou>5aGT3RVT#2wac<1AuKdB(aKv4-}pcKivQM^bwa*<`zCajhnw4U*98{+9k_b* z#q_8+Z{*gA*xV8~eG$D`-F5Ew&jO~9D{qq@((#F`LI))rqxt=*Zf0 o+C5Ui?HTK*=pHS!-3$IT@Ykp)T_%`q_Tw;Nl8DKll5~;|8Ud_~DoS{uJ*8f&u^# znjV?TFI%?kru1ja*KghgMMW`-n?4IJER_DBbo6M0z>TuY%)EUhLrp3uhw2`lJop$8 z&7!Y5Oj~#z*ojj{msRux$k(aH$HyZz1>x84Bb~Uqy6yvu0oea#Y%Hp}T6GPVG(FY| z?NO4M*WPn8EIK+m8T#3=(a92bS!nm~-{1TTd6a+m?vmqO@z~<(0Io8lza}R|oI|bm z-MMoI{n &~4&-}K-pul1=@eV<$^YXDm6`RcDr z?%WxK67;dyDFOg283pIIwB1?)HoQ%L4K}Ek`%PbA5oC>)LqO{}#)#;Pcm^O%eEI%8 z?AkRJg!oO(L-@Cfwe=Pr1s@71U)rI4O=M(b&7-49+9#Wm53IP-_=Hdf85zRXr%%7E zsaXzeu8vOEOXTd_Zzm98FPod!0zc+Gek@vW2>b1(rXX_gO3KyCE2OlvwA*c~kPvCi zUcG;>R(j@VtFgk38#h32h%T6#6xt?rlqVtsJUR1|i~N>@g9G5m%14hLA+@&18yvoV z{W^&s&{$QVg3tk6#=GASgs_m`Si5$uc9Fe)p-Ych@!rjw>6)6F4jw!hc=akHFiPYK zMlKLK&3qFMli=HMvwV2VnKNf>KNO_B9}|qZd2`)~(ld-mTL;kB>43dTs2AL_rT6dj z2-e=VHG>tQY80= @}A?%GRP5;fB)iz@|q1&s-MezTTXUJyY;Ek>_d7S_7cN&u82swe=lIssL;Mm z^QTuqaq)VUOKVsqB_#{`6XN5SQP=={FJ8Vp0Jvj4fQ?msnb%*~-Q8U}aSVTBL79Hh z+^qXE9^j4z{ckJRNOo?82o(zEY#$aSVsT+^b%-*5%o0L7m_<1?H8m7`i@CI2v+B=H z3?a%>s2e9L{mUCW22iN`%Kvn;F)=aOd$s167@qt4{Xuj7`}gldDh7p)CO$M+0+Koa zaAPw;$0AWab)B?ED3AK0Dd4~Qu^9wG%^^2r7rtw2(?9d$8ox>~mdRKFte54hYy2T* zl|r~;+Q8#aT$5@S@JVcFAlA0Gw-@{Z%n#jmEIkyZ=;}bX--sB^KJ?IP3Vu@u58aj4 z(96=(Fi_7mE3XE4EUI14!LjwynhgSH71 +kCRT kr?Rj^^(F`gO~~9BzzYGc>Vu6mSnW z_>W5{j{M-zE?l@E>ovR%)h@g}$7Ew~efZWrdp0aB&PgDsdcS^McJ$~`Sy|bePr89t zEr9~4K%|=#Kv<-PK;2ALY$|k3;3!XA%@Ias@Imj(AG{BA+etgSu*ODhT#go Jpb8HC!*CP{>iG*=1DYGcN~{^JkD&>W4*T-2;F`32TE8Os#xy;|AL!v-0rJQ2MtC z@*HTYI*Xm++B;67^E+N(y$S@^mw|!h{L4sE>77-~#M4nZabgqVxG~#Mg77Zj9!Y0u zYby-&ms>R22ecD(>((t#^JMhtCrnKV#EDlr&jkiU&DC`W@@!G@BO4o=B=50q`c GgETLcBG-n=0<1=4c)xpU_TfWofme|~{({P*wn zxr%NMvkhDCs0zM_Et}lDd9w;g@qOgK6XkyT^W!g>UvzbuQY?yoQ!GdiZKX%{?%hkX z56~s2vA^4Qkeg=Tabx4~z(DFl1-N%ZdqKO8g?9OU!WmD*e3$cLdjSY*pQt$Zv@`#q zNy(9{F|d^!5C)=uHq_Uz#eUUuc&%6THPiB-hDP*n(6NWg7XOauMs%a}wY{I4?l6x4 zqRVhXh;e|(i>(*hvL%B%#r`#zj2GBq!Iv)8|IS`iLy55jB`2_Ln?_C~LMVKf(?@#B zviJD~`#BGHchyhDPRl8saz8IO5DG bW}gnng9jlpe?!S@ ngPeefXLbO{t@>iW8iV)@GS(Xp{YC^5#i@psp?UkCdw zL9P~Eup`#kfC^*0cnuz%FtS>!dlQ6jW`r96 zxL=IEpf6}oHgI uYdhCirM>ndvguD zW ES9b7IJ$QsHU9^yN17Fb&|uaU=0JKTruO6A z!1xpk>d_6SsL06JXQ?uRfy(rx8niWRIl6n(<|C?VH?Ca^L?hS>5=TwG?#s)|(J?X0 zckbLdKe%_P$>$J29MOX4sKuFn=9HRb4FHXN=Po&<8 w^mbz6Be$iH)g0sR<;U)$Ny#wG y zSX) )2Z*eYMj(w-jD`}l> zNNl_7Xpn7i*ultYEE88xvoD(M9$G~c&E8B~;QUv%j*gDx-hn<=K?m7~xCNSYZuH17 z-o)Vlnj`gNZo_Arv^4!}gC{-{0szO^hI`sJ* 9w*UnVegg?%1(=cU|& UG@*atPt!;O1teLe6}T zjUnRRfurK4*RqyNpgBiUOe v3_SCSxVCSUk}p?PAbq{gOn4Lamh^9r;)!N}Ysu!&Mqrq*Fc!p0%*OD@kQ# zCcA!2Xly$Aij!bAbo(4KMzz{bZ &?GyG7GF (n7yQ3_)`Vp(zTw1Ky1Ua`&0?{e(qGd-r! zKr_E|cy@N+>(}QE4M!bj5o5=~CrZaET4u{;O$G{0gK~1jY9qN 8+YE_#zg^V$ZPwM6{jQnhniA4 zpSYz=X$$TKmr(FCE4pCT*U!)L@6`9s%7DG#DJRhR0oPFw0_w)UyiBVugc!xS*T2ln z4IQ@yn7_QdyypPMO@J{**++0YQ0*sve{$(>PSf%;FWHr~J{6DK3foYZHu27#Fs$B5 z1em=;!*Dh_pXOVOAW3b)5_L1H^DJJv0&aJ9cG_<5LHABF2sJ)hI%fIhMM%M;t}9p8 z%;SL*e%E>cxl4>u?GEk_9fk;^%$pt1Vvq>(K=*RqqgQ(T=MKlB=|0^L{`R)w*<$IK z@Cww;NK%r}B^RU)qFi?7Sn;+g6$+d0q9m5g{Az-52x=D z`IbtoO#i!RD|%(P{Gqlm5t;~94{Wwt+^j4VP1Z}40C3bTelDBsbWZJ@V% Kn{yssThc-L7$0}F)909X z31J4)rSsqj_XmfufdN5LL)V|iPI}o#GltK2dvl=p-!wZ-S;Dv@AR&?4h%NsDEb-g7 z>wv{>p7$T=$dx#J7O5%G5Q4ng6Rphy7!Vmn&!#%+IT_1q1}>JaxAz>gcYmRfB8e z7+87+$`XO(XZkB5oK6CC7AahNm*&|>NzE}SxpwnrFcI^NjFR9|AzdmFoxQ#PSl+V& z*$L@#9nfhMd^vX4lo#dRy?vW^>K)hANCz`o&>BPrD;hn`7?C7+QV{V9r{3O9`ty86 z408FfwC1rEPfnzef7rg!&wHwCYc*5okclJV9k6
1g5kOk|yb<5Chk%WL& zFC-y>8=&tp9zoToPa6R{m4Q<~4w?1N4vi9;8f`k3dNZ~T@8|Nf91vRw@l;Y$Qrq6* z-R-*)aa)b}AcRv_Y$M3P4{kZeMPS^Qp;roqU?zY{teHm02!xBcf`Y;hpYfAL&ND#Q zFFQIo0?SOE-EUBuTazH?^#Y0!vfA=A-7xr0IzN3%0T8_{Wy1h=&Wo!n&OC}ok;tyn zF5M@b?iCfu0F>pQpF1-T0Q$uB3+?FVr*z=he0+T^>Tho2-0d7+>w%KJ9{z%%&is^i zkKO;WvKT*zyd&!-P*z?JOBNF$sZO0bg`M;qCJ->J;h@3j0;^WK-Vxc!KlNmDOh){7 zs3|{Ii~$Yc!(&YMNj$*?B6n!D@ZU^B+wIP(z8`=KsATuBo;b4ntJkl$ozczCZT8Dy zbmOtAvw!;+&};&0r5j*=>sEsn)-l$nD{d|hWg*JFRHCE3RGvU9Np5075}(+YD_jj-sQ+X764Zclbk zg32 {9BrvwI-eJO1W7WB%Bj`h2yL;F8QZ&mQp8v4I@ZU=Rc)TYyV>u?#l`)AJh1(SELpUTLcV%Q{}?Zuulz3+l>gv&fWG}N$TR=vKU|7UIkbT3 zV#XHuysR5$V}-J0XJ!SZc*v6ff1dR#qNGS&LRweO)T5=avq6yQ7t`Q9F;d+()Y)GE z$+E0pe+fJIdnE<2_e*atpZqTHkdWmHoRFZviKnd-WBsn#qUejHN56VC9Z}l|ziPwE zr4v#YtB}R=;>C;BwYw><5=L%0z2Bd!s`iVqZb@$b1(oihaS;PPMl((KZ*;om*U8mP zOa^mnE{B99p<7C06^Yic(BjeO#Qr&W_;6e4=Twawc_0Wj 5hcWl1+wVNo*wgDDaYk}BD}zorVn}T(1(RbY4GR^gA{M_ zaf#Yh RdYC$=620 z6Ny@8_|@&-vdT7cBhAz5Ton0ketb7S@?aGZ@`yipwqjbA7?o#>2jd{1j6Dz(;eU@+ zF@`vj7N)PiY11Z_b?d5M9}BC`2SRmNNcsi|1#4AY%@zYsaaJR!HK;1v-sRLRi^}Nh zjgl7VxAYd%x5cU*FS3uBiZ^FcWxrfmS@~m8LC8n-QcbLa)G90^^*rQln8 mEkY`yhW~_Ie<@@rwEm4PFFz=lYl&F|d_UndU (@W4ta<$SvD-x7 zft)#B TpO zc)Wy4LBM%3wCJ?;QAuFf*Z<|&&cweAgwz@UwySfWiX0vki^0#_6R@Os gzSBYl_6*Qa+3Y)5+evM3^A8 zXBQ`3VAu(%*abvjIXgL!w)PD^F*qVZD``S6$5?+JghSfeDE^!iPYW7H>fsJ8eUEa> zZai3M*V0=5qo=a6QEHZ#s5r9Tqw)OWmD=~tO@;v&NJz&%dGbVHWMXQnb@n3_x{{g4 zHV3`1LrAQmYwy1NM_%|k+Q8egZkGA=Y? R`K${PE##*1GvP&^98{MY8MBQfan^7 z_|5$=vo)6a{wko)fAQwkEA7&)83 ?^?IryVSqs!>ERW8pR+=AIG3q!7LAW|b)UX;R zPU}w_cRO!Ka~<(8_oTPegChx=UqtFlfGyvc-9X o=oY{I*{iqNDdqaTv< z=7oyPC4EZD$r0+ncbNWa2(zf@0+p7q%INzLLUhm@I}7dDs9t;zQNsNfrVUdTMZiAA zI5R|rg;fFXUyF}lLmuUa4@sc#&_y!)O$}L0wO@F1OQIi=Y*Y3j#BAG&qu49vzt17i zY(GEApDF`EY1{sA19UGDCwbRi3O-fiD;cXfSXudt;F^Ub2G^6AeC^AZba=`ypbn=x zVHrDQpY$GxzIAKsS+gShHi0)jK0eQJ(Zw-5wsyWQhT|frp=i{S5L+{kw z{`{A7BK#SKxl*9=47Da1&Ul@HZ9V4%nob*yZur}# VBb>)dbdv28Vdj>+fV9VHn zu}5OBwD<0q>{(Ak;ZCIvmVf+ubo@{V3oRtPSRjJ9ezI(+bmPGOR#>j%<$f{(n>WK> z8*mbj+=f$3Uv-nues)bYwH4qw#EXUs9XgocoUr#eL)aSRpYdP6ZWN!Ne7#j|Bj>g2 z*L7_#-s(ZZkVMOdZfB$5dKHbshxJRpl)?^TUsvSx$>8@qG#0h6t%{1Kzdxh-?sr4{ zi^uqgFjy7Rc9r?Ep}om*{M4AF!syRq^#(j8X#6}FpB;NDxWVZeoV~Z iA3QBk z%}&B7USRd($B)J|Esk@u1Gi8$F9ZdtWY(y&^O{U%D3daPs81V27z-E9*}+2LgQuV7 zTcOz>a1C5NIIER+cR4X&`BT% ?hM=qTk>sBOo2$+!TY`u={$b@6L#pguTPh>fW@*$AH_V;HBPcmPl5}9{3 zsv8)@wu(SUxjHmti>6xlUy|LSc-j1~Rj~zo7iZ{*?&lbnmL^C<3B<%EfEG2yfGQ&z z=(pOox{tIB<#qf4xRf*DXX)-zMk_3(E4|bJdK!7GCVr2HboY`Bgl@8xcd@^QQ_i_? ziwl?%`#;&4u&b{jmUuy5^w>VghSqg<_D%4q)gag8!w5|@s0fLQKrjbCIQf?$(K04} zWsg7d6^sZyGqXDQrZgw0r#f*`TTs5iO8WCx@`bPzGz|v&>6+by?>*<(5Xqo7wjQlT z`8+HX=KuT0283-`< !&2Ce5ak;TcX4q8CsIdSYNX?BT z%!e2km)| HJTMOjrJV?|@A-hTbGot<6Y*+JmR9T-Ofomtzv>b$Qj z%%^Jr*c~GB`N8*CAmv< zU#{+%b#9`DL)L%ZCrOeCCZ@-y-sygFwz8tbfCDyx>Bse4Tx5Cx=zwp}9-|TKr^{Ea z;=Ef~x%Zz3CJDE^RK?<7hm=|Z_AuhsOVA{0FG6YiCpe*8gWl!G-n|=+++&3tLmUFA zlrGo&v{bO|zl@CFaWg-8`jj7&C&Uqt +Q})Wr~>GZ!^j^pvY%-W zQ00Atx`#%O3wZ+OXWWYVt*opLXlq}?5JM5v!BS8MmoTz)?V}qISIhC!ReRRRC=z#x zOghj4`Z8^6?&X8^P{oqWa$_n$aorHG8ty7B>7E{zKbn|cxnXhl<*(Se5{TsKNdB!` z)nQ8rh2hE#UzZP0SreQJMIOXw;MZZg7ErO~?$$BzO~&SR;E0 r7|C5Isbi%-zE<<-H>)IP=HlXPdmQI4*rE;P8pLCY* zKA@RnBb~F14F5<-NCabkt2&GgzNYB*vwyB6fxISn**;M5_T9UD7>7T!iU3q{mEJVp z0`E_T(PJSHM^oYs&d!k_smN#>yc4x?E)`)A!Y#pN74#FdJ{rs2l1e1U2ho`@2k&y} z-u~%cOboK9IH!ydRyJPVn+Z0i7qIpgR#dXFu}#!&bm5d)FD3Tlk)TKt5L&iZ4peh? zc>ngnAx6A4$d2UKu=sA7b+Gr5VH+~`^06J*l7I!SQe%DTcm22S-pwlh35Z`X2sE~P zxIhbJeH}h>0`6>nSy@gjA#9;Cgw{iV1B ff7r7s6jSKs=)U|WvK?sGF=E{E_O>m0EZ z#x}fBGXYo18)H|bfA#I=6`%R&1c`BHcvz(LvY3!i`irf;fq#RW((?Utgq)q7XHcgn z(6G$o{+fRynuUB**+63nuH)sEINM!dqjlAM= ZidH@Mx)bCAmvO;`J >r=tQ=ANjQofv+!3kimu#1dl46Ze7e z!gsZ`E3ld5VM@;MP$ajZ$h>Bas=Ir^lmh5t2vyq)ukfP}VE?<^dum8$9_E5(j}YY~ zuZrg!7oI-dLxSTI!^XCp0!$4GM9l%qwWX(T^ASG`8vcS^OS(qXMUAJD$m9pwrA)QY zoY{q+^J^(%V$HFzC<-kuQ9ek9fWXk|ccO|{7vie4rh>H}{B3&5 tj{K=eFQ z$c@-&l029sUcP$$s|pq%e{<{I9vX0)CKEXczAvG}cZ1PhVR&*4{Nx}q_Ri1GTTej7 zNJb)2i+CU)+-Yy(8ngT`azZfJ`XuzqWE=xnCmiO2D!4=;HFuVu-3 YGYpS3X@ zH3`ZCK&1L{!_R>Wuka`u6AJ+=KuL!z_eFH2O^?#Bd;Ja%((YTst8~JOSZX_-GU2*X zOmDC>Jb3adKnaFb(h^ %(N|J{3x1UWWX}7T0=S0) zcbD?%*dqgQL`+A%21RF32e<#Uh z4Y7}S3|mqkyfL+)AX3F!EM8uUIp8Ds`}>1?!>w|=ojw-onpaATifTDsx9j!IwzfEy zbL|TVn=dI*N-r>#7NM{U^~fpt2g=Px(ZaQEAVMIIeCg}6Ec6gw$3Ucu!TuijFlT0G zH;C~_DT0gBL=djQXygpyQRWD@E}ROmRG$P9VZ&nj+Q`_r4-(KnFTUSBi1}YI9hRu< zYEd;nh|?p&naj=o-3!nm;kg6|4Bj)TWvHKHe^qqS-Rpf9*GrgPQ9?_5H*niJhMAd} zUf}T=46b^H4?uY;cshj|)%MLrIvvo0Bv(j9#599|=f{2&Gbxs~Cyy2skkq3SPcMR_ zOCkLlYF+Dq aeKOI?dvVssB`fAFjVRjm)wYiLx|E$87e 2RVVQs$5!-j3e!mH#@k&?=Yv5_PcKdcH{NrS_ zZr83|u#B%a^PjaTHy^q9X96!D8JwGu7Mn}U#WGo;{qO;@6*sTA0zd2L$^c$C_h9u@ z2i`-WiqJip3Ja@Hj^SzrbNlfiW~Jw3>@t>rOY=&oAY$mYY*K~^Si>`3XI%UK{i72{ z(kz5YOT^JJ_~i=?Gjmh{)63p}
rYN zHlyo+URedBj@z$qhmCfRgFhLEpuR!z5-dq}c9rn7aC#jn4;P0a3s&3xL>vXd-~L5= zIgyOa$jTDV&rOkZ_X);9p|4nELm03PF#4gz!&<%rL=24Wk0mKUeq1rW>Nl_jJEyfF0vjVu^rLa^1ok=vAY|4H9+)|fk> zbkT;a`-d|iI-;AZstxAg)ybQ6GnY}YJMYWXd(qup;YgSAj|LaB%0HUbt{qDcc=@^* z&gxYr#g5xjLNk& 3t;-`85oq&5Nb&XXEhSXNv1LEtw~~M z<^@tX^a+cQ^XV>R5dmT0&=Q$zN5J)|reTIVw{Za~D~T(x+In&{tTA+G3l9kSP*7bA zzMc*}7=q^=a~Jll)b#ZAzMCpv4IOw4?j#|~w8) !TpX+Yi zT}77|5bgGnUdrpE+FcGC1luLX;6qH =C#?*~a``ryl#H_OPxq}YGQXww!s^}EO1c93XG*# ) zjHsjk-N&)~PY-jc-vCkP!!Ou-q{4$mr2f%c2d-cy_J^;%z5Rv*%Iq8d(S`qO8|#1f zB$@x;rDw!X{Qe!Q$jrbXazi%5l1%^n7uC+Dr6TXa2}#qXrRU~1-mMLjE~r;d;o4t) zcWpRdMp5x`m7KI3gK3>K&tLnS*5~AkC>a<2&MA^GdZl)ESu{)j7J;*>k2PNH8vLW~ z@3D91odc=-a_1F!qkI*vKOOw+F)HQV?J=r2$nu?k#XkdbexduxBwaL*|k{^lgS6w Kian2h#O2q=CMxySoE1rsj_+9Ahyn;M?(ui7Jqs z4qoL&UqCBd#)~M9NyUzY5XEcw2?JbEhS inG2x+Pw77L3~( zhg5O6x)&E0eeii6VjPrnPsLSaLOvkHfdy21ebE3%$L*lTFvLi~C6e EXqREcV>3KkkK)C{Q$n-TK=%1Nrl&%Z$CggBk<# zxE_5_9(Zz4N6#A@S%79987vY99kM9VR6rKYUvbcqkRtJ MZMpk<*>T3ZJL9DUy|0kQ$DW-T;NiURdxU*d3?apMZm^;c&x ziINZInT+HL2?>$z>D2r9+3MI<@X(epq!Mld50#wG07k|Vr%lP-TlFv#b0}yaR-%wX zfl$ ZK-P<$|RibC}c!IS# OT8dD+`Hml?aOwyUzuG4s$U|30R`OlBdbP&T{CwJVC4T<>R>n1N zT3e^WY CI c~MnE|%=`YY=0TRb?b%-K{Amgdn*=-}+!L~`D(7B5X z7?b$c$aonfZdx@pwHeS_G!)i_oOwb$M SV0&oFJTERfl~lw zU!bvY1sJ}4`*z0H)r^caAggqAb;&UT7GQ0N3Gc!Mnn>QgkwlDyiW?XfwhA_{Unfd3 z)rRHjw rndY$CJlV!l)`M!|$dM0AbJ3=D*z6K D~-9& GVGEOwZ|k z8ut!TfKzm9yB#)($k-UP2a1J^ih}Mk{`KddnI)~*?Y`k+SsTlM>QueHVdgBL@8vA0 z(~iIX&}?PIk9j)&qciPZsLDJu3&>$m$ KXt`#b9a?<_gty?cUJ305+FzelyqHmE|LykXi(A!$`7o)W& zZEZ7Ty0DoaUat_}Hk=%0xz~XE+FwvbR3MDN4&J}Yk z&c1+mH3Lq9gn$Va<(%bTxDXzQ_m4Fe9sU@3*56+#us+EP?t{eRwZFR4?>5e}0Vp42 z#@lH!97A-js6Ws^Zn)Z>dpjg)xa_h1HsdE*^7 NXZlu$)(_5kRiKR xBPK?_ zpNTcxXqTpz7SV8R58Z%29vm4Rg>#lnQ`|juK8qN9);+%-N2IK|U+`G@FkK(VRm(VZ zvn*_E$LfkQx&L*6FI!vJ`TP4*fiMB{W0uhd;avyZV%R^JgUufV4w8l p8yMWI&cwX836_ z3w9BRjE1U!X^P8xywT=)APq*M`Jv*0c4t7t^4<3_DA?9|u|Aldtx)oZK9xv-wQ0g( zOAr$`V9*}<;Q+#h%-@2Y eZ|q9OPg)0ZjG)Qp7q>RAl@ML1`R0;@`JJK!*Fh>PGN8GjnrRNXi5 |_wsY66 zT3irp42J!D4Q*}gK+7+I(a0$rIGysi&8(J0c`z92-kg%|zw&WO`p|LmpmgCJJbEY@ z2M-;(8GATU;c0s!9ZuaNQy!8K@6a|{VcLwV1 y&ol ;gyr?iCbV4w8k; z@57>zC3zG%Rr)y2V>vIw6h|r)Q7A#1 1-?5*%ZmOvNK(W6Tu%+M7XoIq2=8P)hmWPQuo@ap?@v8T8IT*&zW6 zS_HJP!-+a*Q^ C-Fm h*1sd_{U1^gKf!Eb3MhI!UpbbU;WncnSY(Rv|kvG<1rEB)9+TUe0(= z&ODn(&$g(9RzmMIP}7Rlt5@Tvy@1AErrZJo ;eSJmWYPR`>U`uxo%0rIa(J-@F7yM{Aq2R>#ru<7gR;h2oIU|nG; zZn--O+^YKw;?AJ%ZUjOy$MSps9HIOFMu>KTcNw6W^1gi(VZ712qs6)p-5&Bpknu;t zWMh#2?-Fb`gnyq3fZEzfrbRKvfPSZW4*KK;l((r$*zVA#CgqC*GhzJy#&9!~Z_gi{ zI#ykxA|m9(CyJcSc+%cJ98(13C?mKhkp9TPY3dZt0wAV7(#Yafay}sJCAKZ;jO1`i z&JAs&Ur7224-Y3DE!wMf?Cf8FV#xs^hlGMIUtS5ic^UZlqB4{e*m!VgFJL+GG#yt% zmq_++nXd;qFvHK>w+HrwBxo&9&i)Z6m=+`DaIIM2mXUc4Ow3Q7 4SiIXC5I06drH7K4mbSs_{7WEzqEJ#`~lzr&OY@1V8VOX^>MV%S4O_}j0LsLWv za&2&QG%FNu>GW-4Vh7OH|8syGI?Cn(OofnE5oH2L$|?rdN3KOCSAqOU94R<&6pgw< zzBn0s#fSrWc0)s xnNTV%a+19- zbtY?#y{u{Mh6;m{P$!k>6scqjWkf0?>qtl%R3fDN`F4N*gZuHgf19N`=UnHy-pgzI zR5Bu7U ia2a(1S;fuC`bq!vD$e*0?(GQ?buew0*z+mB)b3x9abY2m5VFu}&{E#m z7`h-#&P+eQZLFQ>;B*@{EDq8)?a@OLHz<2Mb4wRu0Os2vGC0c8anYgy+^U#&wm?v! zevE?q$qy{*jwY8~L4Fk3B|eJ~-cJd497X*SgM&WJAk>Pu#<5glHX!HofvdrK+Q8)g z!YZZ>>lU8dg3us16t1Q0z2X~Mvc!fjO9asI%hfjH#x;^mLAK{>rHkd(zysrUuBO*b zM+Ga+t=ig~H*Sof{IbqU#*h+vKXzHV-J*w?bdiaNtbT`gz i}W zFtJDetSMB7E6h!Vs)VY}@`qaz!R(y-nfTP+f6?W%VK9lL9Z0lIX&sw!?|S|*Hf4cg zfbb(}QOQ`|58vD@)<@s>YU+ao`C5jNO1V&HR629fQ{KDrj_Gv!E9@fLqLI**VwT%y ze=IDOjX^}uto?DNo~%Eh5L&e<vj;?%z<@VHTCc*rn`ywLxqkD^Wp9}i(jx9*-RS)GnhS{sIvK==bQ%wja zGM21+_omGL%6^fA8&_6jZ2%~Tq*OS2c*KNZmsX8Ok77pcbge|h>+C(!=kpC+L)3J} z Y0T)+`~f! zCV{pRtXM>9EU*$xg>1l>R~zQp_v?027mY jfxV& ng>L$MYAvyke79D 5!L99oYDTjb%Omk7 zI~a{S3}4Y2!rOzd0=8RpxS^})r$$!Ge#B2~K!3H57}1d--v-naoH=9UTRlbTFh$M? z*vPF`o?e78fPf 9EP?~tSDD{!2%fkR_rV%D&FN%-N)l`C7fZrzz>KoA*HqKb#zxpU_>GAK!graIto zZ9))qGaDNl>KAH4+;?}dr!7CaN3pC2rb&o3U zfHhr`S}#FNY@$EVM2L(#=I F zXvjjcJO;|dfikxRS*UBK_G3x^o_f9r@qs*=!~YW`gQAQrTpii0AeAL1QOJ72%+hP0 z|H;3m6-3RQJ$pSFu`^jo{!U*$2rYHOq72Nm;tJMLL?M`ML7tQNRR+wtW{9|@L&Js* z#jh(-oZ_lQ{UU f7*dbry9 zY=94%7SQ0S-e;q(=&xajnLNe)&%Vn+PO%?N_O8XH7ag`9Sa&mxbTfTM6HOLkn5wUw z3ZOkD(B&8)xWbwW?v?1U-9+oem41*s`CRaaf-oZdClC8clhU)7s!}mvDs9oJQ{tj} zW)pXH-9|&kJ!@`8pQ-LH+QL8dzokq8PK1_%>$fDY`hQ*T#c6lrJx#U6dJP+D`ozV= z7>b@KInbf+a$we-svVl=ZLLFC|6}#$Gbfnk?(wVy_}8XP%>e73R2LW6ueF7C;pdMZ z4U{P89kagka>Uhu{;N-21Px4Uhoxfbp0F@Y^m#m0l;^g}WuVByqT} vrbpI(lmU z#y|dOSvKrFQqFnl=At}n^bLh9J$-8Bhxt0A*a<=aJh$B^TxLr7QsZx!D**`wDdyd~ zk5Nr~FV0zyVcEs1QQ>{2bX}bp>RA%%S^2i!vp@s!6%k!ZWQWs~-=K5KzWh00c5rdP zIld)Y!B{19X-mzcMo!7kbiRG^;@YJMJ$!26&RoO(+B<*_huw;C{|Dn#&pXQ})K3do zd@hAbjCpCW-~J*C(Yq^V3)=M#3i18 X~<*vm1ODlU}D;wbs2^rOaiP^`;T4 zqJGPLvfQb`as+pUAFp%{&)rDOozgiI=q=P++wPgqr>8BS23>&4A;#I)UZg$opC=E! zwq@J4!o5LkVf;-?2^TJ_gZCcD)aeQMChX4 zU+n(p=tq(dHK3k>ngB1RS8e~HwkMqfB6?HQ?56+WwmzLfgdWjd2>~?oi9i2zlM6GG z+oQ?NDj|(xE$d^Pk2Fx;aVdQrTncGmz2ncl+R?^K;^xXe9qt=~ZbHjdSU-8S#h4b) zEayM);F0vXQP1->&RbTv+51nO8d$b#7kzia8}k}(Am6wQ2kmHn*tfv$3!{?pon8rf zQcj8odX0?C$;lZ5@y6$3)Qsul(yWr6{=|9X*`f+~y`HD!(G;(sQa^=2W=GOBkg| zGp4`)6lG8egmHyOtDrKcbn!m~lqw-O?(Mzr(XjXolog*o;W3&QkIvOdvhlKILzE}H zM#26BI`Piyb9(jamBsKGG0qDWq@l5~sv@m*n>OPQw$Mz 1s`LK8k-C bZMd^R~y29UF1F5-ok=yVY2T$`&xD9Q5%oOyujHcRwXQ+naAt*XiEvQHxIK z$Wa#5FlM%~6jp5l{LdpLGQfW96+aKZ)>i|mEA`jz_bQ$rXIArpeT2h9x@AN#PY@EI zqtKo$pIZ(Z ob((yM`WdYYKnRc3a8`|{T9PJC|LsZ3{RO9$~5JlU>=dTc{M1< zT5OATjXYgG%lsyuPUG<2HwQUH)I%ogDum2v2LJdKJ_v#Mc5*l*lR%YgLhwV;RaY{9 zKyu@(#vl3nF5_@f@lf(6C2LBFT>Q|v2+1rP_wWo2c?;iQk`s;VFk z+5nH*vQy!Y7Q73Q+BaYURp|J<$8$%!IL^|$QZ i)>#&XF(8fqR8+*j&z=14Xz|%4bB&CReZ7{tu{AePgeX+q0XmR)Dm^{D zNuM _cw;gTu|!9g-yuFJx#2dg?cG4<19SI} zs0Y{;?3gghg}B5*W1I2FG`!R3U zc?R6BIccF-%zt2X`0!!T+%Ck}AZH&T63F6BJF`NIkPH)~Lwxh2ha=U0Z+OvS&b;=4 zwr5|zioX4PoXrUfzv9+JW|<9&=(TofI?A?xK@ z5gXUlB`te5OT_Oe04@X8`!@@BnhX=3s13ELJ!5dxM;DqUx-@P31Zt3FX5x^3*hOjb zs`n?Z&&?;dmJGGMgpK2nHzXJZUEGOj8O9v_aFN?FX;tmw&`w=9Hyc>2I+*PIdbjDp z )1T!{ONhauep33D2=*ciF;eG zwyDLM3I6^T0NK7%!%g+N@wzNPU)F*I+NJu{)z$4HScW(L1Rf5=R}i*C^Siy;n^3zx zqOD(Qd25m=`zxBZZdZ~>(GJo+cP#vERa~nLFxAG?=xhqDBpw46kPc_U3WNPghty@$ zhu^Q7cBpWX%j?-)8bG0IQ=)opALq8YWELrUFJHd&4J~`}B=TLIX~#e5YTdebZ@@iI z65*ceeR4()*KZ-`zYr%q?)&Q2eN&1vleIn^HM4ok7VZ4g>t;1^@|*rOE#;Tnm9h(! z|GLjT=F^cJ }qIt&?v;7{&mI2ss`>-N* zJ(!9dT3B%SiCza&3u{MotNZX^y_N0mpPZH_6<8X)tV+l|eWu4$H 1eiES!MoL+yU+^J)Z?s8xC6sHH{6V>~J)0~8u06J4*9;|Tf@cG%ZXTD8edA6sQ zZeq|E ?dNt(oS-B%enM`Wyevy^LWMH z-rFZkn`VNc;iIdr>D@i+*Xv?w+Rg@G(=U8Bgty3X__a;wQl0|I=)XOG|2$QErRM$5 z!-j!a{qkbD%GI^|!$)@pyYB2K$?gJC4H{HmRQoFqAsW@Vybi>z%JEKeVUQu8466TX zocMW)K#eeShJ>^*6+e}fZrE-Z!5`j?Tbuc`*3qH$RlL@AzJ-G 7^ym+t- (<3O4YD}u{u z1;%&SlH+p$^Se~+PWxzYY-A)d`ALm;RxT<7e^`^V*VMZHLz_&h eV483b^diW)0jT4i6 B+$i$5nF!+8G(y z4Y$2ZV3#(^?0&M(?gHIZGlZw4ROu>m;>E$d@J3yHzw9e`-^0V%xl5sE?VzC~79dh@ zIm+97SIP`{;i<1~>B-?c8|{1AuvTZ*)p%;FYinyizCNAzEv7WC$Y15gZQYobK%PK9 z%0+zDRhfNUZ+?KIiEH}kg#GPHE-v~_sJ>he_wrqv=6drckd6qMCt(dr7E^a}%^de* zXMXT<9exJUZ3q?|#qZbze|?eg9hHuQSo2iGVeZSzLBSHE#p zr>YaDpHDb_yoFP3<3bLfg3%Ym75rlj+xH9}20<>E37q(>+fD^O$ `FA+wSXcnRPFc?o8Q}!Xh^>kd+K0(npaPlGL&RtHMkmZJA9D zX{PZ%tZ8#H+ejuKB`%m)G5Byfm$45AkXair4#wSB(%7};8a0 b!-4L53!}%~Wiq~QBl1O36gv5rV0Nn{PXj%LMc1mERo)Zs9K41xx zsT{H sx{C_6AF(f^joll-cZL^3lD$G>}Aor9Q3uSlb}=pgz`dSF=PGxM)%)7 zEE-34VEHI=E`m&V;Iwv2MvWx+5e)nSE6&2#e-9vta^CBBuU5d{hSoE 0n59D z=kj^wyvV1FF{rV21qXG}XfN!HtD0nTAUP(+PI4MlFM?dtKd~vg|3{_TZ((?>a>9V6 z@fT&WCJvw=-|gVJlrv{M!~yR&zfhA1Qmc99V$!6R`dyH=qxB&3c`Kn4)ExqbvjmQ> zdbsqlTlunHE{D#!x4$yu5__hLXV36l?aj8os?|sayJ{?r7K>Eu6uiVy3rZE+cEjb` z)YQqI$E=pd&&n#(B!UIL>~N+AL^yxVt>S5*n!dUw=6POm4l`%|(`sZZ?iSzEJ_cPb z^Aksxa5k2wx?Qov!s%+ fY0@S^{jbVz(xgezU-m!$n-p2g{q;-8L995E&<$=Ok*p!^6Th zqjmLhs3*oX_OBC>kycA9b_4K^f=zw)`~729%RZuGP8^gWSTeTG;u}o?9P>MzqLsXB zRqh^I`9NDN=?dT78vb{>p|y0aw7_#`&z9N8Ss7J=|H`=t7W0?#P+Q#Ga71plnZCZ7 zC6Do $6N@q?w5z~P0X9!A&Cv3@yEoe<1(;{LhIe9Xxb)Lxna z$tU ?nbib;2fJmA(WO-l88Rdb)eLD?qY=iq=5vL{r)GQ$z7E+yHfagt9IW3(#v_81 zf`#iOo`i=%a;>tHqIj~lg2c-Tj+#cLZ(aBwBzmY5N5N#hD^@4^*e{W@STa|&Lk4M9 zV&B`Kiv)kjhoWs?LY>n93%CeIC3k^h0;s *J#Kow;Jl2frBqy;nvJN~9sreiMY&@ZyG<^gu)?Q{}3 z_5+Z09ULvsnY>S7%zabk$}pV^At%pEdD@_X1Ep%yRwON!tP>%qAEgidR8z5qr`Pwj z!%&z7hFxo49nJ4iQC-CXE+@>A*D3~6prqNL7t5+&wm>#-s$^m1b6s)vF>j6=#To^I zWDjjC@5kiK#BLC|c$$;L@LChAWou{{AdyC3@FJLzV|9Of?LkDfWQBu#Uga+(&$j_` zlDuPLGKIVa=f`um2@|+L>oreSBGD1Wi6Z?bIVBSCsVn;pHY<@7(d0n>zt`8-m&(Z6 zK5Ua!Z!@!t6dP&kh!>2EjD+WroJ|^U^7h+H$+zM_!1feYxqdV&IbVqA72k|2DFjN2 zSR2-`+$ttV$Zx62(E0=-jkdMb156Y02s>pY9!Rsiy>PYvP=zit9~*Y+w1XGq4PM0J z45Exbc3pP)TYQc9)i(b3Kn2H#GoRt;JhS@qU}*St{H1yJ=rDs(deSE+EcLPIZEh|h z!mN2rX{z`aeVy)IO!# }0nGDVVqOmz3Oy%henb})Xvk{c!UP~$J!VU)+Cb^>ZSm{*%RQ$} z6AQ7-0$fzb!dH%;-Yn2xUj16;hx!je^_x)Js8>DTTJ6Gw1%)I03t2S29e3`H>DPC9 zW(R58TsQTqKhLIc_*-*mc3YgEgfwcZ_9bgZKiV?5PZMW9&F<}OU57)e$r-@G3nPOz zQ4F|*vzW!2ynVUx2Nq4}fLRzY160ka6$>(J8!G-OAua3LkE^(bW;z?i%BxfTqQ@Al zB`u?+Y)?euzDgTb-QgaGgEAuf9vl!dtvh --u>kkqfZQxD@4hIfz8qiQ zs#QivbmtxMoL^V%D1sUc_jZGvIFmZ6IIpOkvGFVhS;Z+nsXFBA^=}$Tq+v-VdZ38^ jCwI^P^KT!n*MH*BZ^eprN4s)_xiZdn;+O>M8SDNByk1n0 literal 0 HcmV?d00001 diff --git a/img/regexp-es.png b/img/regexp-es.png new file mode 100644 index 0000000000000000000000000000000000000000..3efa6eed322c852ffb7689b108d34aa0a844c76b GIT binary patch literal 34234 zcmd432{e^q`!BpTN(0IeMN*k1LXs&7QRbN_Lz!jFkfBhBNFfzv%1mU43{B=DA{mn* z^PGA5eoyCr&RX9(Yn}7`&pF>(r}e(;eT%*Kv+w7=uj@BmPoRpD+-?d+3KEI5`+~fT z8i};YjYJ|#A>W375%rxd!2fJ o}>~U30p5)xnH(^XARt7PeN7CRcBm9k+A1{%k^w5x=yH_$3VsCu=j3gV}X6*BjFb z;lB8HYU1C|Iy;%$IgoDH**acxu&{P^oDRBKjvvwzKRoAPcGbzk&Xz^P!p4krLgcu> z3I0>PS8}rO3&;P {*1n32q#oNhRZ^6_1_a58r`K5k-X!{=^h=4gJ^)|t=R?5cw; z@4pYGzCJ)hBC(Jz$eh)1eLmLZW}wlsAvr~VCWYlKD+h}$$I}(tpaWb*W|o!%;rdUb zlRTR{>jY1ptaIR7FsSWZ*!pGn*@~@Sx5}uvoSk Vm0`O;7kiErrDH;4Z7J7l1nwt6{nQ^!r{%Y#;q#u8!W?*4+ zBYwOs;D7nY0|pKb0+qoGzP~@+>wDq7&N+S~ARr}} }N(`R}B^G2C=a(5|~A@7$7dk;4GR9%iwC_I#@-7Y>p``O7Waw<~6U z|Ni}9WaQl-T5h_cuV0^?GHK1aJT*1-{?FHES4~Yd_QvhSvT@K~=pOGVY Txr*s<-A5yH38P zX7t2|pCxW5!yi5R-P5De9v607URk+H?vUpe4-b!nXIyr PYluc)YKP *?-L7a zyg $KSny$)z$46r>+_lIc(+U=TA{fq7Zc+@w?gWwmmX3 z(sJ~mm@Ad8uI^B0(Mhbh{Y?Lb=MtWb_{|&k_8*2C6NK2F-@bkOt@nmkoPEA^+g^NG z?RR_v0(-sJm)LE8m4!4nYcyx*?kjbllm1oadDS|joL{2Q?pI}ZsRuP9V~}M_+SQ)- zxA9K*w4D8^L_Fqs>YtzX4G18A^6Xi{`TKOP3tcy{WV=f%3^b}9FrBlsOtaRn2%`Nx zFray*^w}vpRt^qw=aJ^K_x3PN4K*Ga>n=TT_Uzf$1qHI@UTY_=y!Vj~_3o?Oeekry zmcxe+lYF-AX1uaE_1pa0%iEQr6#kpEvkX48q-#&FE;)X#tc=G6VfWJFxBR#?(`dYU zWn>c1sNS{dD%K=Xkv?O4I%j38aC{DCIO&HI(5%$`g5RVv;LDebx-s;8hUBD=?d^KR zEz {d|4Z_r%GQ>K4~~KL;|7vL8JfQ25JBe>`8{ z )>c>c2$8*#}zX(f1I||=1U3+cM=kgMDiIuz~MH*G1e(| z;v8v7zjs9LK~H0X+!G-yI+w}r5Fx7{?|=NzO6y3xu+RGE>$C2q4g(5eZZk6JPa0y* z+*@B;Il|4olS$O+{q{q*d~n=)vD`m%&34*$mjq(3^-XlWOVP_uYZoqCU$&Bwl{H?P z88B~7p=K6$_oL<3Vv&$w-p6+FJr2=TOD^wGkA;a43R =$yLv`Pck=P^EiNyA#AZkzeHrr0dxJ?al81~G z%qT>0L^jxmYSTNH@sGGTl_CeT5a&;yJ`o3&m6dgql9JLB0W*rHLRNQCkBGgxeb2%7 z0n|rsO!uC58vB{^+4y*tSzYAe)2A6oH|9n(t+5}Imx+UPd-L|G^_9s_b#*&;?AWn5 zUij d8vyI|^(bMnr72v$M1Ad`mq$ z*dUj0*>b{d##Fa!anZHJeU5^enR%!+`_NNCi%qC8e)sN~;Pi=juZzisGKb&>B@i{W zSXf5pv9iVW=&i#Yh1n#Q&dyG!tOE=ToL|0v-AbCSpf^exGb(k@C$R(v2g_W!@-pvo z+oSDLBm5rgt3`R^tw!DvwZfLo^5{BzhCC-Ck6$h}Z+R3I8Ob)+ EowQ=aL51$q#pSb>XA2 zu4$idjkgP3H8y4?1>hi9cpBLBrl}^}C9zb797xXH@THUptJl7)-2L*b?-tVU{{ExJ z#>N`+%CTa)Br2veE<8C;X1NuV4GqgT*5B2OyOBP}pTBRqA|N2(cmMu<5(}GhY=+v+ z>E4P>KCkogXvoOOxK>VC|70PNpE+~pVR$%e2mRi?tP{V=v-yt?OuA+pmQsjsXJu`= z6dk+k^x?x~q$@TynT}m+D+@ zrD&NC$^QBMm(Z=RxnwT>;BO|`nef%gL z`I^H{{ZGtWts-82epM{TY0qUr(o3KhHR(vB`*ggd{%+e{l$6@~uRK@gEepBXx7MH0 z);}w3+Zlk4_YrI5y*3xsew)13>bkLUynVhuR*I~;bS+DTBTv-j>f }# zcIc3xd04w}NJz+Z c82iBVF