代码之家  ›  专栏  ›  技术社区  ›  Travis Griggs

替换OOP类型继承模式的swift结构习语?

  •  2
  • Travis Griggs  · 技术社区  · 6 年前

    假设我有一个程序可以处理矩形(这是我实际问题的简化示例),我将其建模为

    struct Rectangle {
        let left:Int
        let right:Int
        let top:Int
        let bottom:Int
    
        func rationalized() -> Rectangle {
            return Rectangle(left: min(self.left, self, right), right: max(self.left, self.right), top: min(self.top, self.bottom)
        }
    }
    

    一个合理化的矩形,基本上是一个正宽度和正高度的矩形。对于许多操作(如缩放、平移、联合、相交等),最好确保矩形合理化。事实上,我们可以将合理化逻辑 init(...) 所以你不能创造一个非理性的。但有些情况下,您希望支持非理性的构造,至少是暂时的,可能在拖放过程中进行编辑,例如。

          func replacing(left newValue:Int) -> Rectangle {
              return Rectangle(left: newValue, right: self.right, top: self.top, bottom: self.bottom)
          }
    

    如果想这样做,那么在in it()中放入合理化逻辑会适得其反。

    但另一种方法是,将我的代码丢到几乎所有的地方(除了拖放站点)。 rationalized() 电话。我正在尝试确定是否可以用某种方式对结构和类型执行此操作。

    如果我使用类,我可以有一个矩形超类和一个有理化矩形子类,其中有理化矩形重写init来完成工作。然后我通常可以使用有理化矩形(甚至在适当的时候将其指定为类型),但允许使用矩形编辑它们,并在结尾处转换为有理化矩形。

    但是swift结构不支持继承。所以我对如何用成语来完成这件事感到茫然。我可以在结构中添加一个isrationalizing:boolean,并在此基础上进行分支,但这看起来很幼稚。

    这里有没有一个基于结构的习语?

    1 回复  |  直到 6 年前
        1
  •  3
  •   jlowe    6 年前

    protocol RectangleProtocol {
        var left:Int {get}
        var right:Int {get}
        var top:Int {get}
        var bottom:Int {get}
    }
    
    struct Rectangle: RectangleProtocol {
        let left: Int
        let right: Int
        let top: Int
        let bottom: Int
    
        init(leftValue:Int, rightValue:Int, topValue:Int, bottomValue:Int) {
            self.left = leftValue
            self.right = rightValue
            self.top = topValue
            self.bottom = bottomValue
        }
    }
    
    struct RationalRectangle: RectangleProtocol {
        let left: Int
        let right: Int
        let top: Int
        let bottom: Int
    
        init(leftValue:Int, rightValue:Int, topValue:Int, bottomValue:Int) {
            self.left = min(leftValue, rightValue)
            self.right = max(leftValue, rightValue)
            self.top = min(topValue, bottomValue)
            self.bottom = max(topValue, bottomValue)
        }
    }
    
    let rectangle: RectangleProtocol = Rectangle(leftValue: 4, rightValue 4, topValue: 8, bottomValue: 8)
    let rationalRectangle: RectangleProtocol = RationalRectangle(leftValue: 4, rightValue:8, topValue: 7, bottomValue: 4)
    
    // Now both of these represent a struct that conforms to the RectangleProtocol.
    
    推荐文章