Ruby中具有相同名称和不同参数的方法

时间:2009-07-10 09:28:42

标签: ruby overloading

我有这段代码:

def setVelocity (x, y, yaw)
  setVelocity (Command2d.new(x,y,yaw))
end
def setVelocity (vel)
......
end 

vel是一个Command2D类,有3个属性,可比较和定义+,基本上是一个方便的类来管理这3个属性,所以我想在我的库内部使用它(不想让它们变成私有的,要么给他们奇怪的名字)。 但是,即使参数的数量不同,Ruby似乎也只保留最后一个setVelocity。所以当我用3个参数调用setVelocity时会说我只需要用一个参数调用该方法。

3 个答案:

答案 0 :(得分:33)

Ruby并不真正支持重载。

This page提供了更多详细信息和解决方法。基本上,您使用可变数量的参数创建单个方法,并适当地处理它们。

(我个人建议编写一种方法来识别两种不同的“伪造重载”,然后为每种重载编写一种方法,不同的名称反映不同的参数。)

或者,只需提供不同的名称即可:)

答案 1 :(得分:2)

仅供比较,以下是我将如何解决它:

#!/usr/bin/env ruby

class Command2D
  def initialize(x, y, yaw)
    @command = [x, y, yaw]
  end
end

class Vehicle
  def velocity=(command_or_array)
    case command_or_array
    when Command2D
      self.velocity_from_command = command_or_array
    when Array
      self.velocity_from_array = command_or_array
    else
      raise TypeError, 'Velocity can only be a Command2D or an Array of [x, y, yaw]'
    end
  end

  private

  def velocity_from_command=(command)
    @velocity = command
  end

  def velocity_from_array=(ary)
    raise TypeError, 'Velocity must be an Array of [x, y, yaw]' unless ary.length == 3
    @velocity = Command2D.new(*ary)
  end
end

v1 = Vehicle.new
v1.velocity = Command2D.new(1, 2, 3)

v2 = Vehicle.new
v2.velocity = [1, 2, 3]

p v1
p v2

答案 2 :(得分:0)

使用 attr_accessor 添加属性,您将自动获得getter和setter。 或者,使用 attr_reader attr_writer 获取只读或只写属性。

class Foo
  attr_accessor :velocity
end

您现在可以设置并获取此属性的值,如下所示:

foo = Foo.new
foo.velocity = 100
puts foo.velocity  # => 100

如果要添加基于某些参数设置属性的方法,请使用反映预期输入类型的名称:

def velocity_from_yaw(x, y, yaw)
  velocity = Command2d.new(x, y, yaw)
end

在这种情况下你可能会找到一个更好的名字,但我不知道你的 x y yaw 到底是什么在你的背景下意味着。