Отключить перенаправление на контроллер после Ajax после MVC 5 - PullRequest
0 голосов
/ 09 апреля 2019

У меня есть привязка к _Layout для вызова модального режима с действием, чтобы получить частичное представление для отображения модального

<ul class="navbar-nav mr-auto">
    <li class="nav-item">
        @Html.Action("LogoutModal", "Account")
        <a class="nav-link" href="#" data-toggle="modal" data-target="#modalLogout">
            Log Out
        </a>

    </li>
</ul>

это действие переходит к этому контроллеру

public class AccountController : Controller
{
    public ActionResult LoginModal()
    {
        return PartialView("_PartialLogin");
    }

  ...

иэто частичное представление с модальным

    @model HutLogistica.ViewModels.LoginViewModel

@{
    Layout = null;
}

<link href="~/Content/bootstrap.css" rel="stylesheet" />
<link href="~/Content/login.css" rel="stylesheet" />
<link href="~/Content/fontawesome-all.css" />

<script src="~/scripts/jquery-3.3.1.js"></script>
<script src="~/Scripts/jquery.validate.js"></script>
<script src="~/Scripts/jquery.validate.unobtrusive.js"></script>
<script src="~/Scripts/bootstrap.js"></script>
<script src="~/Scripts/fontawesome/all.js"></script>

<!-- Modal -->
<div class="modal fade" id="modalLogin" tabindex="-1" role="dialog" aria-labelledby="exampleModalLabel" aria-hidden="true">
    <div class="modal-dialog" role="document">
        <div class="modal-content">
            <div class="modal-body">



                @using (Html.BeginForm("Login", "Account", FormMethod.Post, new { id = "formModal" }))
                {
                    @Html.AntiForgeryToken();

                    @Html.ValidationSummary(true, "", new { @class = "text-danger" })

                    @Html.EditorFor(model => model.Username, new { htmlAttributes = new { @class = "form-control form-control-lg", placeholder = "Username", autofocus = true } })
                    @Html.ValidationMessageFor(model => model.Username, "")


                    @Html.EditorFor(model => model.Password, new { htmlAttributes = new { @class = "form-control form-control-lg", placeholder = "Password" } })
                    @Html.ValidationMessageFor(model => model.Password, "")

                    @Html.EditorFor(model => model.RememberMe, new { htmlAttributes = new { @class = "custom-control-input", id = "customCheck" } })

                    <button type="submit" class="btn btn-info">
                        Entrar
                    </button>
                }

                <div id="loader" class="text-center p-3 d-none">
                    <div class="lds-circle"><div></div></div>
                    <p><span class="text-muted">Aguarde...</span></p>
                </div>
            </div>
        </div>
    </div>
</div>

<script type="text/javascript">

    $(document).ajaxStart(function () {
        $("#loader").removeClass('d-none');
    });
    $(document).ajaxStop(function () {
        $("#loader").addClass('d-none');
    });

    $(function () {
        $("#formModal").submit(function () {

            if ($(this).valid()) {

                $.ajax({
                    url: this.action,
                    type: this.method,
                    cache: false,
                    processData: false,
                    contentType: false,
                    data: $(this).serialize(),
                    success: function (status, response) {

                        if (response.success) {
                            alert('Autenticado com sucesso');
                            $('#loginModal').modal('hide');
                            //Refresh
                            location.reload();
                        } else {
                            alert(response.responseText);
                        }
                    },
                    error: function (response) {
                        alert(response.data.responseText)
                    }
                });

            }
            return false;
        });
</script>

, все работает нормально, пока я не отправлю форму в модальном режиме с помощью ajax.

вот контроллер, куда я иду после отправки

  // POST: /Account/Login
    [HttpPost]
    [AllowAnonymous]
    [ValidateAntiForgeryToken]
    public ActionResult Login(LoginViewModel model)
    {
        if (ModelState.IsValid)
        {
            var user = Authenticate(model);

            if (user != null)
            {
                var ticket = new FormsAuthenticationTicket(
                    1,
                    user.Id.ToString(),
                    DateTime.Now,
                    DateTime.Now.AddHours(5),
                    model.RememberMe,
                    user.Roles.Select(c => c.Nome).FirstOrDefault(),
                    FormsAuthentication.FormsCookiePath
                    );

                Response.Cookies.Add
                (
                    new HttpCookie
                    (
                        FormsAuthentication.FormsCookieName,
                        FormsAuthentication.Encrypt(ticket)
                    )
                );

                return Json(new { success = true });
            }
            else
            {
                ModelState.AddModelError("", "Username / Password incorrectos");
                return Json(new { success = false, responseText = "Username / Password incorrectos" });

            }
        }
        else
            return Json(new { success = false, responseText = "Dados inválidos" });
    }

Вот проблема.После того, как я отправил форму, я перенаправлен на localhost: port / Account / Login и показал мне содержимое json, если есть ошибка.Я просто хочу получить сообщение об ошибке при успешном выполнении ajax и напечатать на модале сообщение об ошибке ... Почему меня перенаправляют на контроллер с содержимым json?

Я добавил несколько параметров в конфигурацию ajax веще один пост, который я видел в stackoverflow, но, видимо, ничего не изменил в моей ситуации.

Я просто хочу остаться на моем модальном и получить сообщение о состоянии, которое было успешным или произошла ошибка.Если произошла ошибка, я просто обновляю страницу об успехе ajax, чтобы показать вошедший в html

Ответы [ 2 ]

1 голос
/ 09 апреля 2019

$("form").submit((e) => {
	e.preventDefault();
  
  alert("No redirect");
});
<script src="https://cdnjs.cloudflare.com/ajax/libs/jquery/3.3.1/jquery.min.js"></script>
<form>
  First name:<br>
  <input type="text" name="firstname"><br>
  Last name:<br>
  <input type="text" name="lastname">
  <button type="submit"> Submit </button>
</form>

Вам нужно отключить поведение форм по умолчанию

event.preventDefault();

$("#formModal").submit(function () {

event.preventDefault();

// rest of your code here


// ajax request 
// or use form.submit()

// form.reset() to reset the form state.
}

Поскольку вы отправляете запрос формы через Ajax, я не думаю, что вам нужно будет использовать form.submit(), однако вы можете найти form.reset() полезным.

Подробнее о том, как работает HTMLFormElement здесь .

.

Приветствия

0 голосов
/ 09 апреля 2019

Изменение

@ using (Html.BeginForm ("Логин", "Аккаунт", FormMethod.Post, новый {id = "formModal"}))

до

@ using (Html.BeginForm ("LoginModal", "Account", FormMethod.Post, new {id = "formModal"}))

...