我想创建一个以10.0000000为例的计时器,我希望它完美倒计时 到目前为止,这是我的代码:
import UIKit
class ViewController: UIViewController {
@IBOutlet weak var labelTime: UILabel!
var counter = 10.0000000
var labelValue: Double {
get {
return NSNumberFormatter().numberFromString(labelTime.text!)!.doubleValue
}
set {
labelTime.text = "\(newValue)"
}
}
override func viewDidLoad() {
super.viewDidLoad()
// Do any additional setup after loading the view, typically from a nib.
labelValue = counter
var timer = NSTimer.scheduledTimerWithTimeInterval(0.0000001, target: self, selector: ("update"), userInfo: nil, repeats: true)
}
func update(){
labelValue -= 0.0000001
}
}
发生的事情是,我的倒计时非常慢,它只是不起作用,需要1小时才能达到0秒,而不是仅仅10秒。有任何想法吗?我应该对代码做出哪些更改? 感谢
答案 0 :(得分:5)
定时器不是超精确的,NSTimer的分辨率大约是1/50秒。
另外,iPhone屏幕的刷新率是60帧/秒,因此以更快的速度运行计时器完全没有意义。
不是每次触发时都尝试使用定时器递减某些内容,而是创建一个每秒触发50次的定时器,并让它使用时钟数学来根据剩余时间更新显示:
var futureTime: NSTimeInterval
override func viewDidLoad() {
super.viewDidLoad()
labelValue = counter
//FutureTime is a value 10 seconds in the future.
futureTime = NSDate.timeIntervalSinceReferenceDate() + 10.0
var timer = NSTimer.scheduledTimerWithTimeInterval(
0.02,
target: self,
selector: ("update:"),
userInfo: nil,
repeats: true)
}
func update(timer: NSTimer)
{
let timeRemaining = futureTime - NSDate.timeIntervalSinceReferenceDate()
if timeRemaining > 0.0
{
label.text = String(format: "%.07f", timeRemaining)
}
else
{
timer.invalidate()
//Force the label to 0.0000000 at the end
label.text = String(format: "%.07f", 0.0)
}
}
答案 1 :(得分:2)
您是否尝试在一秒钟内显示0.0000001和.99999999之间的每个组合?屏幕实际上必须更新一亿次以显示每个数字。对于任何现有技术或可能的任何未来技术,在一秒钟内没有可行的方法来做到这一点。屏幕本身的更新速度不会超过每秒60次,因此这对您来说最快。
您可以尝试使用NSTimer作为该速率(1/60 = 0.0167)。 NSTimer本身并不保证非常精确。要在每一帧更新屏幕,您必须使用CADisplayLink
(https://developer.apple.com/library/ios/documentation/QuartzCore/Reference/CADisplayLink_ClassRef/)。
这使您有机会在每次帧更新时运行选择器,这与系统根据定义更改帧的速度一样快。