将UIProgressView作为倒计时器

时间:2015-07-01 04:15:26

标签: ios objective-c uiprogressview uiprogressbar

我已经将UIProgressView实现为倒数计时器,其值在1.5秒内从1.0降低到0.0。

它已经有效,但问题是花费的时间超过1.5 秒,在进度视图值达到0.0

之前大约需要2.0到2.5秒

为了让它在1.5中运行,我每次调用时都会将进度值减少0.001。减少方法是在0.0015秒间隔后调用。

以下是我的表现方式。我不知道是否有任何错误导致它运行的时间超过1.5秒?

- (void)decreaseProgress {
    if (currentProgress > 0.0000f) {
        currentProgress -= 0.001f;
        [_timeLineProgress setProgress:currentProgress animated:YES];

        [self performSelector:@selector(decreaseProgress) withObject:self afterDelay:0.0015 inModes:@[NSDefaultRunLoopMode]];
    } else {
        [self stopTimer];
    }
}

2 个答案:

答案 0 :(得分:3)

要为进度设置动画,请在reduceProgress方法中尝试此代码

[UIView animateWithDuration:1.5 animations:^{
        [_timeLineProgress setProgress:0.0 animated:YES];
    }];

答案 1 :(得分:1)

您尝试在1.5秒内更新进度视图1000次。这太快了,因为屏幕每秒只更新60次。换句话说,每次在屏幕上实际重绘进度条之间,您都会更新进度条10次以上。

相反,我会以0.1秒的间隔建议15次更新,每次更改进度条1/15。

检查代码执行情况的一种方法是使用CACurrentMediaTime函数来获取时间戳。这是一些示例代码,演示了如何执行此操作。 progressStart变量是按钮按下事件发生时的时间戳,NSLog打印相对于开始时间经过的时间量。

代码的一个重要特性是performSelector方法中尽早调用updateProgress方法,以尽量减少滑点。

@interface ViewController ()
{
    CFTimeInterval progressStart;
    int progressCount;
}
@property (weak, nonatomic) IBOutlet UIProgressView *progressView;
@end

- (void)updateProgress
{
    if ( progressCount > 0 )
        [self performSelector:@selector(updateProgress) withObject:nil afterDelay:0.1];

    self.progressView.progress = progressCount / 15.0;
    NSLog( @"%2d %.3lf", progressCount, CACurrentMediaTime() - progressStart );
    progressCount--;
}

- (IBAction)someButtonPressed
{
    self.progressView.progress = 1.0;
    progressStart = CACurrentMediaTime();
    progressCount = 15;
    [self updateProgress];
}

以下是典型运行的结果

2015-07-01 13:05:57.610 Progress[8354:907] 15 0.000
2015-07-01 13:05:57.711 Progress[8354:907] 14 0.101
2015-07-01 13:05:57.813 Progress[8354:907] 13 0.203
2015-07-01 13:05:57.914 Progress[8354:907] 12 0.304
2015-07-01 13:05:58.015 Progress[8354:907] 11 0.405
2015-07-01 13:05:58.116 Progress[8354:907] 10 0.506
2015-07-01 13:05:58.218 Progress[8354:907]  9 0.608
2015-07-01 13:05:58.319 Progress[8354:907]  8 0.709
2015-07-01 13:05:58.420 Progress[8354:907]  7 0.810
2015-07-01 13:05:58.520 Progress[8354:907]  6 0.910
2015-07-01 13:05:58.621 Progress[8354:907]  5 1.011
2015-07-01 13:05:58.722 Progress[8354:907]  4 1.112
2015-07-01 13:05:58.823 Progress[8354:907]  3 1.213
2015-07-01 13:05:58.924 Progress[8354:907]  2 1.314
2015-07-01 13:05:59.024 Progress[8354:907]  1 1.415
2015-07-01 13:05:59.125 Progress[8354:907]  0 1.515

请注意,performSelector:afterDelay方法在每个事件上都有大约1毫秒的滑点。总滑移为15毫秒。设备屏幕更新速率为60帧/秒,即16.7毫秒/帧。因此,总滑点不到一帧时间,并且不会让用户注意到。

正如rmaddy在评论中指出的那样,使用NSTimer可以避免大部分的滑点。但是,最后一个计时器事件仍然可能会滑动任意时间。