我想在Rails中“伪造”一个404页面。在PHP中,我只会发送一个带有错误代码的报头:
header("HTTP/1.0 404 Not Found");
Rails如何做到这一点?
我想在Rails中“伪造”一个404页面。在PHP中,我只会发送一个带有错误代码的报头:
header("HTTP/1.0 404 Not Found");
Rails如何做到这一点?
当前回答
你也可以使用渲染文件:
render file: "#{Rails.root}/public/404.html", layout: false, status: 404
你可以选择是否使用该布局。
另一种选择是使用Exceptions来控制它:
raise ActiveRecord::RecordNotFound, "Record not found."
其他回答
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
HTTP 404状态
要返回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
ActiveRecord和HTTP 404
还要记住,Rails挽救了一些ActiveRecord错误,例如ActiveRecord::RecordNotFound显示404错误页面。
这意味着您不需要自己拯救这个操作
def show
user = User.find(params[:id])
end
用户。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
你也可以使用渲染文件:
render file: "#{Rails.root}/public/404.html", layout: false, status: 404
你可以选择是否使用该布局。
另一种选择是使用Exceptions来控制它:
raise ActiveRecord::RecordNotFound, "Record not found."
Raising ActionController::RoutingError('not found')对我来说总是感觉有点奇怪——在未经过身份验证的用户的情况下,这个错误并不反映现实——路由被找到了,用户只是没有经过身份验证。
我偶然发现config。action_dispatch。我认为在某些情况下,这是一个更优雅的解决方案的问题:
# application.rb
config.action_dispatch.rescue_responses = {
'UnauthenticatedError' => :not_found
}
# my_controller.rb
before_action :verify_user_authentication
def verify_user_authentication
raise UnauthenticatedError if !user_authenticated?
end
这种方法的好处在于:
它像普通的ActionController::RoutingError一样挂钩到现有的错误处理中间件中,但是在开发环境中你会得到一个更有意义的错误消息 它将正确地将状态设置为您在rescue_responses散列中指定的任何状态(在本例中为404 - not_found) 您不必编写一个需要在任何地方都可用的not_found方法。
<%= render file: 'public/404', status: 404, formats: [:html] %>
只需将此添加到要呈现到404错误页面的页面,就完成了。