I dug into this, and found it can be simplified a bit when defining the exception.
- Define the exception:
lib/your_project_web/custom_500_error.ex
defmodule YourProjectWeb.Custom500Error do
defexception [:message, plug_status: 500]
end
- Handle the exception in the view layer:
lib/your_project_web/views/error_view.ex
defmodule YourProjectWeb.ErrorView do
def render("500.json", %{conn: conn}), do: %{error: conn.assigns.reason.message}
end
NOTE: I haven’t tried this in Phoenix v1.7 and up, but it works in v1.6 with the old style of views. Also note that the *.json
template means this is being piped through an :api
pipeline in the router. A plain HTML template (rendered through the :browser
pipeline in the router) would probably need to match on "500.html"
instead of "500.json"
.
- Raise the exception in your code:
lib/your_project_web/controllers/some_controller.ex
defmodule YourProjectWeb.SomeController do
use YourProjectWeb, :controller
def some_action(_conn, _params) do
raise YourProjectWeb.Custom500Error, "Hello world!"
end
end
Note that when calling exceptions, you can also pass arguments to it as a keyword list. For example, this would work:
raise YourProjectWeb.Custom500Error, message: "Hello world!"
Since we defined the plug_status
when we created the exception, you could also override this if you wanted to make a more generic exception handler:
raise YourProjectWeb.CustomResponseError, plug_status: 400, message: "Hello world!"
From what I understand, you would need to make sure you added a clause to error_view.ex
for each status code you added. (I found some workarounds when I was looking into this, but they seemed kinda hacky. Left as an exercise to the reader
)