我正在尝试创建一个这样的类:

class MyClass<T:UIView>: UIViewController{


    override init()
    {
        super.init(nibName: nil, bundle: nil);
    }

    required init(coder aDecoder: NSCoder) {
        fatalError("init(coder:) has not been implemented")
    }

    override func loadView() {
        self.view = T();
        println("loadView")
    }

    override func viewDidLoad() {
        super.viewDidLoad();
        println("viewDidLoad")
    }

}

当我想像这样使用我的类(class)时:
self.navigationController?.pushViewController(MyClass<UIView>(), animated: true)

永远不会调用viewDidLoad和loadView方法!

您知道为什么吗,以及是否有某种方式可以做我想要的事情。

提前致谢。

最佳答案

如OP注释中所述,无法在Objective-C中正确表示泛型类。

解决方法是将类用作属性。像这样的东西:

class MyClass: UIViewController{

    let viewCls:UIView.Type

    init(viewCls:UIView.Type = UIView.self) {
        self.viewCls = viewCls
        super.init(nibName: nil, bundle: nil);
    }

    required init(coder aDecoder: NSCoder) {
        self.viewCls = UIView.self
        super.init(coder: aDecoder)
    }

    override func loadView() {
        self.view = viewCls();
        println("loadView")
    }

    override func viewDidLoad() {
        super.viewDidLoad();
        println("viewDidLoad")
    }

}

// and then
self.navigationController?.pushViewController(MyClass(viewCls: UIView.self), animated: true)

08-25 01:40