1

在我的 mvc4 应用程序中保持复选框的状态时,我确实遇到了问题。我正在尝试将其值发送到我的控制器逻辑,并根据给定值刷新模型中的列表,然后再将模型发送回具有新值的视图。鉴于我的复选框是“在列表中显示禁用的元素”类型的功能,我需要它能够打开和关闭。我已经看到了很多不同的解决方案,但我似乎无法让它们工作:(

以下是我的部分观点:

@model MyProject.Models.HomeViewModel

<div class="row-fluid">
    <div class="span12">
        <div class="k-block">
            <form action="~/Home/Index" name="refreshForm" method="POST">
                <p>Include disabled units: @Html.CheckBoxFor(m => m.Refresh)</p>
                <input type="submit" class="k-button" value="Refresh" />
           @* KendoUI Grid code *@
        </div>
    </div>

主视图模型:

public class HomeViewModel
{
    public List<UnitService.UnitType> UnitTypes { get; set; }
    public bool Refresh { get; set; }
}

HomeViewController 将需要一些重构,但这将是一项新任务

[HttpPost]
public ActionResult Index(FormCollection formCollection, HomeViewModel model)
{
    bool showDisabled = model.Refresh;

    FilteredList = new List<UnitType>();
    Model = new HomeViewModel();
    var client = new UnitServiceClient();
    var listOfUnitsFromService = client.GetListOfUnits(showDisabled);

    if (!showDisabled)
    {
        FilteredList = listOfUnitsFromService.Where(unit => !unit.Disabled).ToList();
        Model.UnitTypes = FilteredList;

        return View(Model);
    }

    FilteredList = listOfUnitsFromService.ToList();
    Model.UnitTypes = FilteredList;

    return View(Model);
}
4

1 回答 1

1

您返回您Model的视图,因此您的Model属性将被填充,但您的复选框值不是您的模型的一部分!解决方案是FormCollection完全取消并将复选框添加到您的视图模型中:

public class HomeViewModel
{
    ... // HomeViewModel's current properties go here
    public bool Refresh { get; set; }
}

在您看来:

@Html.CheckBoxFor(m => m.Refresh)

在您的控制器中:

[HttpPost]
public ActionResult Index(HomeViewModel model)
{
    /* Some logic here about model.Refresh */
    return View(model);
}

顺便说一句,我看不出您为什么要像现在一样将此值添加到会话中(除非您发布的代码中有些内容不明显。

于 2013-04-26T07:05:20.670 回答