当前位置: 首页>>代码示例 >>用法及示例精选 >>正文


JavaScript String matchAll()用法及代码示例


JavaScript String matchAll() 方法返回将字符串与正则表达式匹配的结果的迭代器。

用法:

str.matchAll(regexp)

在这里,str 是一个字符串。

参数:

matchAll() 方法包含:

  • regexp - 正则表达式对象(如果参数是非 RegExp 对象,则参数隐式转换为 RegExp)

注意:如果RegExp对象没有/g旗帜,一个TypeError将被抛出。

返回:

  • 返回包含匹配项的迭代器,包括捕获组。

注意:返回的迭代器的每个项目将具有以下附加属性:

  • groups - 命名捕获组的对象,其键作为名称,值作为捕获的匹配项。
  • index - 找到结果的搜索索引。
  • input - 搜索字符串的副本。

示例 1:使用 matchAll()

const string = "I am learning JavaScript not Java.";
const re = /Java[a-z]*/gi;

let result = string.matchAll(re);

for (match of result) {
  console.log(match);
}

输出

[
  'JavaScript',
  index: 14,
  input: 'I am learning JavaScript not Java.',
  groups: undefined
]
[
  'Java',
  index: 29,
  input: 'I am learning JavaScript not Java.',
  groups: undefined
]

在这里,返回的迭代器使用for...of 循环进行迭代。

示例 2:使用 matchAll 捕获组

const string = "My name is Albert. YOUR NAME is Soyuj.";

// expression matches case-insensitive "name is"+ any alphabets till period (.)
// using named capturing groups
const re = /name\sis\s(?<name>[a-zA-Z]+)\./gi;
let found = string.matchAll(re);

for (const match of found){
    console.log(`Found "${match[0]}" at index ${match.index}. Captured name = ${match.groups['name']}`)
}

输出

Found "name is Albert." at index 3. Captured name = Albert
Found "NAME is Soyuj." at index 24. Captured name = Soyuj

在这里,我们使用了正则表达式来匹配字符串的某个部分。我们可以使用 matchAll()match() 更好地捕获比赛中的某些组。

相关用法


注:本文由纯净天空筛选整理自 Javascript String matchAll()。非经特殊声明,原始代码版权归原作者所有,本译文未经允许或授权,请勿转载或复制。