量词
量词指示要匹配的字符或表达式的数量。
试试看
类型
字符 | 含义 |
---|---|
x* |
匹配前面的项目 "x" 0 次或多次。例如, |
x+ |
匹配前面的项目 "x" 1 次或多次。等效于 |
x? |
匹配前面的项目 "x" 0 次或 1 次。例如, 如果紧接在任何量词 |
x{n} |
其中 "n" 是一个非负整数,匹配前面的项目 "x" 的恰好 "n" 个出现。例如, |
x{n,} |
其中 "n" 是一个非负整数,匹配前面的项目 "x" 的至少 "n" 个出现。例如, |
x{n,m} |
其中 "n" 和 "m" 是非负整数,且 |
|
默认情况下,像
|
示例
重复模式
在这个例子中,我们匹配一个或多个单词字符 \w+
,然后匹配一个或多个字符 "a" a+
,最后以单词边界 \b
结束。
const wordEndingWithAs = /\w+a+\b/;
const delicateMessage = "This is Spartaaaaaaa";
console.table(delicateMessage.match(wordEndingWithAs)); // [ "Spartaaaaaaa" ]
计算字符
在这个例子中,我们匹配只有一个字母的单词、有 2 到 6 个字母的单词,以及有 13 个或更多字母的单词。
const singleLetterWord = /\b\w\b/g;
const notSoLongWord = /\b\w{2,6}\b/g;
const longWord = /\b\w{13,}\b/g;
const sentence = "Why do I have to learn multiplication table?";
console.table(sentence.match(singleLetterWord)); // ["I"]
console.table(sentence.match(notSoLongWord)); // [ "Why", "do", "have", "to", "learn", "table" ]
console.table(sentence.match(longWord)); // ["multiplication"]
可选字符
在这个例子中,我们匹配以 "our" 或 "or" 结尾的单词。
const britishText = "He asked his neighbour a favour.";
const americanText = "He asked his neighbor a favor.";
const regexpEnding = /\w+ou?r/g;
// \w+ One or several letters
// o followed by an "o",
// u? optionally followed by a "u"
// r followed by an "r"
console.table(britishText.match(regexpEnding));
// ["neighbour", "favour"]
console.table(americanText.match(regexpEnding));
// ["neighbor", "favor"]
贪婪与非贪婪
在这个例子中,我们匹配一个或多个单词字符或空格 [\w ]+
和 [\w ]+?
。第一个是贪婪的,第二个是非贪婪的。注意第二个如何在满足最小要求后立即停止。
const text = "I must be getting somewhere near the center of the earth.";
const greedyRegexp = /[\w ]+/;
console.log(text.match(greedyRegexp)[0]);
// "I must be getting somewhere near the center of the earth"
// almost all of the text matches (leaves out the dot character)
const nonGreedyRegexp = /[\w ]+?/; // Notice the question mark
console.log(text.match(nonGreedyRegexp));
// "I"
// The match is the smallest one possible