3

这是我以前没有遇到过的问题。

我正在开发一个 MVC4 项目。我正在使用 asp 按钮控件,因为没有可用于按钮的 Html Helper(re:没有 @Html.Button !)。我的按钮代码是:

<td><asp:Button ID="ButtonUndo" runat="server" Text="Undo" 
                        OnClick="ButtonUndo_Click" AutoPostBack="true"/></td>

我转到设计器选项卡并单击生成事件处理程序的此按钮:

protected void ButtonUndo_Click(object sender, EventArgs e)
{
    RRSPSqlEntities db = new RRSPSqlEntities();
    int id = (int)ViewData["ClientId"];

    var updateAddress = (from a in db.Address
                             where a.PersonId == id
                             select a).SingleOrDefault();

    updateAddress.Deleted = false;
    db.SaveChanges();
}

我应该补充一点,此代码已添加到包含在脚本标记中的同一 .aspx 页面中。本节中还有 Page_Load 方法。事件处理程序不在 Page_Load 中。

当我设置断点并单步执行代码时发现了问题。单击我的按钮表明它根本没有命中我的事件处理程序。我不知道为什么会这样,特别是当 ASP 通过在设计模式下单击按钮创建事件时。

4

2 回答 2

5

单击我的按钮表明它根本没有命中我的事件处理程序。

这并不奇怪。ASP.NET MVC 使用一种完全不同的事件模型(即它没有像 Web 表单那样的事件模型)。但是,您要尝试做的事情非常简单。在您的控制器中构建一个新方法,让我们称之为Undo

public ActionResult Undo(int id)
{
    RRSPSqlEntities db = new RRSPSqlEntities();

    var updateAddress = (from a in db.Address
                             where a.PersonId == id
                             select a).SingleOrDefault();

    updateAddress.Deleted = false;
    db.SaveChanges();

    return View("{insert the original action name here}");
}

然后在您的标记中,简单地标记input如下:

<form method="POST" action="/ControllerName/Undo">
    @Html.HiddenFor(Model.Id)
    <input type="submit" value="Undo" />
</form>

你所在的位置Model包含View一个属性,我称之为它Id,即id你想要传入的Undo

于 2013-05-16T16:52:19.653 回答
0

我通常更喜欢进行 ajax 调用。你可以试试:

    <button type="button" class="button" onclick="ButtonUndo();" />

在表格中:

    <script>
        function ButtonUndo() {
            $.ajax({
                    type: 'POST',
                    url: '/controller/action',
                    data: 'PersonID=' + ID,
                    dataType: 'json',
                    cache: false,
                    success: function (result) {
                        //do stuff here
                    },
                    error: function () {
                        //do error stuff here
                    }
            });
        }
    </script>

控制器:

    [HttpPost]
    public ActionResult Action(int PersonID)
    {
        //Do your stuff here

        return new JsonResult { result = "something" };
    }

(抱歉有任何拼写错误或语法错误......我从我们在项目中使用的现有代码中提取。)

于 2013-05-16T18:03:56.597 回答