-
手掌心
如果可以的话string里的值,用json格式
-
杨__羊羊
字符串分割啊
-
繁星淼淼
使用正则表达式里面的组
-
红颜莎娜
两次split都嫌烦吗?包装到一个方法里不就完了吗
-
潇潇雨雨
自己写个util 将这个String 转成Map,或者固定object.用起来应该还是比较方便的把? 比split('&')更简单的,或许就不应该用这种方式的string 传递吧,用json吧.
-
森栏
String str = "a=c&b=d";
String key1 = str.split("&")[0].split("=")[0];
String key2 = str.split("&")[1].split("=")[0];
System.out.println(key1 + "--" + key2);
// a--b
-
暮色呼如
使用request.getParameterMap()方法
-
犯罪嫌疑人X
一般的处理方式都是split,封装成一个方法即可;希望可以帮助到你.
-
慕妹3146593
使用正则肯定最方便 —— 不过我倒是推崇直接使用 String 的 indexOf 和 substring 来做,这样的效率比正则高一些:
import java.util.HashMap;
import java.util.Map;
public class Main {
public static Map<String, String> getMap(String params) {
HashMap<String, String> map = new HashMap<>();
int start = 0, len = params.length();
while (start < len) {
int i = params.indexOf('&', start);
if (i == -1) {
i = params.length(); // 此时处理最后的键值对
}
String keyValue = params.substring(start, i);
int j = keyValue.indexOf('=');
String key = keyValue.substring(0, j);
String value = keyValue.substring(j + 1, keyValue.length());
map.put(key, value);
if (i == params.length()) {
break;
}
start = i + 1; // index+1 为下一个键值对的起始位置
}
return map;
}
public static void main(String[] args) throws Exception {
String str = "k1=v1&k2=v2&k3=v3&k4=";
Map<String, String> map = getMap(str);
map.forEach((k, v) -> System.out.println(k + " -> " + v));
}
}