我有一个带有这样一个网址的字符串:http://www.website.com/search?productId=1500
如何使用正则表达式获取productId的值?
答案 0 :(得分:3)
我可能会使用Apache Commons的URLEncodedUtils
。
String url = "http://www.website.com/search?productId=1500";
List<NameValuePair> paramsList = URLEncodedUtils.parse(new URI(url),"utf-8");
for (NameValuePair parameter : paramsList)
if (parameter.getName().equals("productId"))
System.out.println(parameter.getValue());
输出1500
。
但如果您真的想使用正则表达式,可以试试
Pattern p = Pattern.compile("[?&]productId=(\\d+)");
Matcher m = p.matcher(url); // _____________↑ group 1
if (m.find()) // |
System.out.println(m.group(1));
答案 1 :(得分:1)
如果你真的想这样做:
public static void main(String[] args) throws Exception {
Pattern pattern = Pattern.compile("http://www.website.com/search\\?productId=(\\d+)");
Matcher matcher = pattern.matcher("http://www.website.com/search?productId=1500");
if (matcher.matches()) {
String productId = matcher.group(1);
}
}
但是,有一些库可以解析URL查询参数,它们也可以执行URL解码参数等操作。正则表达式不能这样做。
这是一个关于SO的问题,解释了如何使用库甚至代码片段正确解析URL中的查询字符串参数: Parse a URI String into Name-Value Collection
答案 2 :(得分:0)
如果您知道所需的号码以productId=
作为前缀,那么为什么不使用substring
?