Railsの404ページを偽造したいのですが。 PHPでは、エラーコード付きのヘッダを送信するだけです。
header("HTTP/1.0 404 Not Found");
これはRailsでどのように行われますか?
404を自分でレンダリングしないでください。理由はありません。 Railsにはこの機能がすでに組み込まれています。 404ページを表示したい場合は、次のようにApplicationController
にrender_404
メソッド(または私が呼んだnot_found
)を作成します。
def not_found
raise ActionController::RoutingError.new('Not Found')
end
RailsもAbstractController::ActionNotFound
とActiveRecord::RecordNotFound
を同じように扱います。
これは2つのことをより良くします:
1)404ページをレンダリングするためにRailsの組み込みrescue_from
ハンドラを使用します。2)コードの実行を中断します。
user = User.find_by_email(params[:email]) or not_found
user.do_something!
醜い条件文を書く必要はありません。
おまけとして、テストで扱うのもとても簡単です。たとえば、rspec統合テストでは、次のようになります。
# RSpec 1
lambda {
visit '/something/you/want/to/404'
}.should raise_error(ActionController::RoutingError)
# RSpec 2+
expect {
get '/something/you/want/to/404'
}.to raise_error(ActionController::RoutingError)
そしてミニテスト:
assert_raises(ActionController::RoutingError) do
get '/something/you/want/to/404'
end
404ヘッダを返すには、renderメソッドに:status
オプションを使うだけです。
def action
# here the code
render :status => 404
end
標準の404ページをレンダリングしたい場合は、メソッドで機能を抽出できます。
def render_404
respond_to do |format|
format.html { render :file => "#{Rails.root}/public/404", :layout => false, :status => :not_found }
format.xml { head :not_found }
format.any { head :not_found }
end
end
そしてそれをあなたの行動の中で呼びなさい
def action
# here the code
render_404
end
アクションにエラーページを表示させて停止させる場合は、単純にreturn文を使用します。
def action
render_404 and return if params[:something].blank?
# here the code that will never be executed
end
また、Railsは404エラーページを表示するActiveRecord::RecordNotFound
などのActiveRecordエラーを救済することを忘れないでください。
それはあなたがこの行動を自分で救う必要がないことを意味します
def show
user = User.find(params[:id])
end
User.find
は、ユーザーが存在しないときにActiveRecord::RecordNotFound
を発生させます。これは非常に強力な機能です。次のコードを見てください
def show
user = User.find_by_email(params[:email]) or raise("not found")
# ...
end
チェックをRailsに委任することで簡単にできます。単純にbangバージョンを使ってください。
def show
user = User.find_by_email!(params[:email])
# ...
end
Steven Sorokaが投稿した新しく選択された答えは近いですが完全ではありません。テスト自体は、これが本当の404を返さないという事実を隠しています - それは200のステータスを返しています - "成功"。元の答えはより近いものでしたが、失敗が発生しなかったかのようにレイアウトをレンダリングしようとしました。これですべてが修正されました。
render :text => 'Not Found', :status => '404'
RSpecとShouldaのマッチャーを使って、404を返すことを期待している私の典型的なテストセットは次のとおりです。
describe "user view" do
before do
get :show, :id => 'nonsense'
end
it { should_not assign_to :user }
it { should respond_with :not_found }
it { should respond_with_content_type :html }
it { should_not render_template :show }
it { should_not render_with_layout }
it { should_not set_the_flash }
end
この健全なパラノイアのおかげで、他のすべてが桃色に見えたときにコンテンツタイプの不一致を見つけることができました。割り当てられた変数、レスポンスコード、レスポンスコンテンツタイプ、テンプレートレンダリング、レイアウトレンダリング、フラッシュメッセージ。
厳密にはHTMLであるアプリケーションでは、コンテンツタイプのチェックをスキップします。結局、「懐疑論者はすべての引き出しをチェックする」:)
http://dilbert.com/strips/comic/1998-01-20/
FYI:私はコントローラで起こっていること、すなわち「should_raise」のためにテストすることを勧めません。気にしているのは出力です。上記の私のテストで私はさまざまな解決策を試すことができました、そしてその解決策が例外を発生させているかどうか、特別なレンダリングなど、テストは同じままです.
レンダーファイルを使うこともできます。
render file: "#{Rails.root}/public/404.html", layout: false, status: 404
レイアウトを使用するかどうかを選択できます。
もう1つの選択肢は、例外を使用してそれを制御することです。
raise ActiveRecord::RecordNotFound, "Record not found."
エラーハンドラがミドルウェアに移動されたため、Rails 3.1以降では選択された回答は機能しません( github issue を参照)。
これが私が見つけた解決策で、とても満足しています。
ApplicationController
内:
unless Rails.application.config.consider_all_requests_local
rescue_from Exception, with: :handle_exception
end
def not_found
raise ActionController::RoutingError.new('Not Found')
end
def handle_exception(exception=nil)
if exception
logger = Logger.new(STDOUT)
logger.debug "Exception Message: #{exception.message} \n"
logger.debug "Exception Class: #{exception.class} \n"
logger.debug "Exception Backtrace: \n"
logger.debug exception.backtrace.join("\n")
if [ActionController::RoutingError, ActionController::UnknownController, ActionController::UnknownAction].include?(exception.class)
return render_404
else
return render_500
end
end
end
def render_404
respond_to do |format|
format.html { render template: 'errors/not_found', layout: 'layouts/application', status: 404 }
format.all { render nothing: true, status: 404 }
end
end
def render_500
respond_to do |format|
format.html { render template: 'errors/internal_server_error', layout: 'layouts/application', status: 500 }
format.all { render nothing: true, status: 500}
end
end
そしてapplication.rb
では:
config.after_initialize do |app|
app.routes.append{ match '*a', :to => 'application#not_found' } unless config.consider_all_requests_local
end
そして私のリソース(表示、編集、更新、削除):
@resource = Resource.find(params[:id]) or not_found
これは確かに改善されるかもしれませんが、少なくとも、私はコアのRails関数をオーバーライドすることなく、not_foundとinternal_errorについて異なる見方をしています。
これらはあなたを助けます...
アプリケーションコントローラ
class ApplicationController < ActionController::Base
protect_from_forgery
unless Rails.application.config.consider_all_requests_local
rescue_from ActionController::RoutingError, ActionController::UnknownController, ::AbstractController::ActionNotFound, ActiveRecord::RecordNotFound, with: lambda { |exception| render_error 404, exception }
end
private
def render_error(status, exception)
Rails.logger.error status.to_s + " " + exception.message.to_s
Rails.logger.error exception.backtrace.join("\n")
respond_to do |format|
format.html { render template: "errors/error_#{status}",status: status }
format.all { render nothing: true, status: status }
end
end
end
エラーコントローラ
class ErrorsController < ApplicationController
def error_404
@not_found_path = params[:not_found]
end
end
views/errors/error_404.html.haml
.site
.services-page
.error-template
%h1
Oops!
%h2
404 Not Found
.error-details
Sorry, an error has occured, Requested page not found!
You tried to access '#{@not_found_path}', which is not a valid page.
.error-actions
%a.button_simple_orange.btn.btn-primary.btn-lg{href: root_path}
%span.glyphicon.glyphicon-home
Take Me Home
管理者ではないログインユーザーのために「普通の」404を投げたいと思ったので、Rails 5では次のように書くことにしました。
class AdminController < ApplicationController
before_action :blackhole_admin
private
def blackhole_admin
return if current_user.admin?
raise ActionController::RoutingError, 'Not Found'
rescue ActionController::RoutingError
render file: "#{Rails.root}/public/404", layout: false, status: :not_found
end
end
<%= render file: 'public/404', status: 404, formats: [:html] %>
404エラーページにレンダリングしたいページにこれを追加するだけで完了です。
エラー処理をテストするには、次のようにします。
feature ErrorHandling do
before do
Rails.application.config.consider_all_requests_local = false
Rails.application.config.action_dispatch.show_exceptions = true
end
scenario 'renders not_found template' do
visit '/blah'
expect(page).to have_content "The page you were looking for doesn't exist."
end
end
異なる404をさまざまな方法で処理したい場合は、それらをコントローラーでキャッチすることを検討してください。これにより、さまざまなユーザーグループによって生成された404の数を追跡したり、ユーザーとやり取りしたり、ユーザーエクスペリエンスのどの部分を調整する必要があるのかを確認したり、A/Bテストを実行したりできます.
ここではベースロジックをApplicationControllerに配置しましたが、より具体的なコントローラーに配置して、1つのコントローラー専用の特別なロジックを配置することもできます。
私がENV ['RESCUE_404']でifを使っているのは、AR :: RecordNotFoundの発生を単独でテストできるからです。テストでは、このENV変数をfalseに設定すると、rescue_fromが起動しなくなります。このようにして、条件付き404ロジックとは別に調達をテストできます。
class ApplicationController < ActionController::Base
rescue_from ActiveRecord::RecordNotFound, with: :conditional_404_redirect if ENV['RESCUE_404']
private
def conditional_404_redirect
track_404(@current_user)
if @current_user.present?
redirect_to_user_home
else
redirect_to_front
end
end
end
routes.rb
get '*unmatched_route', to: 'main#not_found'
main_controller.rb
def not_found
render :file => "#{Rails.root}/public/404.html", :status => 404, :layout => false
end