3 回答
TA贡献1780条经验 获得超5个赞
你可以用Map这个字符串制作。然后根据需要使用该地图。
例如:String firstVal = map.get(1);
String s1 = "1:true,2:false,3:true,4:false,5:false,6:false";
Map<Integer, String> map = new HashMap<>();
for (String s : s1.split(",")){
map.put(Integer.parseInt(s.substring(0, s.indexOf(":"))), s.substring(s.indexOf(":")+1));
}
for (Integer key : map.keySet()) System.out.println(key + " " + map.get(key));
TA贡献1936条经验 获得超6个赞
您可以使用正则表达式来实现:
//Compile the regular expression patern
Pattern p = Pattern.compile("([0-9]+):(true|false)+?") ;
//match the patern over your input
Matcher m = p.matcher("1:true,2:false,3:true,4:false,5:false,6:false") ;
// iterate over results (for exemple add them to a map)
Map<Integer, Boolean> map = new HashMap<>();
while (m.find()) {
// here m.group(1) contains the digit, and m.group(2) contains the value ("true" or "false")
map.put(Integer.parseInt(m.group(1)), Boolean.parseBoolean(m.group(2)));
System.out.println(m.group(2)) ;
}
更多关于正则表达式语法的信息可以在这里找到:https : //docs.oracle.com/javase/tutorial/essential/regex/index.html
TA贡献1834条经验 获得超8个赞
您可以使用Pattern,并Stream在匹配结果应用到Stringreturrned通过svo.getReplies():
String input = "1:true,2:false,3:true,4:false,5:false,6:false";
String[] result = Pattern.compile("(true|false)")
.matcher(input)
.results()
.map(MatchResult::group)
.toArray(String[]::new);
System.out.println(Arrays.toString(result)); // [true, false, true, false, false, false]
String firstVal = result[0]; // true
String secondVal = result[1]; // false
// ...
添加回答
举报