...不包括通用对象的所有公共方法?我的意思是,除了做数组减法。我只是想快速查看对象中可用的内容,有时无需查看文档。
问问题
2130 次
4 回答
10
methods
, instance_methods
, public_methods
,private_methods
和protected_methods
都接受一个布尔参数来确定是否包含对象父级的方法。
例如:
ruby-1.9.2-p0 > class MyClass < Object; def my_method; return true; end; end;
ruby-1.9.2-p0 > MyClass.new.public_methods
=> [:my_method, :nil?, :===, :=~, :!~, :eql?, :hash, :<=>, :class, :singleton_class, :clone, :dup, :initialize_dup, :initialize_clone, :taint, :tainted?, :untaint, :untrust, :untrusted?, :trust, :freeze, :frozen?, :to_s, :inspect, :methods, :singleton_methods, :protected_methods, :private_methods, :public_methods, :instance_variables, :instance_variable_get, :instance_variable_set, :instance_variable_defined?, :instance_of?, :kind_of?, :is_a?, :tap, :send, :public_send, :respond_to?, :respond_to_missing?, :extend, :display, :method, :public_method, :define_singleton_method, :__id__, :object_id, :to_enum, :enum_for, :==, :equal?, :!, :!=, :instance_eval, :instance_exec, :__send__]
ruby-1.9.2-p0 > MyClass.new.public_methods(false)
=> [:my_method]
正如@Marnen 所指出的,动态定义的方法(例如 with method_missing
)不会出现在这里。对于这些,您唯一的赌注是希望您使用的库有据可查。
于 2011-11-15T15:08:13.630 回答
1
这是你要找的结果吗?
class Foo
def bar
p "bar"
end
end
p Foo.public_instance_methods(false) # => [:bar]
ps 我希望这不是您想要的结果:
p Foo.public_methods(false) # => [:allocate, :new, :superclass]
于 2011-11-15T15:42:28.513 回答
0
我开始尝试在https://github.com/bf4/Notes/blob/master/code/ruby_inspection.rb中的某一时刻记录所有这些检查方法
如其他答案所述:
class Foo; def bar; end; def self.baz; end; end
首先,我喜欢对方法进行排序
Foo.public_methods.sort # all public instance methods
Foo.public_methods(false).sort # public class methods defined in the class
Foo.new.public_methods.sort # all public instance methods
Foo.new.public_methods(false).sort # public instance methods defined in the class
有用的提示 Grep 找出你的选择是什么
Foo.public_methods.sort.grep /methods/ # all public class methods matching /method/
# ["instance_methods", "methods", "private_instance_methods", "private_methods", "protected_instance_methods", "protected_methods", "public_instance_methods", "public_methods", "singleton_methods"]
Foo.new.public_methods.sort.grep /methods/
# ["methods", "private_methods", "protected_methods", "public_methods", "singleton_methods"]
另请参阅https://stackoverflow.com/questions/123494/whats-your-favourite-irb-trick
于 2011-11-16T18:14:51.923 回答
-1
如果有,它也不会非常有用:通常,公共方法不是您唯一的选择,因为 Ruby 能够通过动态元编程来伪造方法。所以你不能真的依赖instance_methods
告诉你很多有用的东西。
于 2011-11-15T15:00:33.130 回答