如何在中间件中设置current_user?

时间:2013-12-10 11:02:50

标签: ruby-on-rails devise sentry

要提供更多我的问题背景,请参阅此Github问题 - https://github.com/getsentry/raven-ruby/issues/144

我正在使用raven这是一个错误记录器。如果用户已登录,我想添加current_user的ID。我收到的答案是

  

这应该通过您的中间件或类似的地方来完成。

其中表示在Raven中设置current_user。

我已经阅读了有关中间件的内容,但仍然无法弄清楚如何将current_user合二为一。

2 个答案:

答案 0 :(得分:15)

对于Rails应用程序,我在before_action ApplicationController# application_controller.rb class ApplicationController < ActionController::Base before_action :set_raven_context def set_raven_context # I use subdomains in my app, but you could leave this next line out if it's not relevant context = { account: request.subdomain } context.merge!({ user_id: current_user.id, email: current_user.email }) unless current_user.blank? Raven.user_context(context) end end 设置Raven(Sentry)上下文取得了成功:

{{1}}

这是有效的,因为raven Rack中间件会在每次请求后清除上下文。 See here.但是,它可能不是最有效的,因为即使在大多数不会导致异常的情况下也要设置上下文。但无论如何,它并不是那么昂贵的操作,并且它会让你相当不需要注意新的Rack中间件或任何东西。

答案 1 :(得分:1)

我对Raven没有太多了解,但下面是一种方式,我们在整个应用程序中使用它来访问请求中的当前用户。

我们创建了一个类,它充当缓存,并插入/检索当前线程的数据

class CustomCache
    def self.namespace
      "my_application"
    end

    def self.get(res)
      Thread.current[self.namespace] ||= {}
        val = Thread.current[self.namespace][res] 
        if val.nil? and block_given?
            val = yield
            self.set(res, val) unless val.nil?
        end
        return val
    end

    def self.set(key, value)
        Thread.current[self.namespace][key] = value
    end

    def self.reset
      Thread.current[self.namespace] = {}
    end
  end

然后,当收到请求时,会检查当前会话,然后将用户的模型插入缓存中,如下所示

def current_user
  if defined?(@current_user)
    return @current_user
  end
  @current_user = current_user_session && current_user_session.record
  CustomCache.set(:current_user, @current_user)
  return @current_user
end

现在,您可以使用下面的代码

从应用程序的任何位置检索当前用户
CustomCache.get(:current_user)

我们还确保在提供请求之前和之后重置缓存,所以我们这样做,

CustomCache.reset

希望这有帮助。