CUSTOM_VIEW CLASS:
我制作了custom_view类,该类会自行计算值,并在每1秒后显示给用户。基于存储在custom_view实例中的属性/变量来计算custom_view中的值。
VIEWCONTROLLER类别:
我通过在VIEWCONTROLLER类中创建custom_class实例来显示7到9个视图。
由于我的custom_class每隔1秒就会显示新的计算值,因此我使用dispatch_async执行了计算代码。这样它就不会影响UI线程。
custom_view.m
static dispatch_queue_t queue;
queue = dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_BACKGROUND,0);
dispatch_async(queue, ^(void)
{
[self calculateViewValue];
});
-(void) calculateViewValue
{
int wait = [self generateRandomNumberWithlowerBound:10 upperBound:20];
for (int i = 0; i<= wait; i++)
{
// value calculation
[[NSOperationQueue mainQueue] addOperationWithBlock:^
{custom_view_instance.text = value;}];
sleep(1);
}
}
但是,执行后,iPhone会在一段时间后变热!
我在做错事/失踪/最好的方法吗?
最佳答案
不要在视图中进行计算,而由控制器进行。
无论如何不要在UIKit中调用sleep。
更好的方法可以是:(代码应该在控制器中。并且它在视图中设置文本...)
如果需要重复计算,请使用计时器。
因此,从类似于以下代码开始:
uint64_t interval = 1;
uint64_t leeway = 0;
dispatch_source_t timer = dispatch_source_create(DISPATCH_SOURCE_TYPE_TIMER, 0, 0, dispatch_get_main_queue());
dispatch_source_set_timer(timer, DISPATCH_TIME_NOW, interval * NSEC_PER_SEC, leeway * NSEC_PER_SEC);
dispatch_source_set_event_handler(timer, ^{
// put code here...
});
dispatch_resume(timer);
一些优点:
1)降低CPU的处理
2)不睡觉
3)已经异步。
4)您可以利用每个“时间”安排 Activity
5)使用“count”变量来决定何时抽水计时器。在这种情况下,使用类似于dispatch_cancel ...(保存“计时器”)的方法杀死计时器。
关于ios - 适当管理调度队列以减少手机发热,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/40360870/