我的Web应用程序需要解析括号括起来的字符串中的数字范围.我从来没有真正理解正则表达式,所以我需要一些帮助.下面的代码是我想要做的事情(然后我会在连字符上分割字符串并获取最小/最大值).显然这种模式是错误的 – 下面的例子警告“(10-12)foo(5-10)bar”当我想要的结果是1警告说(10-12)和下一个说法(5-10),或者更好那些没有括号的值,如果可能的话.
任何帮助表示赞赏.
var string = "foo bar (10-12) foo (5-10) bar"; var pattern = /\(.+\)/gi; matches = string.match(pattern); for (var i in matches) { alert(matches[i]); }
解决方法
通过添加?使你的量词变得懒惰?之后 .否则,它将从字符串的开头(到最后一个)贪婪地消耗掉.
var string = "foo bar (10-12) foo (5-10) bar",pattern = /\(.+?\)/g,matches = string.match(pattern);
如果您不想在匹配中包括括号,通常您会使用正向前瞻和后视括号. JavaScript不支持lookbehinds(虽然你可以伪造它们).所以,用…
var string = "foo bar (10-12) foo (5-10) bar",pattern = /\((.+?)\)/g,match,matches = []; while (match = pattern.exec(string)) { matches.push(match[1]); }
也…
>你的正则表达式中不需要i标志;你不匹配任何字母.>您应始终使用var调整变量的范围.在您的示例中,匹配将是全局的.>您不应该使用for(in)迭代数组.您还应检查match()是否返回null(如果未找到结果).