如何测试另一个快速通用类型?

时间:2015-09-03 21:11:44

标签: swift generics

我有一些泛型类,但没有要测试的对象实例。我想要做的是根据运行时类型改变函数的行为。

class MyGenericUtility<SomeGenericClass> {

    func myFunction() {
        // so far I have tested "is", "==" and "==="
        if SomeGenericClass is SomeRealClass {
            println("some special stuff there")
        }
        println("some generic stuff as the name tells")
    }

}

3 个答案:

答案 0 :(得分:1)

你可以比较类类型,使用SomeGenericClass.self == SomeRealClass.self as,

class MyGenericUtility<SomeGenericClass> {
    func myFunction() {
        if SomeGenericClass.self == SomeRealClass.self {
            print("SomeRealClass stuffs")
        } else if SomeGenericClass.self == String.self {
            print("String stuffs")
        }
    } 
}


let someRealUtility = MyGenericUtility<SomeRealClass>()
someRealUtility.myFunction()

let stringUtility = MyGenericUtility<String>()
stringUtility.myFunction()

答案 1 :(得分:1)

在运行时进行测试时,通常应该在编译时使用受约束的扩展来处理它(这假设是Swift 2)。这样做可以避免在需要访问实例的特定于类型的部分时进行不安全的as!转换。

class MyGenericUtility<SomeGenericClass> {
}

// Special handling for `SomeRealClass`
extension MyGenericUtility where SomeGenericClass: SomeRealClass {
    func myFunction() {
        print("SomeRealClass stuffs")
    }
}

// Default handling for any unspecified class
extension MyGenericUtility {
    func myFunction() {
        print("Other stuffs")
    }
}

let someRealUtility = MyGenericUtility<SomeRealClass>()
someRealUtility.myFunction()

let stringUtility = MyGenericUtility<String>()
stringUtility.myFunction()

请注意,这是基于继承而不是相等,因此SomeRealClass的任何子类都会获得SomeRealClass行为。

答案 2 :(得分:0)

您不能直接使用泛型类型,在与“是”比较时需要使用该类型的属性。

class MyGenericUtility<T> {
    var a: T

    func myFunction() {
        if a is Int {
            println("some special stuff there")
        }
        println("some generic stuff as the name tells")
    }

    init(value: T) {
        a = value
    }
}

let test = MyGenericUtility(value: 5)
test.myFunction()  
// Output: some special stuff there
//         some generic stuff as the name tells

let test2 = MyGenericUtility(value: "foo")
test2.myFunction()
// Output: some generic stuff as the name tells