我想知道在MVCContrib生成的网格中删除行的最佳策略是什么。
考虑这个网格:
Html.Grid(Model.Proc.Documents).Columns(column =>
{
column.For(c => c.Name).Named("Title");
column.For(c => c.Author.Name).Named("Author");
column.For("Action").Action(
delegate(DocumentDto doc)
{
const string cbxFrmt =
"<td><strong><a href=\"#\" onclick=\"DocDetails({0})\">View details</a></strong> | " +
"<strong><a href=\"#\" onclick=\"RemoveDoc({1})\">Delete</a></strong>" +
"</td>";
Response.Write(string.Format(cbxFrmt, doc.Id, doc.Id));
}
).DoNotEncode().Named("Action");
})
.Attributes(id => "documentgrid"));
每一行都有一个调用RemoveDoc(docid)javascript函数的链接,在这里我应该通过调用控制器中的一个动作来删除行,实际上在数据模型中删除文档,这很容易,但后来我无法想象如何使用Jquery从tbody中删除行。请指教。我是在一条完全错误的轨道上吗?最好的方法是什么?
关于添加一行。最初我想过这样做:
function UploadDocument() {
var action = '<%=Html.BuildUrlFromExpression<MyController>(c => c.UploadDocument(parameters))%>';
$.ajax({
type: "POST",
url: action,
data: { data to upload },
cache: false,
dataType: 'text',
success: function (data, textStatus) {
var newRow = "<tr class='gridrow'><td>" + v1 +
"</td><td>" + doc_author + "</td>" +
"<td><strong><a href=\"#\" onclick=\"DocDetails(doc_id_returned_by_ajax)\">View details</a></strong> | " +
"<strong><a href=\"#\" onclick=\"RemoveDoc(doc_id_returned_by_ajax)\">Delete</a></strong>" +
"</td>" +
"</tr>";
var docgrid = $('#documentgrid');
var tbody = $("table[class='grid']>tbody");
$(tbody).append(newRow);
},
error: function (xhr, textStatus, errorThrown) {
var msg = JSON.parse(xhr.responseText);
alert('Error:' + msg.Message);
}
});
}
但我不确定这是做这件事的最佳做法。还有其他策略吗?
谢谢!
答案 0 :(得分:3)
也许是某些内容:
<%= Html.Grid<Document>(Model.Proc.Documents)
.Columns(column => {
column.For(c => c.Name).Named("Title");
column.For(c => c.Author.Name).Named("Author");
column.For("TableLinks").Named("");
})
%>
和TableLinks.ascx
:
<%@ Control Language="C#" Inherits="System.Web.Mvc.ViewUserControl<SomeNs.Document>" %>
<td>
<% using (Html.BeginForm<HomeController>(c => c.Destroy(Model.Id))) { %>
<%= Html.HttpMethodOverride(HttpVerbs.Delete) %>
<input type="submit" value="Delete" />
<% } %>
</td>
并在控制器中:
[HttpDelete]
public ActionResult Destroy(int id)
{
Repository.Delete(id);
return RedirectToAction("Index");
}
如您所见,我使用带有提交按钮的标准表单进行删除。如果你想使用AJAX,很容易生成一个简单的链接并使用jquery附加到click事件,就像在你的例子中一样:
<%@ Control Language="C#" Inherits="System.Web.Mvc.ViewUserControl<SomeNs.Document>" %>
<td>
<%= Html.ActionLink(
"Delete document",
"Destroy",
new { id = Model.Id },
new { @class = "destroy" }
) %>
</td>
最后逐步增强链接:
$(function() {
$('.destroy').click(function() {
$.ajax({
url: this.href,
type: 'delete',
success: function(result) {
alert('document successfully deleted');
}
});
return false;
});
});
您可以在this sample project中看到这些概念。