iOS14开发

iOS14开发-Timer

2021-09-16  本文已影响0人  YungFan

定时器可以设置按固定周期执行某个操作。iOS 中主要有 3 种定时器,本文先讲解第一种 Timer。

使用

// 自动执行的Timer
// 参数一:时间间隔,参数二:是否重复执行
Timer.scheduledTimer(withTimeInterval: 1.0, repeats: true) { (timer) in  
    // 定期执行的代码
    print("Hello World")
}

// 需要手动开启的Timer
let timer = Timer(timeInterval: 2.0, repeats: true) { (timer) in  
    // 定期执行的代码
    print("Hello World")
}

RunLoop

// 界面发生拖拽就会停止执行
RunLoop.current.add(timer, forMode: .default)
// 界面拖拽才会执行
RunLoop.current.add(timer, forMode: .tracking)
// 上面两种模式的结合,常用
RunLoop.current.add(timer, forMode: .common)

暂停与重启

// 暂停
timer.fireDate = Date.distantFuture
// 重启
timer.fireDate = Date.distantPast

销毁

invalidate:阻止 Timer 再次触发并请求将其从 RunLoop 中删除,因此这种方式停止后无法让其重新开始工作。

timer.invalidate()

案例:倒计时

import UIKit

class ViewController: UIViewController {
    // 倒计时总时长(秒)
    var count = 5
    // 定时器
    var timer: Timer!
    // UILabel+UITapGestureRecognizer比UIButton好
    lazy var label: UILabel = {
        let label = UILabel(frame: CGRect(x: 0, y: 0, width: 100, height: 30))
        label.center = view.center
        label.text = "获取倒计时"
        label.textAlignment = .center
        label.isUserInteractionEnabled = true
        label.addGestureRecognizer(UITapGestureRecognizer(target: self, action: #selector(handleCount)))
        return label
    }()

    override func viewDidLoad() {
        super.viewDidLoad()

        view.addSubview(label)
    }

    @objc func handleCount() {
        // 倒计时过程中不允许点击
        label.isUserInteractionEnabled = false

        // 创建Timer,每隔1s执行一次
        timer = Timer(timeInterval: 1.0, repeats: true) { _ in
            // 显示倒计时
            self.label.text = "\(self.count)"
            // 计时减1
            self.count -= 1
            // 当计时为0时
            if self.count == 0 {
                // 停止计时
                self.timer.invalidate()
                // 改变文字
                self.label.text = "重新获取"
                // 允许交互
                self.label.isUserInteractionEnabled = true
                // 恢复倒计时总时长
                self.count = 5
            }
        }

        // 添加RunLoop,定时器开始工作
        RunLoop.current.add(timer, forMode: .common)
    }
}
上一篇 下一篇

猜你喜欢

热点阅读