我们最近遇到了一个问题,在一系列提交之后,一个后端进程无法运行。现在,我们都很乖,每次签入后都会运行rake测试,但是,由于Rails库加载中的一些奇怪之处,它只在我们直接从Mongrel在生产模式下运行时才会发生。

我追踪了这个bug,它是由于一个新的Rails gem覆盖了String类中的一个方法,这种方法破坏了运行时Rails代码中的一个狭窄使用。

总之,长话短说,有没有一种方法,在运行时,问Ruby在哪里定义了一个方法?类似于whereami(:foo),返回/path/to/some/file。Rb线45号?在这种情况下,告诉我它是在类String中定义的是没有帮助的,因为它被一些库重载了。

我不能保证源生活在我的项目,所以grepping 'def foo'不一定给我我需要的,更不用说,如果我有很多def foo's,有时我不知道,直到运行时,我可能会使用哪一个。


当前回答

这可能会有帮助,但您必须自己编写代码。贴自博客:

Ruby提供了method_added() 调用的回调函数 方法中添加或重新定义 类。它是Module类的一部分, 每个类都是一个模块。有 也调用了两个相关的回调 method_removed()和 method_undefined()。

http://scie.nti.st/2008/9/17/making-methods-immutable-in-ruby

其他回答

你总是可以通过使用caller()得到你所在位置的回溯。

实际上,您可以比上面的解决方案更进一步。对于Ruby 1.8企业版,Method实例中有__file__和__line__方法:

require 'rubygems'
require 'activesupport'

m = 2.days.method(:ago)
# => #<Method: Fixnum(ActiveSupport::CoreExtensions::Numeric::Time)#ago>

m.__file__
# => "/Users/james/.rvm/gems/ree-1.8.7-2010.01/gems/activesupport-2.3.8/lib/active_support/core_ext/numeric/time.rb"
m.__line__
# => 64

对于Ruby 1.9和更高版本,有source_location(谢谢Jonathan!):

require 'active_support/all'
m = 2.days.method(:ago)
# => #<Method: Fixnum(Numeric)#ago>    # comes from the Numeric module

m.source_location   # show file and line
# => ["/var/lib/gems/1.9.1/gems/activesupport-3.0.6/.../numeric/time.rb", 63]

这可能会有帮助,但您必须自己编写代码。贴自博客:

Ruby提供了method_added() 调用的回调函数 方法中添加或重新定义 类。它是Module类的一部分, 每个类都是一个模块。有 也调用了两个相关的回调 method_removed()和 method_undefined()。

http://scie.nti.st/2008/9/17/making-methods-immutable-in-ruby

从一个更新的类似问题中复制我的答案,为这个问题添加了新的信息。

Ruby 1.9有一个叫做source_location的方法:

返回Ruby源代码文件名和包含该方法的行号,如果该方法没有在Ruby中定义(即本机),则返回nil。

这已经被这个gem反向移植到1.8.7:

ruby18_source_location

所以你可以请求这个方法:

m = Foo::Bar.method(:create)

然后请求该方法的source_location:

m.source_location

这将返回一个包含文件名和行号的数组。 例如ActiveRecord::Base#验证这个返回:

ActiveRecord::Base.method(:validates).source_location
# => ["/Users/laas/.rvm/gems/ruby-1.9.2-p0@arveaurik/gems/activemodel-3.2.2/lib/active_model/validations/validates.rb", 81]

对于类和模块,Ruby不提供内置支持,但有一个优秀的Gist,它构建在source_location上,为给定的方法返回文件,如果没有指定方法,则为类返回第一个文件:

Ruby where_is模块

在行动:

where_is(ActiveRecord::Base, :validates)

# => ["/Users/laas/.rvm/gems/ruby-1.9.2-p0@arveaurik/gems/activemodel-3.2.2/lib/active_model/validations/validates.rb", 81]

在安装了TextMate的mac上,这也会在指定位置弹出编辑器。

也许#source_location可以帮助查找方法的来源。

ex:

ModelName.method(:has_one).source_location

返回

[project_path/vendor/ruby/version_number/gems/activerecord-number/lib/active_record/associations.rb", line_number_of_where_method_is]

OR

ModelName.new.method(:valid?).source_location

返回

[project_path/vendor/ruby/version_number/gems/activerecord-number/lib/active_record/validations.rb", line_number_of_where_method_is]