//匹配字母
const reg1=/[a-zA-Z]/
//匹配数字
const reg2=/\d/
//匹配非数字
const reg3=/\D/
//空格
const reg4=/\s/
//字母数字下划线
const reg5=/\w/
//特殊字符
const reg6=/[!@#$%>&*]/
//非字母匹配
const reg7=/^a-zA-Z/
/* *************************************正则*************************************************** */
//test()检测一个字符串是否与表达式匹配。返回布尔值
const reg8=/hello/
const str1='hello, world!'
console.log(reg8.test(str1))
//match方法在字符串中搜索匹配正确表达式的内容,返回数组或者null
console.log(str1.match(reg8))
//search 在字符串中搜索匹配正确表达式的内容,返回匹配索引或者-1
const reg9=/world/
console.log(str1.search(reg9))
//replace()将匹配正则表达式的内容替换为指定字符串,并返回指定字符串
console.log(str1.replace(reg9,'1111'))
//split()根据正则表达式将字符串分散成数组
console.log(str1.split(/\s/))
/* *****************位置******************************* **************************************************/
//^匹配字符串开始的位置
const str2='hello world'
const str3='AAAhello'
const reg10=/hello/
const reg11=/^hello/
console.log(reg10.test(str2),reg10.test(str3))
console.log(reg11.test(str2),reg11.test(str3))
//举例:匹配手机号
//const phoneNum='1334567891'
const phoneNum='13345678999'
//const phoneNum='aaa123344555'
const phoneReg=/^\d{10}$/
console.log(phoneReg.test(phoneNum))
//如上,$代表结束位置
//\b代表匹配单词边界
//\B代表非单词边界
const reg12=/\bworld\b/
console.log(reg12.test(str2))
const str4='helloworld'
console.log(reg12.test(str4))
/* ***************量词******************************************************************8 */
/*
*匹配前一个字符出现0次或多次
/ab*c/匹配ac,abc,abbbc等
+匹配一个字符出现的1次或多次
/ab+c/匹配abc,abbc,不匹配ac
?匹配前一个字符串出现0次或1次
/ab?c/匹配ac abc,不匹配abbbbc
{n}匹配前一个字符刚好出现n次多了少了都不行
{n,}匹配前一个字符,至少n次
{n,m}出现n-m次
.任意字符
*/
// * *********************************/贪婪匹配和惰性匹配********************************** */
/* const string='aaaaaa'
const greedyPattern=/a+/ //贪婪匹配,尽可能多的匹配
const lazyPattern=/a+?/ //惰性匹配 只一个
console.log(string.match(greedyPattern))
console.log(string.match(lazyPattern)) */
/* ***********************************字符类别 ****************************************/
/*
[abc]匹配的是a或b或c
[a-z]
[A-Z]
[a-zA-z]
[0-9]
[0-9a-fA-F]//匹配16进制字符
[^abc]//非a非b非c
*/
/* *************************************分组***************************************** */
/* (abc)匹配abc字符串
(ab)+匹配连续用ab字符串,如ab,abab,ababab等
(a|b) 等同于[ab]
(abc|def) */
/* ******************************************捕获********************************************* */
/* 捕获:小括号的嵌套
(a(b)c)分组里面又有一个分组,就是所谓的捕获 */
/* *****************************************修饰符***************************************** */
//1、不区分大小写
const reg13=/hello/ig
console.log(reg13.test('hello'))
//2、全局匹配g 是global 全球 全局的所有的douhuibeipipei
console.log("hello world,Hellow".match(reg13))
//3、m代表多行匹配
const pattern=/^hello/im;
console.log("hellow\nhellohello".match(pattern));//输出:['hello','hello']
console/log()