12

我正在使用常规方式在我的项目中配置 Web API,但是,我确实有一个需要支持的旧版 API。

我像这样配置日期时间格式:

JsonMediaTypeFormatter jsonFormatter = GlobalConfiguration.Configuration.Formatters.JsonFormatter;
        jsonFormatter.SerializerSettings = new JsonSerializerSettings
        {
            NullValueHandling = NullValueHandling.Include,
            ContractResolver = new CamelCasePropertyNamesContractResolver()
        };
        var converters = jsonFormatter.SerializerSettings.Converters;
        converters.Add(new IsoDateTimeConverter() { DateTimeFormat = "yyyy-MM-ddTHH:mm:ss" });

这正是我想要的大多数 API 控制器,但是,对于旧版 API,它需要使用旧的 MS AJAX 格式输出 DateTimes,如下所示:

/日期(1345302000000)/

所以有人知道我如何为我的一个 API 模块指定不同的 JSON 日期格式化程序并保持全局配置不变吗?或者任何替代方案,例如每个 API 的配置都可以。谢谢

4

1 回答 1

11

Web API 有一个称为 Per-Controller 配置的概念,仅适用于像您这样的场景。每个控制器的配置使您能够在每个控制器的基础上进行配置。

public class MyConfigAttribute : Attribute, IControllerConfiguration
{
    public void Initialize(HttpControllerSettings controllerSettings, HttpControllerDescriptor controllerDescriptor)
    {
        // controllerSettings.Formatters is a cloned list of formatters that are present on the GlobalConfiguration
        // Note that the formatters are not cloned themselves
        controllerSettings.Formatters.Remove(controllerSettings.Formatters.JsonFormatter);

        //Add your Json formatter with the datetime settings that you need here
        controllerSettings.Formatters.Insert(0, **your json formatter with datetime settings**);
    }
}

[MyConfig]
public class ValuesController : ApiController
{
    public string Get(int id)
    {
        return "value";
    }
}

在上面的示例中,ValuesController 将在您的日期时间设置中使用 Json 格式化程序,但您的其余控制器将使用 GlobalConfiguration 上的一个。

于 2012-08-18T14:08:08.340 回答