通过使用$.support
(参见http://api.jquery.com/jQuery.support/),您可以检查是否启用了 AJAX:
$.support.ajax
一旦我们知道是否启用了 AJAX,我们就可以构建一个智能搜索按钮。让我们在 MVC 中设置你的控制器/动作:
public ActionResult Search(string q)
{
//TODO: Some logic to perform a search
MySearchResultsModel results = new MySearchResultsModel(); //Populate results with some model of data
if (Request.IsAjaxRequest())
return PartialView("_Results", results); //partial view w/ results
else
return View("Search",results); //Returns a full page
}
现在我们的控制器操作已设置为执行搜索,我们需要两个不同的视图:
- 将呈现搜索结果的 HTML 的局部视图(称为“_Results”)
- 如果浏览器不(称为“搜索”)支持 AJAX,将包装部分视图的完整视图
现在,“搜索”页面看起来像:
@model MySearchResultsModel
<h2>Search Results</h2>
@Html.Partial("_Results",model)
“_Results”将包含原始 HTMl 或使用您的 MVC WebGrid:
@model MySearchResultsModel
<ul>
@foreach(var result in MySearchResultsModel.Results)
{
<li>@result.SomeProperty</li>
}
</ul>
现在,如何使这一切正常工作?假设您的页面上有一个 id 为“searchResults”的 div:
<div id="searchResults"></div>
您需要一个表格进行搜索:
<form action="@Url.Action("Search")" id="searchForm">
<input type="text" name="q" value=""/>
<input type="submit" value="Search"/>
</form>
你需要一些 JS 来捕获表单提交
$(function(){
$('#searchForm').submit(function(e){
if($.support.ajax) //Is AJAX enalbed?
{
e.preventDefault(); //prevent the form from submitting
//Send the request via AJAX
$.ajax({
type: 'POST',
url: $(this).attr('action'), //Read the action from the FORM url OR you could use @Url.Action('Search')
data: $(this).serialize(), //The forms data
success: function (response) {
$('#searchResults').html(response); //This sets the DIV's contents to the AJAX response
},
error: function () {
alert('An error occured while performing your search');
}
});
}
});
});