Need to return JSON-formatted 404 error in Rails

前端 未结 4 1771
闹比i
闹比i 2020-12-12 11:52

I am having a normal HTML frontend and a JSON API in my Rails App. Now, if someone calls /api/not_existent_method.json it returns the default HTML 404 page. Is

4条回答
  •  半阙折子戏
    2020-12-12 12:28

    A friend pointed me towards a elegant solution that does not only handle 404 but also 500 errors. In fact, it handles every error. The key is, that every error generates an exception that propagates upwards through the stack of rack middlewares until it is handled by one of them. If you are interested in learning more, you can watch this excellent screencast. Rails has it own handlers for exceptions, but you can override them by the less documented exceptions_app config option. Now, you can write your own middleware or you can route the error back into rails, like this:

    # In your config/application.rb
    config.exceptions_app = self.routes
    

    Then you just have to match these routes in your config/routes.rb:

    get "/404" => "errors#not_found"
    get "/500" => "errors#exception"
    

    And then you just create a controller for handling this.

    class ErrorsController < ActionController::Base
      def not_found
        if env["REQUEST_PATH"] =~ /^\/api/
          render :json => {:error => "not-found"}.to_json, :status => 404
        else
          render :text => "404 Not found", :status => 404 # You can render your own template here
        end
      end
    
      def exception
        if env["REQUEST_PATH"] =~ /^\/api/
          render :json => {:error => "internal-server-error"}.to_json, :status => 500
        else
          render :text => "500 Internal Server Error", :status => 500 # You can render your own template here
        end
      end
    end
    

    One last thing to add: In the development environment, rails usally does not render the 404 or 500 pages but prints a backtrace instead. If you want to see your ErrorsController in action in development mode, then disable the backtrace stuff in your config/enviroments/development.rb file.

    config.consider_all_requests_local = false
    

提交回复
热议问题