14

我正在使用一个以 5 秒为增量处理设备运动事件和更新界面的应用程序。我想向应用程序添加一个指示器,以显示应用程序运行的总时间。看起来像秒表一样的计数器,如原生 iOS 时钟应用程序是一种计算应用程序运行时间并将其显示给用户的合理方式。

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

  • 如果我知道界面更新之间的时间间隔,我可以将事件之间的秒数相加,并将秒数作为局部变量。或者,一个 0.5 秒间隔的预定定时器可以提供计数。

  • 如果我知道应用程序的开始日期,我可以使用每次接口更新将局部变量转换为日期[[NSDate dateWithTimeInterval:(NSTimeInterval) sinceDate:(NSDate *)]

  • 我可以使用具有短时间样式的 NSDateFormatter 使用stringFromDate方法将更新的日期转换为字符串

  • 生成的字符串可以分配给界面中的标签。

  • 结果是秒表会针对应用程序的每个“滴答”进行更新。

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

4

2 回答 2

24

如果您在基本横幅项目中查看Apple 的 iAd 示例代码,他们有一个简单的计时器:

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];
}

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

于 2012-08-22T15:38:16.533 回答
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];
}
于 2012-08-22T15:45:25.267 回答