以下 attempt_login
メソッドは、ログインフォームが送信された後にAjaxを使用して呼び出されます。
class AccessController < ApplicationController
[...]
def attempt_login
authorized_user = User.authenticate(params[:username], params[:password])
if authorized_user
session[:user_id] = authorized_user.id
session[:username] = authorized_user.username
flash[:notice] = "Hello #{authorized_user.name}."
redirect_to(:controller => 'jobs', :action => 'index')
else
[...]
end
end
end
問題はそれです redirect_to
は機能しません。
これをどのように解決しますか?
最後に、私はちょうど置き換えました
redirect_to(:controller => 'jobs', :action => 'index')
これとともに:
render :js => "window.location = '/jobs/index'"
そしてそれはうまくいきます!
次のリクエストのためにフラッシュを保持する非常に簡単な方法があります。あなたのコントローラーで
flash[:notice] = 'Your work was awesome! A Unicorn is born!'
flash.keep(:notice)
render js: "window.location = '#{root_path}'"
flash.keep
は、次の要求のためにフラッシュが保持されることを確認します。したがって、root_path
がレンダリングされ、指定されたフラッシュメッセージが表示されます。 Rails is great :)
私はこれが少しいいと思う:
render js: "window.location.pathname='#{jobs_path}'"
私のアプリの1つで、JSONを使用してリダイレクトとフラッシュメッセージデータを引き継ぎます。次のようになります。
class AccessController < ApplicationController
...
def attempt_login
...
if authorized_user
if request.xhr?
render :json => {
:location => url_for(:controller => 'jobs', :action => 'index'),
:flash => {:notice => "Hello #{authorized_user.name}."}
}
else
redirect_to(:controller => 'jobs', :action => 'index')
end
else
# Render login screen with 422 error code
render :login, :status => :unprocessable_entity
end
end
end
そして、簡単なjQueryの例は次のとおりです。
$.ajax({
...
type: 'json',
success: functon(data) {
data = $.parseJSON(data);
if (data.location) {
window.location.href = data.location;
}
if (data.flash && data.flash.notice) {
// Maybe display flash message, etc.
}
},
error: function() {
// If login fails, sending 422 error code sends you here.
}
})
すべての回答のベストを組み合わせます:
...
if request.xhr?
flash[:notice] = "Hello #{authorized_user.name}."
flash.keep(:notice) # Keep flash notice around for the redirect.
render :js => "window.location = #{jobs_path.to_json}"
else
...
def redirect_to(options = {}, response_status = {})
super(options, response_status)
if request.xhr?
# empty to prevent render duplication exception
self.status = nil
self.response_body = nil
path = location
self.location = nil
render :js => "window.location = #{path.to_json}"
end
end
コントローラのアクションを変更したくなかったので、このハックを思いつきました。
class ApplicationController < ActionController::Base
def redirect_to options = {}, response_status = {}
super
if request.xhr?
self.status = 200
self.response_body = "<html><body><script>window.location.replace('#{location}')</script></body></html>"
end
end
end