2

我需要帮助查找 java regex 模式以从 URI 获取一个查询信息。例如这里的URI是

"GET /6.2/calculateroute.xml?routeattributes=sm,wp,lg,bb&legattributes=mn&maneuverattributes=ac,po,tt,le,-rn,-sp,-di,no,nu,nr,sh&instructionFormat=html&language=en_US&mode=fastest;car;traffic:default&waypoint0=37.79548,-122.392025&waypoint1=36.0957717,-115.1745167&resolution=786&app_id=D4KnHBzGYyJtbM8lVfYX&token=TRKB7vnBguWLam5rdWshTA HTTP/1.1"

我需要从中提取 4 个值,我设法做到了:

GET

/6.2/calculateroute.xml

routeattributes=sm,wp,lg,bb&legattributes=mn&maneuverattributes=ac,po,tt,le,-rn,-sp,-di,no,nu,nr,sh&instructionFormat=html&language=en_US&mode=fastest;car;traffic:default&waypoint0=37.79548,-122.392025&waypoint1=36.0957717,-115.1745167&resolution=786&app_id=D4KnHBzGYyJtbM8lVfYX&token=TRKB7vnBguWLam5rdWshTA

HTTP/1.1

现在的问题是如何从查询字符串中为 app_id 值编写正则表达式。注意 app_id 不会出现在所有模式中,所以它应该是通用的,如果 app_id 缺失,正则表达式不应该失败。请帮忙...

4

1 回答 1

2

您的问题可以简化为:“如何从字符串中提取可选查询参数”。就是这样:

String appId = input.replaceAll("(.*(app_id=(\\w+)).*)|.*", "$3");

如果存在,该appId变量将包含 app_id 值,否则为空白。

下面是一些测试代码,代码捆绑为实用方法:

public static String getParameterValue(String input, String parameter) {
    return input.replaceAll("(.*("+parameter+"=(\\w+)).*)|.*", "$3"));
}

public static void main(String[] args) {
    String input1 = "foo=bar&app_id=D4KnHBzGYyJtbM8lVfYX&x=y";
    String input2 = "foo=bar&XXXXXX=D4KnHBzGYyJtbM8lVfYX&x=y";

    System.out.println("app_id1:" + getParameterValue(input1, "app_id"));
    System.out.println("app_id2:" + getParameterValue(input2, "app_id"));
}

输出:

app_id1:D4KnHBzGYyJtbM8lVfYX
app_id2:
于 2012-11-02T10:47:09.063 回答