MVC3 Ajax.BeginForm с отключенным JavaScript - PullRequest
0 голосов
/ 09 мая 2011

У меня проблема с получением формы для работы без включения JavaScript.

Этого должно быть достаточно, чтобы продолжить, спросите, нужно ли вам знать что-нибудь еще - я не хочу просто выкладывать здесь все решение!

~ / Views / _ViewStart.cshtml:

@{ Layout = "~/Views/Shared/Layout.cshtml"; }

~ / Views / Shared / Layout.cshtml:

@using System.Globalization; @{ CultureInfo culture = CultureInfo.GetCultureInfo(UICulture); }<!DOCTYPE html>
<html lang="@culture.Name" dir="@(culture.TextInfo.IsRightToLeft ? "rtl" : "ltr")">
<head>
  <title>AppName :: @ViewBag.Title</title>
  <link href="@Url.Content("~/favicon.ico")" rel="shortcut icon" type="image/x-icon" />
  <link href="@Url.Content("~/apple-touch-icon.png")" rel="apple-touch-icon" />  
  <link href="@Url.Content("~/Content/css/site.css")" rel="stylesheet" type="text/css" />
  <script src="@Url.Content("~/Content/js/jquery-1.6.min.js")" type="text/javascript"></script>
  <script src="@Url.Content("~/Content/js/jquery.unobtrusive-ajax.min.js")" type="text/javascript"></script>
  <script src="@Url.Content("~/Content/js/jquery.validate.min.js")" type="text/javascript"></script>
  <script src="@Url.Content("~/Content/js/jquery.validate.unobtrusive.min.js")" type="text/javascript"></script>
  <script src="@Url.Content("~/Content/js/app.js")" type="text/javascript"></script>
  @RenderSection("SectionHead", false)
</head>
<body>
  <div id="page-container">
    <div id="nav">
      <div id="nav-user">
        @{ Html.RenderAction("LoginStatus", "Account"); }
        @{ Html.RenderPartial("CultureSelector"); }
      </div>
    </div>
    <div id="page-content">
      <h2>@ViewBag.Title</h2>
      @RenderBody()
    </div>
  </div>
</body>
</html>

~ / Views / счета / Index.cshtml:

@model AccountFilterModel
@{ 
  ViewBag.Title = "Account Home";
  var loadingId = "loading" + new Random().Next();
  Model.FilterFormId = "filter-account-form";
}
@using (Ajax.BeginForm("List", "Account", Model, new AjaxOptions { UpdateTargetId = "result-list", LoadingElementId = loadingId }, new { id = "filter-account-form" })) {
  <!-- form controls and validation summary stuff -->
  <input id="filter" type="submit" value="Filter" />
  <span id="@loadingId" style="display: none">
    <img src="@Url.Content("~/Content/images/ajax-loader.gif")" alt="Loading..." />
  </span>
}
<div id="result-list">
  @{ Html.RenderAction("List", Model); }
</div>

~ / Views / Account / List.cshtml:

@model FilterResultModel
@helper SortLink(AccountSort sort, SortDirection dir) {
  string display = (dir == SortDirection.Ascending ? "a" : "d"); // TODO: css here
  if (Model.Filter.SortBy != null && ((AccountSortModel)Model.Filter.SortBy).Sort == sort && dir == Model.Filter.SortOrder) {
    @:@display
  } else {
    FilterModel fm = new FilterModel(Model.Filter);
    fm.SortBy = AccountSortModel.SortOption[sort];
    fm.SortOrder = dir;
    <a href="@Url.Action("Index", "Account", fm.GetRouteValueDictionary())" onclick="@(string.Format("setFormValue('{0}', '{1}', '{2}'); setFormValue('{0}', '{3}', '{4}'); formSubmit('{0}'); return false;", Model.Filter.FilterFormId, Html.PropertyNameFor(x => x.Filter.SortOrder), dir, "AccountSort", sort))">@display</a>
  }
}

