我开发了技术绘图解决方案的课程。我必须使用几何图元。例如:
# all specifications are left, bottom and width, height
class Circle
# +--- this is for my later question
# v
def initialize(x,y,w,h=w) # left, bottom and w=x+2*radius
...
end
end
# the Ellipse needs 4 specifications (no rotation here)
class Ellipse
def initialize(x,y,w,h) # left, bottom and w=2*a, h=2*b
...
end
end
如果有人会使用
之类的东西primitive=Cricle.new(10,10,20,30) # note different width and height
是否有可能返回Ellipse
(有点像:'在你接受的内容中是开明的......' Jon Postel的稳健性原则)?
我认为只有include Ellipse
应该可以做到这一点,因为Circle和Ellibse或多或少相等,我没有尝试过,但会改变class.name
,会发生什么(在Ruby中) ,如果我这样做?
答案 0 :(得分:3)
是的,您可以(在Circle
课程中添加以下内容):
def self.new(x, y, w, h)
return Ellipse.new(x, y, w, h) if w != h
super
end
重点是,是的,就像你说的那样,这是非常糟糕的做法。在这种情况下,你可以更好地组织事情,你通常永远不应该写这样的黑客。这是一个例子:
class Ellipse
def initialize(x, y, w, h = w)
# (x, y) is the origin point
# w = width, h = height
# ...
end
end
class Circle < Ellipse
def initialize(x, y, d)
# (x, y) is the origin point
# d = diameter
# ...
super x, y, d, d
end
end
实际上,Circle是Ellipse的一个特例。通过执行上述操作,您可以通过在Ellipse
方法中专门设置Circle#initialize
的构造函数来明确说明。
答案 1 :(得分:1)
def Circle.new(x,y,w,h)
if w != h
Ellipse.new x,y,w,h
else
super
end
end