6

我在 ASP .NET MVC 4 RC 中使用 Web API,并且我有一个方法可以使用具有可为空的 DateTime 属性的复杂对象。我希望从查询字符串中读取输入的值,所以我有这样的东西:

public class MyCriteria
{
    public int? ID { get; set; }
    public DateTime? Date { get; set; }
}

[HttpGet]
public IEnumerable<MyResult> Search([FromUri]MyCriteria criteria)
{
    // Do stuff here.
}

如果我在查询字符串中传递标准日期格式,例如 2012 年 1 月 15 日,这将很有效:

http://mysite/Search?ID=1&Date=01/15/2012

但是,我想为 DateTime 指定一个自定义格式(可能是 MMddyyyy)......例如:

http://mysite/Search?ID=1&Date=01152012

编辑:

我尝试应用自定义模型绑定器,但我没有任何运气将它仅应用于 DateTime 对象。我试过的 ModelBinderProvider 看起来像这样:

public class DateTimeModelBinderProvider : ModelBinderProvider
{
    public override IModelBinder GetBinder(HttpActionContext actionContext, ModelBindingContext bindingContext)
    {
        if (bindingContext.ModelType == typeof(DateTime) || bindingContext.ModelType == typeof(DateTime?))
        {
            return new DateTimeModelBinder();
        }
        return null;
    }
}

// In the Global.asax
GlobalConfiguration.Configuration.Services.Add(typeof(ModelBinderProvider), new DateTimeModelBinderProvider());

新的模型绑定器提供程序被创建,但GetBinder只被调用一次(对于复杂的模型参数,而不是模型中的每个属性)。这是有道理的,但我想找到一种方法让它使用我DateTimeModelBinder的 DateTime 属性,同时对非 DateTime 属性使用默认绑定。有没有办法覆盖默认值ModelBinder并指定每个属性的绑定方式?

谢谢!!!

4

1 回答 1

1

考虑将视图模型的Date属性设置为 typestring

然后编写一个实用函数来处理视图模型类型和域模型类型之间的映射:

public static MyCriteria MapMyCriteriaViewModelToDomain(MyCriteriaViewModel model){

    var date = Convert.ToDateTime(model.Date.Substring(0,2) + "/" model.Date.Substring(2,2) + "/" model.Date.Substring(4,2));

    return new MyCriteria
    {
        ID = model.ID,
        Date = date
    };

}

或使用AutoMapper 之类的工具,如下所示:

在 Global.asax

//if passed as MMDDYYYY:
Mapper.CreateMap<MyCriteriaViewModel, MyCriteria>().
    .ForMember(
          dest => dest.Date, 
          opt => opt.MapFrom(src => Convert.ToDateTime(src.Date.Substring(0,2) + "/" src.Date.Substring(2,2) + "/" src.Date.Substring(4,2)))
);

在控制器中:

public ActionResult MyAction(MyCriteriaViewModel model)
{
    var myCriteria = Mapper.Map<MyCriteriaViewModel, MyCriteria>(model);

    //  etc.
}

从这个例子来看,AutoMapper 似乎没有提供任何附加值。当您使用通常比本示例具有更多属性的对象配置多个或多个映射时,它的价值就出现了。CreateMap 将自动映射具有相同名称和类型的属性,因此它节省了大量的输入,而且更干燥。

于 2012-08-09T17:54:32.207 回答