2

我正在构建一个光谱仪,并想知道如何提高UIView基于 - 的代码的性能。我知道我无法从后台线程更新 iPhone/iPad 的用户界面,所以我使用 GCD 进行大部分处理。我遇到的问题是我的界面更新太慢了。

使用下面的代码,我尝试获取 32 个堆叠UIView的 4x4 像素并更改它们的背景颜色(请参见附图中的绿色方块)。该操作会为其他用户界面产生明显的滞后。

有没有办法我可以从某种后台线程“准备”这些颜色,然后要求主线程一次刷新界面?

在此处输入图像描述

//create a color intensity map used to color pixels
static dispatch_once_t onceToken;
dispatch_once(&onceToken, ^{
    colorMap = [[NSMutableDictionary alloc] initWithCapacity:128];

    for(int i = 0; i<128; i ++)
    {
        [colorMap setObject:[UIColor colorWithHue:0.2 saturation:1 brightness:i/128.0 alpha:1] forKey:[NSNumber numberWithInt:i]];
    }


});

-(void)updateLayoutFromMainThread:(id)sender
{
    for(UIView* tempView in self.markerViews)
    {
        tempView.backgroundColor =[colorMap objectForKey:[NSNumber numberWithInt:arc4random()%128]];
    }

}
//called from background, would do heavy processing and fourier transforms
-(void)updateLayout
{

    //update the interface from the main thread
    [self performSelectorOnMainThread:@selector(updateLayoutFromMainThread:) withObject:nil waitUntilDone:NO];


}

我最终预先计算了 256 种颜色的字典,然后根据圆圈试图显示的值向字典询问颜色。试图动态分配颜色是瓶颈。

4

1 回答 1

1

,是的,有几点。

虽然您不应该在主线程上处理 UIView,但您可以在使用它们之前在后台线程上实例化视图。不确定这是否会对您有所帮助。然而,除了在后台线程上实例化视图之外,UIView 实际上只是 CALayer 对象的元数据包装器,并且针对灵活性而非性能进行了优化。

最好的办法是在后台线程上绘制图层对象或图像对象(这是一个较慢的过程,因为绘制使用 CPU 和 GPU),将图层对象或图像传递给主线程,然后绘制预渲染图像到您的视图层(更快,因为进行了简单的调用以让图形处理器将图像直接传送到 UIView 的后备存储)。

看到这个答案:

渲染到位图然后blit到屏幕

编码:

- (void)drawRect:(CGRect)rect {
    CGContextRef context = UIGraphicsGetCurrentContext();
    CGContextDrawImage(context, rect, image);
}

执行速度远快于以相同方法执行其他绘图操作,例如绘制贝塞尔曲线。

于 2013-05-11T14:44:17.313 回答