我有一个像这样的字符串,
green open calldetails 1 0 4 0 10.7kb 10.7kb
green open stocksummary 1 0 3 0 8.6kb 8.6kb
我需要从中获取Stocksummary和calldetails。 这是我尝试使用正则表达式,
var result = string.match(/(?:open )(.+)(?:1)/)[1];
这是我的全部功能:
routerApp.controller("elasticindex",function($scope,es){
es.cat.indices("b",function(r,q){
String St = string.match(/(?:open )(.+)(?:1)/)[1];
console.log(r,q);
});
});
期望输出:
calldetails
stocksummary
答案 0 :(得分:2)
这种非贪婪(懒惰)正则表达式应该起作用:
/open +(.+?) +1/
var result = string.match(/open +(.+?) +1/)[1];
或安全的方法:
var result = (string.match(/open +(.+?) +1/) || ['', ''])[1];
<强>代码:强>
var re = /open +(.+?) +1/g,
matches = [],
input = "green open calldetails 1 0 4 0 10.7kb 10.7kb green open stocksummary 1 0 3 0 8.6kb 8.6kb";
while (match = re.exec(input)) matches.push(match[1]);
console.log(matches);