我从svo之一获得一个String
值,
即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.
我该怎么办?
答案 0 :(得分:0)
在Java中这是不可能的,除非您使用for循环,否则如何使用String#split(",");
将字符串拆分为String []
答案 1 :(得分:0)
您可以从此字符串中生成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));
答案 2 :(得分:0)
我使用Map Interface为您编写了一些示例代码:
public class splitstringexample {
public static void main(String[] args) {
String reply = "1:true,2:false,3:true,4:false,5:false,6:false";
Map<String, Boolean> example = splitString(reply);
for (String name: example.keySet()){
String key =name.toString();
String value = example.get(name).toString();
System.out.println(key + " " + value);
}
}
public static Map<String,Boolean> splitString(String reply){
Map<String, Boolean> mapping = new HashMap<>();
String[] mappings = reply.split(",");
for(String s : mappings) {
String[] parts = s.split(":");
mapping.put(parts[0],Boolean.parseBoolean(parts[1]));
}
return mapping;
}
}
然后使用地图对象,您可以使用mapObject.get(<identifier>)
访问相应的布尔值。在您的情况下,mapObject.get("1")
将返回true
,mapObject.get("2") false
,依此类推
答案 3 :(得分:0)
您可以使用正则表达式来实现:
//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
编辑:将列表更改为地图
答案 4 :(得分:0)
使用replaceFirst
并用正则表达式进行拆分:,\\d:
并将每个值存储在数组中
String str = "1:true,2:false,3:true,4:false,5:false,6:false".replaceFirst("1:","");
String[] strArray = str.split(",\\d:");
System.out.println(Arrays.toString(strArray));
输出
[true, false, true, false, false, false]
答案 5 :(得分:0)
您可以将Pattern
和Stream
应用于对String
冲销的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
// ...