大家有没有什么好办法获取这里面的key值,如果使用split('&')感觉太麻烦了
10 回答
潇潇雨雨
TA贡献1833条经验 获得超4个赞
自己写个util 将这个String 转成Map,或者固定object.用起来应该还是比较方便的把? 比split('&')更简单的,或许就不应该用这种方式的string 传递吧,用json吧.
森栏
TA贡献1810条经验 获得超5个赞
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
慕妹3146593
TA贡献1820条经验 获得超9个赞
使用正则肯定最方便 —— 不过我倒是推崇直接使用 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));
}
}
添加回答
举报
0/150
提交
取消