我正在尝试实现在Golfscript 语法页面上找到的以下正则表达式搜索。
var ptrn = /[a-zA-Z_][a-zA-Z0-9_]*|'(?:\\.|[^'])*'?|"(?:\\.|[^"])*"?|-?[0-9]+|#[^\n\r]*|./mg;
input = ptrn.exec(input);
输入只是正则表达式的第一个匹配项。例如:
"hello" "world"
应该返回["hello", "world"]
但它只返回["hello"]
.
我正在尝试实现在Golfscript 语法页面上找到的以下正则表达式搜索。
var ptrn = /[a-zA-Z_][a-zA-Z0-9_]*|'(?:\\.|[^'])*'?|"(?:\\.|[^"])*"?|-?[0-9]+|#[^\n\r]*|./mg;
input = ptrn.exec(input);
输入只是正则表达式的第一个匹配项。例如:
"hello" "world"
应该返回["hello", "world"]
但它只返回["hello"]
.
RegExp.exec 一次只能返回一个匹配结果。
为了检索多个匹配项,您需要exec
多次在表达式对象上运行。例如,使用一个简单的 while 循环:
var ptrn = /[a-zA-Z_][a-zA-Z0-9_]*|'(?:\\.|[^'])*'?|"(?:\\.|[^"])*"?|-?[0-9]+|#[^\n\r]*|./mg;
var match;
while ((match = ptrn.exec(input)) != null) {
console.log(match);
}
这会将所有匹配记录到控制台。
请注意,为了完成这项工作,您需要确保正则表达式具有g
(全局)标志。此标志确保在对表达式执行某些方法后,更新lastIndex
属性,因此将在上一个结果之后开始进一步的调用。
可以match
在字符串上调用方法以检索整个匹配集合:
var ptrn = /[a-zA-Z_][a-zA-Z0-9_]*|'(?:\\.|[^'])*'?|"(?:\\.|[^"])*"?|-?[0-9]+|#[^\n\r]*|./mg;
var results = "hello world".match(ptrn);
results
是(根据正则表达式):
["hello", " ", "world"]
我不明白"hello" "world"
你的问题是什么意思,它是用户输入还是正则表达式,但我被告知 RegExp 对象有一个状态——lastIndex
它开始搜索的位置。它不会一次返回所有结果。它只带来第一场比赛,您需要继续.exec
获得从 lastIndex 位置开始的其余结果:
const re1 = /^\s*(\w+)/mg; // find all first words in every line
const text1 = "capture discard\n me but_not_me" // two lines of text
for (let match; (match = re1.exec(text1)) !== null;)
console.log(match, "next search at", re1.lastIndex);
印刷
["capture", "capture"] "next search at" 7
[" me", "me"] "next search at" 19
为您的结果构建迭代器的功能性 JS6 方法在这里
RegExp.prototype.execAllGen = function*(input) {
for (let match; (match = this.exec(input)) !== null;)
yield match;
} ; RegExp.prototype.execAll = function(input) {
return [...this.execAllGen(input)]}
另请注意,与poke不同,我如何更好地使用-loop 中match
包含的变量for
。
现在,您可以在一行中轻松捕获您的匹配项
const matches = re1.execAll(text1)
log("captured strings:", matches.map(m=>m[1]))
log(matches.map(m=> [m[1],m.index]))
for (const match of matches) log(match[1], "found at",match.index)
哪个打印
"captured strings:" ["capture", "me"]
[["capture", 0], ["me", 16]]
"capture" "found at" 0
"me" "found at" 16