kemal/src/kemal/route_handler.cr

62 lines
1.8 KiB
Crystal
Raw Normal View History

2016-01-24 18:50:54 +00:00
require "radix"
2014-06-11 23:41:02 +00:00
2016-07-17 11:43:13 +00:00
module Kemal
# Kemal::RouteHandler is the main handler which handles all the HTTP requests. Routing, parsing, rendering e.g
# are done in this handler.
2016-12-24 11:22:44 +00:00
class RouteHandler
include HTTP::Handler
2016-07-17 11:43:13 +00:00
INSTANCE = new
2016-07-17 11:43:13 +00:00
property tree
2016-07-17 11:43:13 +00:00
def initialize
@tree = Radix::Tree(Route).new
end
2014-06-11 23:41:02 +00:00
2016-07-17 11:43:13 +00:00
def call(context)
process_request(context)
end
2014-06-11 23:41:02 +00:00
2016-07-17 11:43:13 +00:00
# Adds a given route to routing tree. As an exception each `GET` route additionaly defines
# a corresponding `HEAD` route.
def add_route(method, path, &handler : HTTP::Server::Context -> _)
add_to_radix_tree method, path, Route.new(method, path, &handler)
2017-05-08 14:33:19 +00:00
add_to_radix_tree("HEAD", path, Route.new("HEAD", path) { |ctx| "" }) if method == "GET"
2016-07-17 11:43:13 +00:00
end
2014-06-11 23:41:02 +00:00
2016-07-17 11:43:13 +00:00
# Check if a route is defined and returns the lookup
def lookup_route(verb, path)
@tree.find radix_path(verb, path)
end
2016-07-17 11:43:13 +00:00
# Processes the route if it's a match. Otherwise renders 404.
2017-02-13 20:39:40 +00:00
private def process_request(context)
2016-07-17 11:43:13 +00:00
raise Kemal::Exceptions::RouteNotFound.new(context) unless context.route_defined?
route = context.route_lookup.payload.as(Route)
content = route.handler.call(context)
2017-02-11 13:33:42 +00:00
ensure
remove_tmpfiles(context)
2016-07-17 11:43:13 +00:00
if Kemal.config.error_handlers.has_key?(context.response.status_code)
raise Kemal::Exceptions::CustomException.new(context)
end
context.response.print(content)
context
2016-05-05 19:35:36 +00:00
end
2017-02-11 13:33:42 +00:00
private def remove_tmpfiles(context)
context.params.files.each do |field, file|
File.delete(file.tmpfile.path) if ::File.exists?(file.tmpfile.path)
2017-02-11 13:33:42 +00:00
end
end
2016-07-17 11:43:13 +00:00
private def radix_path(method : String, path)
"/#{method.downcase}#{path}"
end
2016-07-17 11:43:13 +00:00
private def add_to_radix_tree(method, path, route)
node = radix_path method, path
@tree.add node, route
end
end
2014-06-11 23:41:02 +00:00
end