我有这样的东西
{{ a_name a_description:"a value" another_description: "another_value" }}
我想匹配a_name
所有的描述和值。
我现在使用的正则表达式是
{{\s*(?<function>\w+)\s+((?<attr>\w+)\s*\:\s*\"(?<val>\w+?)\"\s*)+}}
但这仅匹配最后一组,我如何匹配所有组?如果相关,我正在使用 JavaScript。
我有这样的东西
{{ a_name a_description:"a value" another_description: "another_value" }}
我想匹配a_name
所有的描述和值。
我现在使用的正则表达式是
{{\s*(?<function>\w+)\s+((?<attr>\w+)\s*\:\s*\"(?<val>\w+?)\"\s*)+}}
但这仅匹配最后一组,我如何匹配所有组?如果相关,我正在使用 JavaScript。
您必须分两部分执行此操作,首先获取名称,然后获取描述/值对。
str = '{{ a_name a_description:"a value" another_description: "another_value" }}';
name = /\w+/.exec(str);
// notice the '?' at the end to make it non-greedy.
re = /(?:(\w+):\s*"([^"]+)"\s*)+?/g;
var res;
while ((res = re.exec(str)) !=null) {
// For each iteration, description = res[1]; value = res[2];
}
ETA:你可以用一个正则表达式来做,但它确实使事情复杂化:
re = /(?:{{\s*([^ ]+) )|(?:(\w+):\s*"([^"]+)"\s*)+?/g;
while ((res = re.exec(str)) !=null) {
if (!name) {
name = res[1];
}
else {
description = res[2];
value = res[3];
}
}
在 JavaScript 中:
var re = /{{ (\w+) (\w+):\"([a-zA-Z_ ]+)\" (\w+): \"([a-zA-Z_ ]+)\" }}/
var out = re.exec('{{ a_name a_description:"a value" another_description: "another_value" }}')
out
将是一个包含您需要的匹配项的数组。
如果您需要捕获通用数量的key: "value"
对,这将有所帮助:
var str = '{{ a_name a_description: "a value" another_description: "another_value" }}'
var pat = /[a-zA-Z_]+: "[a-zA-Z_ ]*"/gi
str.match(pat)
我真的认为处理这种情况的正确方法是瀑布方法:您首先提取函数名称,然后仅使用split
.
var testString = '{{ a_name a_description:"a value" another_description: "another_value" }}';
var parser = /(\w+)\s*([^}]+)/;
var parts = parser.exec(testString);
console.log('Function name: %s', parts[1]);
var rawParams = parts[2].split(/\s(?=\w+:)/);
var params = {};
for (var i = 0, l = rawParams.length; i < l; ++i) {
var t = rawParams[i].split(/:/);
t[1] = t[1].replace(/^\s+|"|\s+$/g, ''); // trimming
params[t[0]] = t[1];
}
console.log(params);
但我可能错了。)