5

我的页面中有一个下拉菜单。在下拉列表中选择一个值时,我希望更改标签文本。这是我的代码:

@model FND.Models.ViewLender

@{
    ViewBag.Title = "Change Lender";
 }

@using (Html.BeginForm())
{
    @Html.Label("Change Lender : ")
    @Html.DropDownList("Ddl_Lender", Model.ShowLenderTypes)
    @Html.DisplayFor(model => model.Description)
 }

在更改下拉列表中的值时,我希望描述相应地更改。

4

1 回答 1

11

您可以首先将描述放入一个 div 并为您的下拉列表提供一个唯一的 id:

@model FND.Models.ViewLender

@{
    ViewBag.Title = "Change Lender";
}

@using (Html.BeginForm())
{
    @Html.Label("Change Lender : ")
    @Html.DropDownList("Ddl_Lender", Model.ShowLenderTypes, new { id = "lenderType" })
    <div id="description">
        @Html.DisplayFor(model => model.Description)
    </div>
}

现在剩下的就是订阅onchange这个下拉列表的javascript事件并更新相应的描述。

例如,如果您使用 jQuery,这是非常简单的任务:

$(function() {
    $('#lenderType').change(function() {
        var selectedDescription = $(this).find('option:selected').text();
        $('#description').html(selectedDescription);
    });
});

话虽这么说,我可能误解了您的问题,并且此描述必须来自服务器。在这种情况下,您可以使用 AJAX 查询将返回相应描述的控制器操作。我们需要做的就是将此操作的 url 作为 HTML5 data-* 属性提供给下拉列表,以避免在我们的 javascript 文件中对其进行硬编码:

@Html.DropDownList(
    "Ddl_Lender", 
    Model.ShowLenderTypes, 
    new { 
        id = "lenderType", 
        data_url = Url.Action("GetDescription", "SomeController") 
    }
)

现在.change如果我们触发 AJAX 请求:

$(function() {
    $('#lenderType').change(function() {
        var selectedValue = $(this).val();
        $.ajax({
            url: $(this).data('url'),
            type: 'GET',
            cache: false,
            data: { value: selectedValue },
            success: function(result) {
                $('#description').html(result.description);
            }
        });
    });
});

最后一步当然是让这个控制器动作根据所选值获取相应的描述:

public ActionResult GetDescription(string value)
{
    // The value variable that will be passed here will represent
    // the selected value of the dropdown list. So we must go ahead 
    // and retrieve the corresponding description here from wherever
    // this information is stored (a database or something)
    string description = GoGetTheDescription(value);

    return Json(new { description = description }, JsonRequestBehavior.AllowGet);
}
于 2012-07-27T13:35:41.343 回答