1

我正在尝试为数字创建一个运算符。例如,将数字增加 10 的运算符。

这是我写的代码:

prefix operator +++{}

prefix operator +++<T>(inout operand: T) -> T{
    operand += 10
    return operand
}

+=我的接线员有错误。它需要数字操作数。所以我这样做了:

protocol Numeric {}

extension Int: Numeric {}
extension Float: Numeric {}
extension Double: Numeric {}

prefix operator +++ {}

prefix operator +++<T: Numeric>(inout operand: T) -> T {
    operand += 10
    return operand
}

但它编译失败。有人有什么想法吗?

4

2 回答 2

5

这是一种更清洁、更好的方法,适用于从Int8到的所有内容,CGFloat并且仅使用标准库类型,因此您无需手动符合您自己的协议:

prefix operator +++ {}    
prefix func +++<T where T: FloatingPointType, T.Stride: FloatingPointType>(inout operand: T) -> T {
    operand = operand.advancedBy(T.Stride(10))
    return operand
}

prefix func +++<T where T: IntegerArithmeticType, T: IntegerLiteralConvertible, T.IntegerLiteralType: IntegerLiteralConvertible>(inout operand: T) -> T {
    operand = operand + T(integerLiteral: 10)
    return operand
}

正如@Airspeed Velocity 指出的那样,您也可以这样做:

prefix operator +++ {}
prefix func +++<T: Strideable>(inout operand: T) -> T {
    operand = operand.advancedBy(10)
    return operand
}
于 2015-07-04T08:20:13.410 回答
1

问题是您的Numeric协议不能保证+=操作员会在场。

考虑一下:

// Numeric imposes no requirements, so this will compile
extension Range: Numeric { }
// but Range has no += operator, so +++ could not work

相反,您必须添加+=以下要求Numeric

protocol Numeric: IntegerLiteralConvertible {
    func +=(inout lhs: Self,rhs: Self)
}

请注意,您还需要Numeric遵守,IntegerLiteralConvertible以便您可以创建一个10适当的类型来添加到它。

现在,它编译并运行良好,因为Numeric保证它使用的所有功能都可用:

prefix operator +++{}

prefix func +++<T: Numeric>(inout operand: T) -> T {
    operand += 10
    return operand
}

var i = 10
+++i  // i is now 20

也就是说,已经有一个协议可以满足您的需求:Strideable所有标准数字类型都符合该协议。

protocol Strideable {
// (actually _Strideable but don’t worry about that)

    /// A type that can represent the distance between two values of `Self`.
    typealias Stride : SignedNumberType
    // note, SignedNumberType conforms to IntegerLiteralConvertible

    /// Returns a `Self` `x` such that `self.distanceTo(x)` approximates
    /// `n`.
    ///
    /// - Complexity: O(1).
    ///
    /// - SeeAlso: `RandomAccessIndexType`'s `advancedBy`, which
    ///   provides a stronger semantic guarantee.
    func advancedBy(n: Self.Stride) -> Self
}

+=使用它的实现:

func +=<T : Strideable>(inout lhs: T, rhs: T.Stride)

这意味着您可以+++像这样实现:

prefix func +++<T: Strideable>(inout operand: T) -> T { 
    operand = operand.advancedBy(10)
    return operand 
}
于 2015-07-04T12:54:46.713 回答