我有一个数据模型,它是一个String []。当我尝试使用以下代码将模型转换为JSONObject时:
public class CheckList {
private String id = "123";
private String Q1 = "This is Question 1";
private String[] Q2 = ["Part 1", Part 2"];
public CheckList (String, id, String Q1, String[] Q2){
...
}
}
CheckList checklist = new Checklist("123", "This is Question 1", ["Part 1", "Part 2"]
JSONObject test = new JSONObject(checklist);
String []未正确转换。使用上面的代码,我希望JSONObject看起来像这样:
{
id: 123,
Q1: This is Question 1,
Q2: [Part 1, Part 2]
}
但是我得到了像这样的JSONObject:
{
id: 123,
Q1: This is Question 1,
Q2: [{"bytes":[{},{},{},{}],"empty":false},{"bytes":[{},{},{},{}],"empty":false}]
}
有什么方法可以解决这个问题吗?提前谢谢。
答案 0 :(得分:1)
您可能需要在JsonArray
类中使用CheckList
来反序列化数组。但是,如果您的实施允许,您可以使用Jackson
转换对象inso json
,它易于使用,并且不需要像JsonArray
这样的位来转换对象。以下是一个例子:
public class CheckList {
private String id = "123";
private String Q1 = "This is Question 1";
private String[] Q2;
public CheckList (String id, String Q1, String[] Q2){
this.id = id;
this.Q1 = Q1;
this.Q2 = Q2;
}
public String getId() {
return id;
}
public void setId(String id) {
this.id = id;
}
public String getQ1() {
return Q1;
}
public void setQ1(String q1) {
Q1 = q1;
}
public String[] getQ2() {
return Q2;
}
public void setQ2(String[] q2) {
Q2 = q2;
}
public static void main(String[] args) throws Exception{
CheckList checklist = new CheckList("123", "This is Question 1", new String[]{"Part 1", "Part 2"});
ObjectMapper objectMaapper = new ObjectMapper();
System.out.println(objectMaapper.writeValueAsString(checklist));
}
}
杰克逊和Here's文档的here's maven中心网址。
答案 1 :(得分:0)
将条目逐步放入JSONObject
和
首先将数组转换为ArrayList<String>
。
ArrayList<String> list = new ArrayList<String>();
list.add("Part 1");
list.add("Part 2");
JSONObject test = new JSONObject();
test.put("id", 123);
test.put("Q1","This is Question 1");
test.put("Q2", new JSONArray(list));
答案 2 :(得分:0)
您可以使用Gson它非常有效:
class CheckList {
private String id = "123";
private String Q1 = "This is Question 1";
private String[] Q2 = {"Part 1", "Part 2"};
}
final String jsonObject = new Gson().toJson(new CheckList());
System.out.print(jsonObject);
输出:
{
"id": "123",
"Q1": "This is Question 1",
"Q2": [
"Part 1",
"Part 2"
]
}