我最初将此问题发布到GitHub:https://github.com/aspnet/Mvc/issues/8723
这里有一个GitHub存储库,用于复制问题: https://github.com/Costo/aspnetcore-binding-bug
我正在使用ASP.NET Core 2.2 Preview 3。
在“子”模型数组的属性上使用自定义模型绑定程序(具有[ModelBinder]属性)时,请求的模型绑定阶段进入无限循环。查看此屏幕截图:
如果在顶级模型属性上使用自定义模型绑定器,则效果很好,但是我想了解为什么在子模型数组中使用时,它不起作用。任何帮助,将不胜感激。
谢谢!
以下是模型,控制器,视图和自定义资料夹的代码:
模型:
public class TestModel
{
public TestInnerModel[] InnerModels { get; set; } = new TestInnerModel[0];
[ModelBinder(BinderType = typeof(NumberModelBinder))]
public decimal TopLevelRate { get; set; }
}
public class TestInnerModel
{
public TestInnerModel()
{
}
[ModelBinder(BinderType = typeof(NumberModelBinder))]
public decimal Rate { get; set; }
}
自定义模型活页夹(有意简化为没有特殊用途):
public class NumberModelBinder : IModelBinder
{
private readonly NumberStyles _supportedStyles = NumberStyles.Float | NumberStyles.AllowThousands;
private DecimalModelBinder _innerBinder;
public NumberModelBinder(ILoggerFactory loggerFactory)
{
_innerBinder = new DecimalModelBinder(_supportedStyles, loggerFactory);
}
/// <inheritdoc />
public Task BindModelAsync(ModelBindingContext bindingContext)
{
return _innerBinder.BindModelAsync(bindingContext);
}
}
控制器:
public class HomeController : Controller
{
public IActionResult Index()
{
return View(new TestModel
{
TopLevelRate = 20m,
InnerModels = new TestInnerModel[]
{
new TestInnerModel { Rate = 2.0m },
new TestInnerModel { Rate = 0.2m }
}
});
}
[HttpPost]
public IActionResult Index(TestModel model)
{
return Ok();
}
}
剃刀视图:
@model TestModel;
<form asp-controller="Home" asp-action="Index" method="post" role="form">
<div>
<input asp-for="@Model.TopLevelRate" type="number" min="0" step=".01" />
</div>
<div>
@for (var i = 0; i < Model.InnerModels.Length; i++)
{
<input asp-for="@Model.InnerModels[i].Rate" type="number" min="0" step=".01" />
}
</div>
<input type="submit" value="Go" />
</form>
答案 0 :(得分:2)
solution已发布到GitHub问题:
@Costo问题是您没有向模型绑定系统通知绑定器使用了值提供者。
ComplexTypeModelBinder
始终认为数据可用于下一个TestInnerModel
实例,并且最外层的活页夹(CollectionModelBinder
)永远持续存在。要解决此问题,
[MyModelBinder]
public decimal Rate { get; set; }
private class MyModelBinderAttribute : ModelBinderAttribute
{
public MyModelBinderAttribute()
: base(typeof(NumberModelBinder))
{
BindingSource = BindingSource.Form;
}
}
换一种说法,在这种情况下,
BindingSource.Custom
默认[ModelBinder]
使用的是不正确的。幸运的是,针对容器中POCO类型的属性的定制模型绑定器应该是很少的这种情况之一。