2

我想将数组列表转换为特定格式的 json 字符串。我在数组列表中获取所有用户电子邮件,并希望将其转换为以下 JSON 格式。

 [
  {"email":"abc@gmail.com"},
  {"email":"xyz@gmail.com"}
 ]

我的控制器动作是

 public static Result apiCustomers(){
    List<Customer> customerList = Model.coll(Customer.class).find().toArray();
    List<String> emails = new ArrayList<String>();

    for(Customer c : customerList){
        emails.add(c.email);
    }

    //ObjectNode result = Json.newObject();
    //result.put("emails", Json.toJson(emails));        
    return ok();
}

如何将电子邮件列表转换为上述 json 格式?

提前致谢

4

3 回答 3

6

为什么要使用另一个 JSON ser/des lib?Play 有一个内置的(杰克逊的包装器 - 非常快)。

从您的代码开始:

public static Result apiCustomers(){
    List<Customer> customerList = Model.coll(Customer.class).find().toArray();
    List<String> emails = new ArrayList<String>();

    for(Customer c : customerList){
        emails.add(c.email);
    }

    return ok(Json.toJson(emails));
}

这使用了一些默认值,但应该足够了。

或手动:

public static Result apiCustomers(){
        ArrayNode arrayNode = new ArrayNode(JsonNodeFactory.instance);

        List<Customer> customerList = Model.coll(Customer.class).find().toArray();

        for(Customer c : customerList){
            ObjectNode mail = Json.newObject();
            mail.put("email", c.email);
            arrayNode.add(mail);
        }

        return ok(arrayNode);
}

不需要Gson。

于 2013-01-25T15:30:15.547 回答
0

你可以使用这个库: http ://code.google.com/p/google-gson/

关于它的非常简单的教程: http ://www.mkyong.com/java/how-do-convert-java-object-to-from-json-format-gson-api/

或者您可以为您的类或 util Json 编写自定义 toJson 方法(没什么大不了的)

在你的情况下,它应该是这样的(我没有测试过):

public String toJson(List<String> emails) {
    StringBuilder result = new StringBuilder();
    result.append("[");
    result.append("\n");

    for (String s : emails) {
        result.append("{");
        result.append("\"email\":");
        result.append("\"");
        result.append(s);
        result.append("\"");
        result.append("}");
        result.append(",");
        result.append("\n");
    }
    result.append("]");
    return result.toString();
}
于 2013-01-25T15:05:48.890 回答
0

借助 Java 8(我怀疑是更新的 Jackson 版本):

private static final ObjectMapper mapper = new ObjectMapper();

...

List<Customer> customerList = Model.coll(Customer.class).find().toArray();
ArrayNode emails = mapper.createArrayNode();
customerList.forEach(c -> emails.add(c.email));
于 2017-01-30T10:06:22.893 回答