Ruby的Array类具有内置方法to_s,可以将数组转换为字符串。此方法也适用于多维数组。这个方法是如何实现的?
我想知道它,所以我可以重新实现一个方法 my_to_s(ary),它可以采用多维并将其转换为字符串。但不是像这样返回对象的字符串表示
[[[1,2,3, Person.new('Mary')]],[4,5,6,7], Person.new('Paul'),2,3,8].to_s
# [[[1, 2, 3, #<Person:0x283fec0 @name='Mary']], [4, 5, 6, 7], #<Person:0x283fe30 @name='Paul'>, 2, 3, 8]
my_to_s(ary)应该对这些对象调用to_s方法,以便它返回
my_to_s([[[1,2,3, Person.new('Mary')]],[4,5,6,7], Person.new('Paul'),2,3,8])
# [[[1, 2, 3, Student Mary]], [4, 5, 6, 7], Student Paul>, 2, 3, 8]
答案 0 :(得分:2)
对于嵌套元素,它只分别调用to_s
:
def my_to_s
case self
when Enumerable then '[' << map(&:my_to_s).join(', ') << ']'
else
to_s # or my own implementation
end
end
这是一个人为的例子,如果在my_to_s
上定义了BasicObject
方法,它几乎可以使用。
正如Stefan所建议的那样,人们可能会避免使用monkephathing:
def my_to_s(object)
case object
when Enumerable then '[' << object.map { |e| my_to_s(e) }.join(', ') << ']'
else
object.to_s # or my own implementation
end
end
更多OO方法:
class Object
def my_to_s; to_s; end
end
class Enumerable
def my_to_s
'[' << map(&:my_to_s).join(', ') << ']'
end
end
class Person
def my_to_s
"Student #{name}"
end
end