将运行计数显示计时器添加到iOS应用程序,如时钟秒表?

时间:2012-08-22 15:23:24

标签: ios objective-c cocoa-touch time nstimer

我正在使用处理设备动作事件的应用程序,并以5秒为增量更新界面。我想在应用程序中添加一个指示器,显示应用程序运行的总时间。似乎类似秒表的计数器,就像本机iOS时钟应用程序一样,是计算应用程序运行时间并将其显示给用户的合理方式。

我不确定这种秒表的技术实现。这就是我的想法:

  • 如果我知道接口更新之间有多长时间,我可以在事件之间加上秒,并将秒数保留为局部变量。或者,0.5秒间隔的计划定时器可以提供计数。

  • 如果我知道应用的开始日期,我可以使用[[NSDate dateWithTimeInterval:(NSTimeInterval) sinceDate:(NSDate *)]

  • 将每个接口更新的本地变量转换为日期
  • 我可以使用短时间风格的NSDateFormatter,使用stringFromDate方法将更新日期转换为字符串

  • 可以将结果字符串分配给界面中的标签。

  • 结果是秒针会针对应用的每个“勾号”进行更新。

在我看来,这个实现有点太重,并不像秒表应用程序那么流畅。是否有更好,更具互动性的方式来计算应用程序运行的时间?也许iOS已经为此提供了一些东西?

2 个答案:

答案 0 :(得分:24)

如果您在基本横幅广告项目中查看the iAd sample code from Apple,他们会有一个简单的计时器:

NSTimer *_timer; 
_timer = [NSTimer scheduledTimerWithTimeInterval:0.1 target:self selector:@selector(timerTick:) userInfo:nil repeats:YES];

以及他们拥有的方法

- (void)timerTick:(NSTimer *)timer
{
    // Timers are not guaranteed to tick at the nominal rate specified, so this isn't technically accurate.
    // However, this is just an example to demonstrate how to stop some ongoing activity, so we can live with that inaccuracy.
    _ticks += 0.1;
    double seconds = fmod(_ticks, 60.0);
    double minutes = fmod(trunc(_ticks / 60.0), 60.0);
    double hours = trunc(_ticks / 3600.0);
    self.timerLabel.text = [NSString stringWithFormat:@"%02.0f:%02.0f:%04.1f", hours, minutes, seconds];
}

它只是从启动开始运行,非常基本。

答案 1 :(得分:22)

几乎是@terry lewis所建议但是使用算法调整:

1)安排计时器

NSTimer *timer = [NSTimer scheduledTimerWithTimeInterval:1.0 target:self selector:@selector(timerTick:) userInfo:nil repeats:YES];

2)当计时器触发时,获取当前时间(即调整,不计算滴答,因为如果计时器中存在摆动,滴答计数将累积错误),然后更新UI。此外,NSDateFormatter是一种更简单,更通用的格式化显示时间的方法。

- (void)timerTick:(NSTimer *)timer {
    NSDate *now = [NSDate date];

    static NSDateFormatter *dateFormatter;
    if (!dateFormatter) {
        dateFormatter = [[NSDateFormatter alloc] init];
        dateFormatter.dateFormat = @"h:mm:ss a";  // very simple format  "8:47:22 AM"
    }
    self.myTimerLabel.text = [dateFormatter stringFromDate:now];
}