18

我有一个包含用户和事件的应用程序。每个用户都有几个事件。当用户想要查看特定事件时,他将执行此操作:

def show
  begin
    @userEvents = current_user.event
    @event = @userEvents.find(params[:id])
  rescue ActiveRecord::RecordNotFound  
    redirect_to :controller => "main", :action => "index"
  end

  respond_to do |format|
    format.html # show.html.erb
    format.json { render json: @event }
  end
end

如果没有为用户找到该事件,则意味着他使用 URL 进行游戏,而他试图获取的事件不属于他。我想要么将他重定向到主页,要么只显示页面并显示未找到事件的错误。如果我尝试运行上面的代码,则会触发此错误:

AbstractController::DoubleRenderError in EventsController#show 

解决此问题的最佳方法是什么?

4

3 回答 3

24

重定向后返回

begin
 @userEvents = current_user.event
 @event = @userEvents.find(params[:id])
rescue ActiveRecord::RecordNotFound  
 redirect_to :controller => "main", :action => "index"
 return
end
于 2012-10-01T21:46:36.537 回答
17

调用redirect_to不会从您的操作方法返回,这就是为什么移动到respond_to块会导致DoubleRenderError. 解决此问题的一种方法是:

redirect_to :controller => "main", :action => "index" and return

但是,更好的解决方案可能是要么以声明方式从这个异常中拯救,要么让它传播到客户端。前者看起来像这样:

class YourController < ActionController::Base

  rescue_from ActiveRecord::RecordNotFound, with: :dude_wheres_my_record

  def show
    # your original code without the begin and rescue
  end

  def dude_where_my_record
    # special handling here
  end
end

如果您只是让异常恶化,用户将public/404.html在生产模式下看到该页面。

于 2012-10-01T21:47:39.313 回答
5

在应用程序控制器中,请写:

    rescue_from (ActiveRecord::RecordNotFound) { |exception| handle_exception(exception, 404) }

   protected

    def handle_exception(ex, status)
        render_error(ex, status)
        logger.error ex   
    end

    def render_error(ex, status)
        @status_code = status
        respond_to do |format|
          format.html { render :template => "error", :status => status }
          format.all { render :nothing => true, :status => status }
       end
    end

创建页面error.html.erb

<div class="page-header">
  <h1>
    <%= t "errors.#{@status_code}.heading" %>
    <small><%= t "errors.#{@status_code}.subheading" %></small>
  </h1>
</div>
<p><%= t "errors.#{@status_code}.description" %></p>
<% if defined? root_path %>
  <%= link_to t(:return_to_home), root_path %>
<% end %>

在 en.yml 中

en:
  errors:
    "404":
      description: "The page you are looking for does not exist!"
      heading: "Record not found"
      subheading: ""
于 2015-02-19T08:26:53.680 回答