有没有办法创建一个“before”过滤器来捕获和预处理 Sinatra 中的所有 POST 请求?
执行此操作的一种方法是创建一个自定义条件以在过滤器中使用:
set(:method) do |method|
method = method.to_s.upcase
condition { request.request_method == method }
end
before :method => :post do
puts "pre-process POST"
end
您的解决方案完全有效。
我会这样做:
before do
next unless request.post?
puts "post it is!"
end
或者,您也可以使用一个包罗万象的发布路由,然后处理请求(需要是第一个发布路由):
post '*' do
puts "post it is!"
pass
end
+1 上面 matt 的答案...我最终扩展了它以包括对一种或多种方法的支持,如下所示:
set :method do |*methods|
methods = methods.map { |m| m.to_s.upcase }
condition { methods.include?(request.request_method) }
end
before method: [:post, :patch] do
# something
end
我想出了这个:
before do
if request.request_method == "POST"
puts "pre-process POST"
end
end
...但如果有人知道更好的方法,请分享。