JavaScript 使用RegExp在字符串中查找字母字符

JavaScript 使用RegExp在字符串中查找字母字符

正则表达式或RegExp可以在JavaScript中用于在文本中搜索模式。在字符串中搜索特定字符,例如查找所有单词字符的出现,是一种常见的活动。在本文中,我们将看看如何在JavaScript中利用RegExp来查找字符串中的字母字符。

术语:

  • 正则表达式: 基本上是用于匹配字符串中字符组合的模式。
  • 字符类: 基本上是包含在方括号中的一组字符,可以匹配其中任何一个字符。
  • 字母字符: 在正则表达式中,字母字符是指任何字母、数字或下划线字符。简写字符类”w”表示它。

修饰符:

  • /g修饰符: 表示进行全局搜索。
  • /m修饰符: 表示在字符串的每一行上匹配模式。
  • /i修饰符: 表示进行大小写不敏感的搜索。

在字符串中查找字母字符的不同方法:

方法1:使用test()方法: 在字符串中查找字母字符的最简单方法是使用正则表达式的test()方法。如果模式与字符串匹配,则返回true;否则返回false。

Javascript代码

const str = "Welcome to GeekforGeeks!"; 
const regex = /\w/; // Matches any word character 
  
if (regex.test(str)) { 
      console.log("Found a word character"); 
} else { 
      console.log("No word characters found"); 
}

输出:

Found a word character

方法2:使用match()方法: 另一种方法是使用字符串的match()方法,它返回一个包含字符串中所有匹配项的数组。

Javascript

const str = "Welcome to GeekforGeeks!"; 
const regex = /\w/g; // Matches all word characters 
  
const matches = str.match(regex); 
  
if (matches) { 
      console.log(`Found ${matches.length} word characters`); 
      console.log(matches); 
} else { 
      console.log("No word characters found"); 
}

输出:

Found 21 word characters
[
    'W', 'e', 'l', 'c', 'o',
    'm', 'e', 't', 'o', 'G',
    'e', 'e', 'k', 'f', 'o',
     'r', 'G', 'e', 'e', 'k',
    's'
]

方法3:使用exec()方法: 第三种方法是使用正则表达式的exec()方法,它返回字符串中找到的第一个匹配项的数组。然后您可以使用循环来查找所有匹配项。

Javascript

const str = "GeekforGeeks"; 
const regex = /\w/g; // Matches all word characters 
  
let match; 
  
while ((match = regex.exec(str)) !== null) { 
      console.log(`Found word character "{match[0]}" 
          at index{match.index}`); 
}

输出:

Found word character "G" at index 0
Found word character "e" at index 1
Found word character "e" at index 2
Found word character "k" at index 3
Found word character "f" at index 4
Found word character "o" at index 5
Found word character "r" at index 6
Found word character "G" at index 7
Found word character "e" at index 8
Found word character "e" at index 9
Found word character "k" at index 10
Found word character "s" at index 11

使用不同修饰符的示例:

使用/g修饰符: 在此示例中,我们可以执行全局搜索,查找字符串中的单词字符,要使用正则表达式的test()方法。如果模式与字符串匹配,则返回true;否则返回false。

Javascript

const str = "Welcome to GeekforGeeks!"; 
const regex = /\w/; // Matches any word character 
  
console.log(regex.test(str));

输出:

true

使用/m修饰符:

这与前一个修饰符类似,唯一的区别是它对字符串的每一行进行搜索。下面的例子如果模式与字符串匹配,则返回true,如果不匹配则返回false。

Javascript

const str = 'Welcome to\nGeekforGeeks\nWebsite'; 
const regex = /GeekforGeeks/m; 
  
console.log(regex.test(str)); 

输出:

true

使用/i修饰符: 使用此修饰符来执行不区分大小写的搜索。如果模式与字符串匹配,则返回true,否则返回false。

Javascript

const str = 'GeekforGeeks is a computer science portal for geeks'; 
const regex = /geekforgeeks/i; 
  
console.log(regex.test(str));

输出:

true

Python教程

Java教程

Web教程

数据库教程

图形图像教程

大数据教程

开发工具教程

计算机教程