如何将字符串值拆分为多个值

我有一个String从 svo 中获得的值,即String reply=svo.getReplies();


我得到的输出就像--> "1:true,2:false,3:true,4:false,5:false,6:false"


现在我想要的是将回复的存储分开,并将所有回复存储在每个回复的新变量中。例如:


String firstVal= "true";

String secondeVal= "false";

// ... and so on. 

我该怎么做?


函数式编程
浏览 152回答 3
3回答

翻阅古今

你可以用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(",")){&nbsp; &nbsp; &nbsp; &nbsp; map.put(Integer.parseInt(s.substring(0, s.indexOf(":"))), s.substring(s.indexOf(":")+1));&nbsp; &nbsp; }for (Integer key : map.keySet()) System.out.println(key + " " + map.get(key));

LEATH

您可以使用正则表达式来实现://Compile the regular expression paternPattern p = Pattern.compile("([0-9]+):(true|false)+?") ;&nbsp;//match the patern over your inputMatcher m = p.matcher("1:true,2:false,3:true,4:false,5:false,6:false") ;&nbsp;// iterate over results (for exemple add them to a map)Map<Integer, Boolean> map = new HashMap<>();while (m.find()) {&nbsp; &nbsp; // here m.group(1) contains the digit, and m.group(2) contains the value ("true" or "false")&nbsp; &nbsp; map.put(Integer.parseInt(m.group(1)), Boolean.parseBoolean(m.group(2)));&nbsp; &nbsp; System.out.println(m.group(2)) ;}更多关于正则表达式语法的信息可以在这里找到:https : //docs.oracle.com/javase/tutorial/essential/regex/index.html

MMMHUHU

您可以使用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)")&nbsp; .matcher(input)&nbsp; .results()&nbsp; .map(MatchResult::group)&nbsp; .toArray(String[]::new);&nbsp;System.out.println(Arrays.toString(result)); // [true, false, true, false, false, false]&nbsp;String firstVal = result[0]; // true&nbsp;String secondVal = result[1]; // false&nbsp;// ...
打开App,查看更多内容
随时随地看视频慕课网APP

相关分类

Java