Ruby的面向对象编程的基础教程

2019-09-25 09:45:47王冬梅

当上面的代码执行时,它会产生以下结果:

Big box area is : 200

方法重载

虽然您可以在派生类中添加新的功能,但有时您可能想要改变已经在父类中定义的方法的行为。这时您可以保持方法名称不变,重载方法的功能即可,如下面实例所示:

#!/usr/bin/ruby -w
 
# 定义类
class Box
  # 构造器方法
  def initialize(w,h)
   @width, @height = w, h
  end
  # 实例方法
  def getArea
   @width * @height
  end
end
 
# 定义子类
class BigBox < Box
 
  # 改变已有的 getArea 方法
  def getArea
   @area = @width * @height
   puts "Big box area is : #@area"
  end
end
 
# 创建对象
box = BigBox.new(10, 20)
 
# 使用重载的方法输出面积
box.getArea()

运算符重载

我们希望使用 + 运算符执行两个 Box 对象的向量加法,使用 * 运算符来把 Box 的 width 和 height 相乘,使用一元运算符 - 对 Box 的 width 和 height 求反。下面是一个带有数学运算符定义的 Box 类版本:

class Box
 def initialize(w,h) # 初始化 width 和 height
  @width,@height = w, h
 end
 
 def +(other)     # 定义 + 来执行向量加法
  Box.new(@width + other.width, @height + other.height)
 end
 
 def -@        # 定义一元运算符 - 来对 width 和 height 求反
  Box.new(-@width, -@height)
 end
 
 def *(scalar)    # 执行标量乘法
  Box.new(@width*scalar, @height*scalar)
 end
end

冻结对象

有时候,我们想要防止对象被改变。在 Object 中,freeze 方法可实现这点,它能有效地把一个对象变成一个常量。任何对象都可以通过调用 Object.freeze 进行冻结。冻结对象不能被修改,也就是说,您不能改变它的实例变量。

您可以使用 Object.frozen? 方法检查一个给定的对象是否已经被冻结。如果对象已被冻结,该方法将返回 true,否则返回一个 false 值。下面的实例解释了这个概念:

#!/usr/bin/ruby -w
 
# 定义类
class Box
  # 构造器方法
  def initialize(w,h)
   @width, @height = w, h
  end
 
  # 访问器方法
  def getWidth
   @width
  end
  def getHeight
   @height
  end
 
  # 设置器方法
  def setWidth=(value)
   @width = value
  end
  def setHeight=(value)
   @height = value
  end
end
 
# 创建对象
box = Box.new(10, 20)
 
# 让我们冻结该对象
box.freeze
if( box.frozen? )
  puts "Box object is frozen object"
else
  puts "Box object is normal object"
end
 
# 现在尝试使用设置器方法
box.setWidth = 30
box.setHeight = 50
 
# 使用访问器方法
x = box.getWidth()
y = box.getHeight()
 
puts "Width of the box is : #{x}"
puts "Height of the box is : #{y}"

当上面的代码执行时,它会产生以下结果:

Box object is frozen object
test.rb:20:in `setWidth=': can't modify frozen object (TypeError)
    from test.rb:39