@if (Model.Results.Count > 0) {
  var first = Model.Results.First();
  <table>
    <caption>
      @string.Format(LocalText.FilterStats, Model.FirstResultIndex + 1, Model.LastResultIndex + 1, Model.CurrentPageIndex + 1, Model.LastPageIndex + 1, Model.FilteredCount, Model.TotalCount)
    </caption>
    <thead>
      <tr>
        <th>
          @Html.LabelFor(m => first.Username)
          <span class="sort-ascending">
            @SortLink(AccountSort.UsernameLower, SortDirection.Ascending)
          </span>
          <span class="sort-descending">
            @SortLink(AccountSort.UsernameLower, SortDirection.Descending)
          </span>
        </th>
        <!-- other table headers -->
      </tr>
    </thead>
    <tbody>
      @foreach (AccountModel account in Model.Results) {
        <tr>
          <td>@Html.EncodedReplace(account.Username, Model.Filter.Search, "<span class=\"filter-match\">{0}</span>")</td>
          <!-- other columns -->
        </tr>
      }
    </tbody>
  </table>
  Html.RenderPartial("ListPager", Model);
} else {
  <p>No Results</p>
}

Соответствующая часть AccountController.cs:

public ActionResult Index(AccountSort? accountSort, FilterModel model = null) {
  FilterModel fm = model ?? new FilterModel();
  if (accountSort.HasValue) fm.SortBy = AccountSortModel.SortOption[accountSort.Value];
  return View(fm);
}

public ActionResult List(AccountSort? accountSort, FilterModel model = null) {
  FilterModel fm = model ?? new FilterModel();
  if (accountSort.HasValue) fm.SortBy = AccountSortModel.SortOption[accountSort.Value];
  return Request.IsAjaxRequest() ? (ActionResult)PartialView("List", Service.Get(fm)) : View("Index", model);
}

При включенном javascript все работает нормально - содержимое div # result-list обновляется, как и ожидалось.

Если я не выполняю Request.AjaxRequest() и просто возвращаю PartialView, то при отключенном javascript я получаю страницу, содержащую только содержимое результатов. Если у меня есть код, как указано выше, то я получаю StackOverflowException.

Как мне заставить это работать?

Решение

Благодаря @xixonia я обнаружил проблему - вот мое решение:

public ActionResult List(AccountSort? accountSort, FilterModel model = null) {
  FilterModel fm = model ?? new FilterModel();
  if (accountSort.HasValue) 
    fm.SortBy = AccountSortModel.SortOption[accountSort.Value];
  if (Request.HttpMethod == "GET")
    return PartialView("List", Service.Get(fm));
  if (Request.HttpMethod == "POST")
    return Request.IsAjaxRequest() ? (ActionResult) PartialView("List", Service.Get(fm)) : RedirectToAction("Index", model);
  return new HttpStatusCodeResult((int) HttpStatusCode.MethodNotAllowed);
}

1 Ответ

2 голосов
/ 09 мая 2011

Вы можете использовать следующий метод расширения, чтобы определить, является ли запрос ajax-запросом

Request.IsAjaxRequest()

Если это так, вы можете вернуть частичное представление, в противном случае вы можете вернуть полное представление или перенаправление.

if(Request.IsAjaxRequest())
{
    return PartialView("view", model);
}
else
{
    return View(model);
}

edit: вот проблема:

«Список» возвращает представление «Индекс», когда запрос не является запросом AJAX:

public ActionResult List(AccountSort? accountSort, FilterModel model = null) {
  FilterModel fm = model ?? new FilterModel();
  if (accountSort.HasValue) fm.SortBy = AccountSortModel.SortOption[accountSort.Value];
  return Request.IsAjaxRequest() ? (ActionResult)PartialView("List", Service.Get(fm)) : View("Index", model);
}

Представление «Индекс» отображает действие «Список»:

@{ Html.RenderAction("List", Model); }

АКА: рекурсия.

Вам необходимо разработать способ отображения списка без рисованияиндексную страницу или заставьте свою индексную страницу нарисовать частичное представление с модальным списком в качестве параметра.

Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...