Swift Generics相当于Java的任何类型<! - ? - >

时间:2015-11-20 16:24:11

标签: java swift generics anyobject

在Java中,有时候可以使用泛型而不关心实际类型。 你能在Swift中做到吗?

例如MyClass<AnyObject>在Java中不像MyClass<?>那样工作。在我期望它的工作方式相同。

还有其他办法吗?

2 个答案:

答案 0 :(得分:3)

引入一个类型参数;编译器会让它采用任何类型。尝试:

func executeRequest<T> (request: APIRequest<T>) {
 // ...
}

例如:

class APIRequest<T> {}
class Movie {}
class MovieRequest : APIRequest<Movie> {}
let m = MovieRequest()
//print(m)

func executeRequest<T> (request: APIRequest<T>) {
    print(request)
}

executeRequest(m)

引入类型参数可以使其更加明确并更好地匹配问题域。例如,在您的情况下,您肯定无法对任何事情进行APIRequest;你可以APIRequest开一个Resource

protocol Resource {}
class Movie : Resource {}
class Song : Resource {}

class APIRequest<T:Resource> { /* ... */ }

func executeRequest<T:Resource> (request: APIRequest<T>) { /* ... */ } 

答案 1 :(得分:2)

Swift没有相应的内容。 Swift中的泛型与Java有些不同,因此用例也不同。 Swift中的泛型非常适合制作通用实用程序构造和函数。如果您正在考虑设计有关Generics的预期继承的类,请事先仔细考虑您的设计并考虑替代方案。这可能非常具有挑战性。这两种语言存在根本差异,因此尝试维护代码中的奇偶校验可能会很困难。一些要求将导致两种语言的解决方案根本不同。

根据您问题的具体情况,以下是一些可能的选项:

// start with a common protocol
protocol Requestable {
    func execute()
    func processData(input: Any)
}


// protocol with type constraint
protocol APIRequest : Requestable {
    typealias ContentType
    var content : ContentType { get }
    func processInput(input: ContentType)
}


extension APIRequest {
    func processData(input: Any) {
        if let input = input as? ContentType {
            processInput(input)
        } else {
            // probably should throw an error here
        }
    }
}


// Either define a Generic function to execute with a specific type
func executeRequest<RequestType:APIRequest>(request: RequestType) {
    request.execute()
}


// Or define a function taking a protocol conforming type
func executeRequest(request: Requestable) {
    request.execute()
}


// process the data with a specific request and input
func processRequest<RequestType:APIRequest>(request: RequestType, input: RequestType.ContentType) {
    request.processInput(input)
}


// process the data with input of arbitrary type
func processRequest(request: Requestable, data: Any) {
    request.processData(data)
}


class Movie {
}


class MovieRequest : APIRequest {
    var content : Movie

    init(movie: Movie) {
        self.content = movie
    }

    func execute() {
        // do something here
    }

    func processInput(input: Movie) {
        // do something with the movie input
    }
}

let movieRequest = MovieRequest(movie: Movie())
executeRequest(movieRequest)