我被两件事卡住了。这是我的文件结构。
class Person
#...
def self.class_name (object)
object.class.name
end
end
class Worker < Person
#...
end
class Client < Person
#...
end
c = Client.new("1", "2", "3", "4")
Person.class_name(c)
我想创建方法,作为参数我可以放一些对象,它会检测,它是什么类,并返回我所有实例方法的列表,不需要任何参数。以后我需要使用所有这些方法。
我发现了这个:
testObject.class.name
# returns name of class as a string
Class.instance_methods(false)
# returns list of instance method, which were defined in Class
第一个问题是,我不明白为什么我不能写像
这样的东西className = testObject.class.name
className.instance_methods(false)
我想,那是因为我只得到了类名,作为一个标记,而不是对类的真正引用。我甚至创建了简单的class_name方法,它返回正确的类名称,但我想知道我如何使用instance_methods(false)
,一旦我有这个名字。也有一些选项只选择方法,不需要任何参数?
我想创建一个方法,其中作为参数我可以放一些对象它会检测它是什么类然后返回所有类的列表实例方法
class Person
def self.instance_methods(object)
object.class.instance_methods(false)
end
end
用法:
c = Client.new("1", "2", "3", "4")
Person.instance_methods(c)
#=> returns an array of all instance methods defined in Client class
也有一些选项只选择方法,不需要任何争论吗?
是的,你必须检查method
的arity
,并选择那些有零的:
class Person
def self.instance_methods_with_arity_zero(object)
object.class.instance_methods(false).map do |method|
object.method(method).arity.zero?
end
end
end
用法:
c = Client.new("1", "2", "3", "4")
Person.instance_methods_with_arity_zero(c)
#=> returns an array of instance methods which take no arguments defined in Client class
后一个方法可以缩短为使用第一个定义的方法:
def self.instance_methods_with_arity_zero(object)
# we are using the previously defined instance_methods method
instance_methods(object).map { |method| object.method(method).arity.zero? }
end
您不必将其转换为字符串:
klass = testObject.class
methods = klass.instance_methods(false)
如果必须处理类名的字符串表示,则首先将其转换回类:
klass = "String".constantize
string_methods = klass.instance_methods(false)