我想做这样的事情:
func doSomething(a: AnyObject, myType: ????)
{
if let a = a as? myType
{
//…
}
}
在Objective-C中,类的类是Class
答案 0 :(得分:51)
您必须使用通用函数,其中参数仅用于类型信息,因此您将其强制转换为T
:
func doSomething<T>(_ a: Any, myType: T.Type) {
if let a = a as? T {
//…
}
}
// usage
doSomething("Hello World", myType: String.self)
T
您通常不知道T
的签名,因为T
可以是任何类型。所以你必须在协议中指定签名。
例如:
protocol IntInitializable {
init(value: Int)
}
使用此协议,您可以编写
func numberFactory<T: IntInitializable>(value: Int, numberType: T.Type) -> T {
return T.init(value: value)
}
// usage
numberFactory(value: 4, numberType: MyNumber.self)