我实现了一个带有调度的线程,但是代码可以正常工作,但是进度界面不起作用
这是我的代码
@interface thirdController () {
float progress;
}
- (void)viewDidLoad {
[super viewDidLoad];
// Do any additional setup after loading the view.
progress = 0.0;
dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0), ^{
[self progressDeny];
dispatch_async(dispatch_get_main_queue(), ^{
[self setProgress];
});
});
}
progressDeny
- (void)progressDeny {
while (1) {
if (progress >= 0 && progress <= 1.0) {
NSLog(@"progress - 0.005!");
progress -= 0.005;
usleep(100000);
}
}
}
setProgress
- (void)setProgress {
NSLog(@"%f", progress);
[clickedProgress setProgress:progress animated:YES];
}
我看到了
dispatch_async(dispatch_get_global_queue( DISPATCH_QUEUE_PRIORITY_DEFAULT, 0), ^(void){
//Background Thread
dispatch_async(dispatch_get_main_queue(), ^(void){
//Run UI Updates
});
});
为什么ui更新部分不起作用?
答案 0 :(得分:0)
首先,您的progressDeny
方法中的睡眠时间有点长,因此您可以减小睡眠时间。其次,您的while (1){}
方法中的progressDeny
是一个无限循环,该方法永不返回,您可以尝试像这样更改它,例如:
- (void)progressDeny {
if (progress >= 0 && progress <= 1.0) {
NSLog(@"progress - 0.005!");
progress -= 0.005;
usleep(10);
}
}
答案 1 :(得分:0)
如果该代码的目的是在进度视图中显示并更新其值,则该代码将无法正常工作。您至少犯了两个错误才能使进度视图正常工作。
让我们看一下您的代码:
首先,您用progress
初始化0.0
progress = 0.0;
然后,在progressDeny
内,如果它是equal
与0
相减且没有提供任何退出循环的方法,则将其减去。它将最终运行一次,然后陷入doing-nothing
无限循环中。
- (void)progressDeny {
while(1) {
if (progress >= 0 && progress <= 1.0) {
// Did you mean: progress += 0.005 ?
progress -= 0.005;
// ...
}
}
}
现在,让我们重构代码以使其正常工作:
dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0), ^{
while (progress <= 1.0) {
progress += 0.005;
dispatch_async(dispatch_get_main_queue(), ^{
[clickedProgress setProgress:progress];
});
usleep(100000);
}
});
或者您可以使用NSTimer
代替GCD
来实现:
[NSTimer scheduledTimerWithTimeInterval:0.1 repeats:YES block:^(NSTimer * _Nonnull timer) {
if (progress <= 1.0) {
progress += 0.005;
[clickedProgress setProgress:progress];
} else {
[timer invalidate];
timer = nil;
}
}];