kemal/src/kemal/param_parser.cr

73 lines
1.9 KiB
Crystal
Raw Normal View History

2015-11-06 18:24:38 +00:00
require "json"
# ParamParser parses the request contents including query_params and body
# and converts them into a params hash which you can within the environment
# context.
2015-11-06 18:24:38 +00:00
alias AllParamTypes = Nil | String | Int64 | Float64 | Bool | Hash(String, JSON::Type) | Array(JSON::Type)
class Kemal::ParamParser
URL_ENCODED_FORM = "application/x-www-form-urlencoded"
APPLICATION_JSON = "application/json"
def initialize(@request)
@url = {} of String => String
@query = {} of String => String
@body = {} of String => String
@json = {} of String => AllParamTypes
2015-10-28 18:30:27 +00:00
end
{% for method in %w(url query body json) %}
def {{method.id}}
parse_{{method.id}}
@{{method.id}}
2015-10-28 18:30:27 +00:00
end
{% end %}
2015-10-28 18:30:27 +00:00
def parse_body
return if (@request.headers["Content-Type"]? =~ /#{URL_ENCODED_FORM}/).nil?
@body = parse_part(@request.body)
end
def parse_query
@query = parse_part(@request.query)
end
def parse_url
2016-02-03 20:08:54 +00:00
if params = @request.url_params
params.each do |key, value|
@url[key as String] = value as String
2016-01-12 22:06:19 +00:00
end
end
2016-01-12 19:37:12 +00:00
end
2015-12-31 12:03:11 +00:00
# Parses JSON request body if Content-Type is `application/json`.
# If request body is a JSON Hash then all the params are parsed and added into `params`.
# If request body is a JSON Array it's added into `params` as `_json` and can be accessed
# like params["_json"]
2015-11-06 18:24:38 +00:00
def parse_json
return unless @request.body && @request.headers["Content-Type"]? == APPLICATION_JSON
2015-11-10 11:30:16 +00:00
2015-11-06 18:24:38 +00:00
body = @request.body as String
case json = JSON.parse(body).raw
2015-11-10 11:30:16 +00:00
when Hash
json.each do |key, value|
@json[key as String] = value as AllParamTypes
2015-11-10 11:30:16 +00:00
end
when Array
@json["_json"] = json
2015-11-06 18:24:38 +00:00
end
end
def parse_part(part)
part_params = {} of String => String
if part
HTTP::Params.parse(part) do |key, value|
part_params[key as String] ||= value as String
end
end
part_params
end
2015-10-28 18:30:27 +00:00
end