我试过了:
import com.wordnik.swagger.annotations.Api;
import com.wordnik.swagger.annotations.ApiOperation;
import com.wordnik.swagger.annotations.ApiResponse;
import com.wordnik.swagger.annotations.ApiResponses;
import org.apache.commons.lang.Validate;
import org.json.JSONException;
import org.json.JSONObject;
import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import javax.print.attribute.standard.Media;
import javax.servlet.http.HttpServletRequest;
import javax.ws.rs.*;
import javax.ws.rs.core.*;
import java.io.Serializable;
public static class MyJSON implements Serializable {
private final String name = "myname";
// **Why don't I get this field serialized in the response?**
private final JSONObject jsonObject = new JSONObject();
public MyJSON() {
try {
jsonObject.put("mykey", "myvalue");
} catch (JSONException e) {
e.printStackTrace();
}
}
public String getName() { return name; }
public JSONObject getJsonObject() { return jsonObject; }
}
@GET
@Produces(MediaType.APPLICATION_JSON)
@ApiOperation(value = "Get all entities", notes = "get all entities", response = Response.class)
@ApiResponses(value = { @ApiResponse(code = 200, message = "OK status"),
public Response getList() {
return Response.ok(new MyJSON(), MediaType.APPLICATION_JSON).build();
}
我得到的回应:
{
"name": "myname"
}
如您所见,我只获得name
的{{1}}字段而没有MyJSON
字段。
任何想法如何才能将jsonObject
字段序列化?
更新:
在阅读Thomas评论后,我尝试使用地图:
jsonObject
现在我又来了:
public static class MyJSON implements Serializable {
private final String name = "myname";
private final Map somefield = new HashMap();
public String getName() { return name; }
public Map getSomefield() { return somefield; }
public void addOther(String key, String value) {
somefield.put(key, value);
}
}
MyJSON myJSON = new MyJSON();
myJSON.addOther("mhykey", "myvalue");
return Response.ok(myJSON, MediaType.APPLICATION_JSON).build();
我再次想知道它为什么不序列化呢?请注意我不能使用特定的对象,因为json可以在一种情况下在某些情况下在另一个场景的其他场景中变化,我无法为每种情况创建一个新类。
答案 0 :(得分:1)
如果这是您希望序列化类的方式
{
"name": "value",
"mykey": "myvalue"
}
然后这就是你的对象应该是什么样子
class Data {
String name, String mykey;
// getters, setters...
}
或者,当@Thomas说HashMap时,他并不是指将HashMap“嵌套”到Object中,他的字面意思是使用HashMap,但并非所有JSON库都支持该构造函数。
HashMap<String, String> data = new HashMap<String, String>();
data.put("name", "value");
data.put("mykey", "myvalue");
JSONObject json = new JSONObject(data);
String jsonString = json.toString();
您可以做的另一件事就是将您的对象视为JSONObject本身。
class Data extends JSONObject {
public Data() { }
}
Data d = new Data();
d.put("name", "value");
虽然,这看起来很傻。