反向引用标识是对正则表达式中的匹配组捕获的子字符串进行编号,通过“\编号(在表达式中)”,“$编号(在表达式外)”进行引用。从1开始计数。
/(bye)\1/.test ( ‘byebye’) =>true
/(bye)\1/.test (‘bye’) =>false
‘123456 ‘ .replace(/(\d {3})\(\d {3})/,‘$2$1 ‘) =>”456123”
‘123456’ .replace(/(\d [3])\(\d {3})/, function (match,$1,$2){
return $2+’*’+ $1
})
=>”456*123”
<script> // 正则中通过分组匹配到的字符串,会被进行编号,从 1 开始 // 在正则内部可以通过 \1 方式,去对字符串进行反向引用 // console.log(/^([a-z]{3})\1$/.test(“byebye”)); // console.log(/^([a-z]{3})\1$/.test(“byelie”)); // 正则表达式以外通过 $1 ,进行字符串的引用 // var str = “123456”.replace(/^(\d{3})\(\d{3})$/,”$2*$1”); // 第二个参数可以是一个函数 var str = “123456”.replace(/^(\d{3})\(\d{3})$/,function (match,$1,$2) { return $1 3 + “/“ + $2 2; }); console.log(str); </script>