2

我无法弄清楚允许在我的应用程序中为 DateTime 字段发布 JSON 的神奇词汇。查询时,DateTimes 以自纪元以​​来的微秒返回。当我尝试以该格式发布时({"started":"1341006642000","task":{"id":1}}),我得到“无效值:开始”。

我还尝试添加@play.data.format.Formats.DateTime(pattern="yyyy-MM-dd HH:mm:ss")到该started字段并发布{"started":"2012-07-02 09:24:45","task":{"id":1}}具有相同结果的内容。

控制器方法是:

@BodyParser.Of(play.mvc.BodyParser.Json.class)
public static Result create(Long task_id) {
    Form<Run> runForm = form(Run.class).bindFromRequest();
    for (String key : runForm.data().keySet()) {
        System.err.println(key + " => " + runForm.apply(key).value() + "\n");
    } 
    if (runForm.hasErrors())
        return badRequest(runForm.errorsAsJson());

    Run run = runForm.get();
    run.task = Task.find.byId(task_id);
    run.save();

    ObjectNode result = Json.newObject();
    result.put("id", run.id);

    return ok(result);
}

我还可以从输出中看到正确接收到的值。任何人都知道如何使这项工作?

4

1 回答 1

5

在阅读了处理表单提交页面的“注册自定义 DataBinder”部分以及应用程序全局设置页面并与这个问题进行比较后,我想出了以下解决方案:

我创建了一个带有可选格式属性的自定义注释:

package models;

import java.lang.annotation.*;

@Target({ ElementType.FIELD })
@Retention(RetentionPolicy.RUNTIME)
@play.data.Form.Display(name = "format.joda.datetime", attributes = { "format" })
public @interface JodaDateTime {
    String format() default "";
}

并从以下位置注册了一个自定义格式化程序onStart

import java.text.ParseException;
import java.util.Locale;

import org.joda.time.DateTime;
import org.joda.time.format.DateTimeFormat;

import play.*;
import play.data.format.Formatters;


public class Global extends GlobalSettings {

    @Override
    public void onStart(Application app) {
        Formatters.register(DateTime.class, new Formatters.AnnotationFormatter<models.JodaDateTime,DateTime>() {
                @Override
                public DateTime parse(models.JodaDateTime annotation, String input, Locale locale) throws ParseException {
                    if (input == null || input.trim().isEmpty())
                        return null;

                    if (annotation.format().isEmpty())
                        return new DateTime(Long.parseLong(input));
                    else
                        return DateTimeFormat.forPattern(annotation.format()).withLocale(locale).parseDateTime(input);
                }

                @Override
                public String print(models.JodaDateTime annotation, DateTime time, Locale locale) {
                    if (time == null)
                        return null;

                    if (annotation.format().isEmpty())
                        return time.getMillis() + "";
                    else
                        return time.toString(annotation.format(), locale);
                }

        });
    }

}

您可以根据需要指定格式,或者默认情况下它将使用自纪元以来的毫秒数。我希望有一个更简单的方法,因为 Joda 包含在 Play 发行版中,但这让事情变得正常。

注意:您需要重新启动 Play 应用程序,因为它似乎没有检测到对Global类的更改。

于 2012-07-02T16:21:39.343 回答