我使用New Relic来监控我的Rails 4.2应用程序,它运行良好。
但是,我希望能够知道哪个用户在New Relic向我报告时遇到了错误。
我已阅读this,我相信这解释了如何在每个控制器的基础上添加自定义属性。
但是,在我的情况下,我想在{em>整个应用中将current_user.id
记录为自定义属性。
我的第一个想法是将以下内容放入applications_controller.rb
:
class ApplicationController < ActionController::Base
::NewRelic::Agent.add_custom_parameters(
:user_name => current_user.full_name rescue "Not a logged-in user.",
:user_id => current_user.id rescue "Not a logged-in user."
)
...但是这导致了服务器错误。
有什么建议吗?
更新/溶液
我上面做的事情有两个问题。首先,我不正确地使用rescue
。其次,我需要使用ApplicationController
创建一种方法,用于添加这些自定义属性和在before_filter
之前调用该方法。以下是最终为我工作的样本:
class ApplicationController < ActionController::Base
# attempt to gather user and organization attributes before all controller actions for New Relic error logging
before_filter :record_new_relic_custom_attributes
def record_new_relic_custom_attributes
# record some custom attributes for New Relic
new_relic_user_id = current_user.id rescue "Not a logged-in user."
new_relic_user_name = current_user.full_name rescue "Not a logged-in user."
new_relic_user_email = current_user.email rescue "Not a logged-in user."
new_relic_organization_id = current_organization.id rescue "Not a logged-in user."
new_relic_organization_name = current_organization.name rescue "Not a logged-in user."
new_relic_organization_email = current_organization.email rescue "Not a logged-in user."
::NewRelic::Agent.add_custom_parameters(
:user_id => new_relic_user_id,
:user_name => new_relic_user_name,
:user_email => new_relic_user_email,
:organization_id => new_relic_organization_id,
:organization_name => new_relic_organization_name,
:organization_email => new_relic_organization_email
)
end
更新2
根据以下评论者之一,在这种情况下使用rescue
并非理想,相反,我应该使用try
:
new_relic_user_id = current_user.try(:id) || "Not a logged-in user."
答案 0 :(得分:4)
您可能希望将该代码包含在过滤器中,以便在控制器操作之前运行,例如:
class ApplicationController < ActionController::Base
before_filter :set_new_relic_user
def set_new_relic_user
::NewRelic::Agent.add_custom_parameters(
:user_name => current_user.full_name rescue "Not a logged-in user.",
:user_id => current_user.id rescue "Not a logged-in user."
)
end
end