我正在尝试检索此字符串“property_id=516&category=featured-properties
”的类别部分,因此结果应为“features-properties”,我想出了一个正则表达式并在此网站http://gskinner.com/RegExr/上对其进行了测试,并且它按预期工作,但是当我将正则表达式添加到我的javascript代码中时,我遇到了“无效的正则表达式”错误,有人能告诉我这段代码有什么问题吗?
谢谢!
var url = "property_id=516&category=featured-properties"
var urlRE = url.match('(?<=(category=))[a-z-]+');
alert(urlRE[0]);
答案 0 :(得分:8)
不符合ECMAScript 2018标准的JavaScript环境不支持正面的后视(您的?<=
),这会导致您的RegEx失败。
你可以通过一系列不同的方式模仿它们,但这可能是一个更简单的RegEx来为你完成工作:
var url = "property_id=516&category=featured-properties"
var urlRE = url.match(/category=([^&]+)/);
// urlRE => ["category=featured-properties","featured-properties"]
// urlRE[1] => "featured-properties"
这是一个非常简单的示例,但是如果需要,搜索StackOverflow以获取用于解析URL参数的RegEx模式将会提供更强大的示例。
答案 1 :(得分:3)
语法搞乱了你的代码。
var urlRE = url.match(/category=([a-z-]+)/);
alert(urlRE[1]);
答案 2 :(得分:0)
如果您要解析网址参数,可以使用此网站的getParameterByName()
功能:
在任何情况下,如前所述,JavaScript中的正则表达式不是纯字符串:
答案 3 :(得分:0)
var url = "property_id=516&category=featured-properties",
urlRE = url.match(/(category=)([a-z-]+)/i); //don't forget i if you want to match also uppercase letters in category "property_id=516&category=Featured-Properties"
//urlRE = url.match(/(?<=(category=))[a-z-]+/i); //this is a mess
alert(urlRE[2]);