2

我在 Objective-C 中制作秒表:

- (void)stopwatch
{
    NSInteger hourInt = [hourLabel.text intValue];
    NSInteger minuteInt = [minuteLabel.text intValue];
    NSInteger secondInt = [secondLabel.text intValue];

    if (secondInt == 59) {
        secondInt = 0;
        if (minuteInt == 59) {
            minuteInt = 0;
            if (hourInt == 23) {
                hourInt = 0;
            } else {
                hourInt += 1;
            }
        } else {
            minuteInt += 1;
        }
    } else {
        secondInt += 1;
    }

    NSString *hourString = [NSString stringWithFormat:@"%d", hourInt];
    NSString *minuteString = [NSString stringWithFormat:@"%d", minuteInt];
    NSString *secondString = [NSString stringWithFormat:@"%d", secondInt];

    hourLabel.text = hourString;
    minuteLabel.text = minuteString;
    secondLabel.text = secondString;

    [NSTimer scheduledTimerWithTimeInterval:1.0f target:self selector:@selector(stopwatch) userInfo:nil repeats:YES];
}

如果您想知道,秒表有三个独立的标签,分别是小时、分钟和秒。但是,不是按 1 计数,而是按 2、4、8、16 等计数。

此外,代码的另一个问题(非常小的问题)是它不会将所有数字显示为两位数。例如,它将时间显示为 0:0:1,而不是 00:00:01。

非常感谢任何帮助!我应该补充一点,我是 Objective-C 的新手,所以尽可能简单,谢谢!

4

2 回答 2

3

repeats:YES如果您在每次迭代中安排计时器,请不要使用。

您在每次迭代时都生成一个计时器,并且计时器已经在重复,导致计时器呈指数增长(以及因此对 的方法调用stopwatch)。

将计时器实例更改为:

[NSTimer scheduledTimerWithTimeInterval:1.0f
                                 target:self
                               selector:@selector(stopwatch)
                               userInfo:nil
                                repeats:NO];

stopwatch或在方法之外启动它

对于第二个问题,只需使用正确的格式字符串。

NSString *hourString = [NSString stringWithFormat:@"%02d", hourInt];
NSString *minuteString = [NSString stringWithFormat:@"%02d", minuteInt];
NSString *secondString = [NSString stringWithFormat:@"%02d", secondInt];

%02d将打印一个十进制数,用 s 填充它,0长度为 2,这正是您想要的。

来源

于 2013-08-24T14:49:01.103 回答
0

对于第一个问题,而不是为每个调用创建一个计时器实例。删除该行

 [NSTimer scheduledTimerWithTimeInterval:1.0f target:self selector:@selector(stopwatch) userInfo:nil repeats:YES];

从功能秒表。

用上面的行替换您对函数秒表的调用。即替换

[self stopwatch]

 [NSTimer scheduledTimerWithTimeInterval:1.0f target:self selector:@selector(stopwatch) userInfo:nil repeats:YES];
于 2013-08-24T15:10:31.520 回答