iOS如何定义名为任意的变量详解
前言
本文主要介绍了关于ios定义名为任意的变量的相关内容,分享出来供大家参考学习,下面话不多说了,来一起看看详细的介绍吧。
需求说明
在实际的编程过程中,我们总要定制一些控件,在定制的过程里,有时喜欢自己实现部分delegate方法
// myscrollview.m - (instancetype)init { ... self.delegae = self; ... } - (void)scrollviewdidscroll:(uiscrollview *)scrollview { nslog(@"%s 我被执行", __func__); ... }
粗看上述的代码没什么问题, 可是当我们的其他对象也想实现delegate怎么办呢?
// viewcontroller.m - (void)viewdidload { ... scrollview.delegate = self; ... } - (void)scrollviewdidscroll:(uiscrollview *)scrollview { nslog(@"%s 执行了viewcontroller里的方法,就不执行myscrollview的方法了", __func__); ... }
实现
有的同学会在viewcontroller里的方法里在调用一下uiscrollview的方法,可以我们不知道myscrollview自己实现了那些delegate方法啊,只能每个都转发一下了.
// viewcontroller.m - (void)scrollviewdidscroll:(uiscrollview *)scrollview { [(myscrollview *)scrollview scrollviewdidscroll:scrollview]; ... } ...
这样做是不是很累?
objective-c是一门oop的语言,oop的特性有哪些呢:多态.
可以用这特性去解决这一问题:
* 在子类里重写delegate方法,在viewcontroller里调用的delegate其实是子类自己的mydelegate.
* 然后让父类的delegate指向自己.在子类里实现的delegate方法里调用子类的delegate的方法.
// myscrollview.m @synthesize delegate = _mydelegate; - (instancetype)init { ... [super setdelegate:self]; ... } // 需要挂钩多少delegate方法就写多少 - (void)scrollviewdidscroll:(uiscrollview *)scrollview { nslog(@"%s 我先执行", __func__); [self.delegate scrollviewdidscroll:scrollview]; } // viewcontroller.m - (void)viewdidload { ... scrollview.delegate = self; ... } - (void)scrollviewdidscroll:(uiscrollview *)scrollview { nslog(@"%s 我接着被执行了", __func__); ... }
这样子类和viewcontroller里的delegate方法都被执行了.
奇巧有了,按照惯例得说说无益了.
尝试写个mytableview.写完后发现,尼玛的datasource的方法可以挂钩,delegate的却失败了.
// 笔者用的是tableview:cellforrowatindexpath: 和numberofsectionsintableview: 两个方法
uitableview继承自uiscrollview,uiscrollviewdelegate的方法却成功了.
笔者猜测造成这样的原因可能是uitableview内部用的是self.delegate和_datasource去执行uitableview协议里的方法.
方法能不能成功,取决于我们看不到的apple的代码,这个技巧还怎么去用呢.
总结
以上就是这篇文章的全部内容了,希望本文的内容对大家的学习或者工作具有一定的参考学习价值,如果有疑问大家可以留言交流,谢谢大家对的支持。