在Ruby中,多态性是指不同对象可以对同一方法作出不同的响应。要实现多态性,你可以使用方法覆盖(method overriding)和模块(modules)。这里主要介绍方法覆盖。
方法覆盖是指子类定义一个与父类相同名称的方法,当子类对象调用该方法时,将执行子类中的实现,而不是父类中的实现。这样,不同类的对象可以通过相同的接口调用不同的实现。
以下是一个简单的示例:
class Animal
def speak
puts "The animal makes a sound"
end
end
class Dog < Animal
def speak
puts "The dog barks"
end
end
class Cat < Animal
def speak
puts "The cat meows"
end
end
animals = [Dog.new, Cat.new]
animals.each do |animal|
animal.speak
end
输出结果:
The dog barks
The cat meows
在这个例子中,Dog
和 Cat
类都覆盖了 Animal
类的 speak
方法。当我们遍历 animals
数组并调用每个元素的 speak
方法时,会根据对象的实际类型执行相应的方法实现。这就是多态性的体现。