zoukankan      html  css  js  c++  java
  • swift之预防 Timer 的循环引用

    预防 Timer 的循环引用

    2017.03.02 02:42* 字数 584 阅读 1098评论 0喜欢 1

    在iOS开发过程中,Timer(NSTimer)是我们经常要使用的一个类。通过Timer,可以定时触发某个事件,或者执行一些特定的操作。但是稍微不注意,就会导致内存泄漏(memory leak),而这种内存泄漏,就是循环引用引起的。例如在一个视图控制器MyViewController

    fileprivate var myTimer: Timer?

    self.myTimer = Timer.scheduledTimer(timeInterval: interval, target: self, selector: #selector(myTimerAction), userInfo: nil, repeats: true)

    那么你调用profile的Leaks工具时会发现MyViewController退出之后,就会检测到内存泄漏。如果你看Apple的开发文档足够细心,你将会发现问题所在:

    The object to which to send the message specified by aSelector when the timer fires. The timer maintains a strong reference to target until it (the timer) is invalidated.

    原来Timer调用scheduledTimer时,会强引用target,这里即是MyViewController对象。解决方法就是按照文档所说在某个地方或时间点,手动将定时器invalidated就可以了。

    self.myTimer.invalidate()

    self.myTimer = nil

    但是你千万不要将上述代码放到deinit里面(惯性思维会让我们把释放清除工作放到deinit里),因为循环引用之后MyViewController对象不会释放,deinit将永远不会被调用。你可以重载viewDidDisappear,放到里面去。或者确定不需要定时器时,及时销毁定时器。

    虽然问题得到解决,但很明显,啰嗦且不够优雅。所幸iOS 10.0+之后,一切变得简单起来了……

    weak var weakSelf = self

    Timer.scheduledTimer(withTimeInterval: interval, repeats: true, block:{(timer: Timer) -> Void in

      weakSelf?.doSomething()

    })

    项目往往需要向下兼容,有没有办法使得iOS 10.0之前版本能够这样简单的使用 block,优雅的解决循环饮用呢?答案是肯定的。

    首先创建模版类保存 block:

    class Block {

      let f : T

      init(_ f: T) { self.f = f }

    }

    Timer增加如下扩展

    extension Timer {

      class func app_scheduledTimer(withTimeInterval interval: TimeInterval, repeats: Bool, block: @escaping (Timer) -> Swift.Void) -> Timer {

        if #available(iOS 10.0, *) {

          return Timer.scheduledTimer(withTimeInterval: interval, repeats: repeats, block: block)

        }

        return Timer.scheduledTimer(timeInterval: interval, target: self, selector: #selector(app_timerAction), userInfo: Block(block), repeats: repeats)

      }

      class func app_timerAction(_ sender: Timer) {

        if let block = sender.userInfo as? Block<(Timer) -> Swift.Void> {

          block.f(sender)

        }

      }

    }

    这样就没有了iOS版本的限制,方便快捷的使用Timer了:

    weak var weakSelf = self

    Timer.app_scheduledTimer(withTimeInterval: interval, repeats: true, block:{(timer: Timer) -> Void in

      weakSelf?.doSomething()

    })

    总结:

    1、当调用Apple的API时,需要传递类对象self本身的,我们一定要看清文档,self会不会被保留强引用(MAC时代的被retain);

    2、当self被强引用时,像Timer一样,增加类似的一个扩展,或者可以很好的解决问题;

    3、Block模版类,或许可以很优雅的解决你所遇到的问题。

  • 相关阅读:
    服务器raid故障恢复数据过程
    HP FC MSA2000服务器磁盘掉线数据恢复案例
    服务器存储共享文件夹丢失数据恢复检测报告
    Hp DL380服务器瘫痪如何恢复服务器数据【多图】
    服务器存储瘫痪导致大量虚拟机丢失恢复数据过程
    华为5800服务器raid阵列数据恢复成功案例
    IBM X3850服务器虚误删除虚拟机如何恢复数据
    orcale数据库基本操作
    2、HTML基础知识
    1、web前端的发展
  • 原文地址:https://www.cnblogs.com/sundaymac/p/10339324.html
Copyright © 2011-2022 走看看