3

我正在尝试调试一些不起作用的测试,但我遇到了一些问题。我在运行测试并将关键消息输出到日志时跟踪 test.log 但由于所有交织的回调和钩子我不确定哪个模型中的哪个方法正在调用哪个 SQL :)

我写了一些东西来记录方法名称:

def log_mname
  caller[0]=~/`(.*?)'/  # note the first quote is a backtick
  Rails.logger.debug '=' * 80
  Rails.logger.debug ">> #{Time.now} - #{$1}"
  Rails.logger.debug '=' * 80
end

效果很好,但是需要我添加log_mname到模型中的每个方法中,这是不现实的。我想要的是在我的 rails 应用程序中添加一个简单的行或块,让我基本上说“记录所有方法,因为它们被调用到调试日志中。”

我尝试set_trace_func在模型顶部使用 ruby​​,但它不起作用。我也希望不必为每个模型添加一些东西,而是向 test/debug.rb 环境文件或类似文件中添加一些东西。

有什么想法吗?

4

1 回答 1

1

您所询问的概念称为反射;如果您有兴趣阅读更多有关它的信息。

要回答您的问题,__method__在您想知道它的名称的方法内返回方法名称作为符号

IE

$ irb
irb(main):001:0> def qwerty
irb(main):002:1> __method__
irb(main):003:1> end
=> nil
irb(main):004:0> qwerty
=> :qwerty
irb(main):005:0> 

这适用于 Ruby 1.8.7

编辑

上面是打印方法名。

为了动态显示方法调用,我将使用 ActiveSupport 的#constantize 与set_trace_func显示调用跟踪混合。

# in your test environment initializer file
require 'active_support/inflector/inflections'
MODELS_TO_WATCH = Dir.entries("#{Rails.root}/app/models/").
                      gsub(".rb", ""). # strip all extensions from filenames
                      capitalize!. # no reason for the bang, just saving space
                    # constantize # make "User" string into User model, for e.g.
# if you constantize, remove `to_s` from `classname` in the proc below
# the version that worked for me was without constantizing but I figure both 
# variations yield the same result

class_eval do |c| # Replace this with a "class DummyClass" for proper sandboxing
  set_trace_func proc { |event, id, classname|
    if event == "call" && MODELS_TO_WATCH.include?(classname.to_s)
      puts "called #{classname}'s #{id}"
    end
  }
end

笔记! set_trace_func是一个水蛭函数。它会锁定到您的 Ruby 进程,直到该进程被杀死(IRB 的许多死亡都可以证明这一点)。我还没有找到撤消的方法set_trace_func。如果没有引入条件,它的打印效果会很糟糕;这可能看起来像错误,但事实并非如此。

这就是我建议将其放入您的测试初始化​​程序的原因;最有可能在一个虚拟班级!这样,当您在开发、生产或您设置的任何其他环境中重新启动 Rails 应用程序时,这种 hack 不会影响它。

必须在类上下文中进行评估。我发现它是否在实例上下文中进行评估,因此instance_eval,它会打印除被调用函数之外的 Ruby 程序执行过程中发生的每个事件。

于 2012-10-15T18:45:23.763 回答