2

我对实现自定义 drawRect 方法(和核心图形)完全陌生,但这样做是为了提高 UITableView 的滚动性能。如果我做任何愚蠢的事情,请告诉我。

在我的单元格中,我有一个 UIImage 并且在它的底部我想打印图像的标题。但是,为了使标题文本无论图像如何都清晰显示,我希望在 UIImage 顶部和标题文本下方有一个不透明度约为 75% 的黑色矩形。

我尝试了以下

[self.picture drawAtPoint:point];

[[UIColor colorWithRed:0.0 green:0.0 blue:0.0 alpha:0.75] setFill];
UIRectFill(CGRectMake(rect));

但是产生的填充实际上吞噬了 UIImage(请原谅我的描述不佳,抱歉),并且显示在稍微透明填充下方的部分是我的 UITableView 的背景......

我想我可以为矩形制作另一个图像,然后在上面绘制它,self.picture但我想知道这是否是一种更简单的方法UIRectFill来实现这一点......

如前所述,我对 Core Graphics 完全陌生,因此非常感谢任何提示。提前致谢!


另外,我还有第二个问题......下载的图像的尺寸(以像素为单位)是它将适合的矩形(以点为单位)的两倍,以考虑视网膜显示。但是,即使在 iPhone4 设备上,它现在也正在检查该矩形......我该如何解决这个问题(也包括 iPhone4 之前的设备?)

4

2 回答 2

2

我没有做太多自定义的drawRect事情,所以我会将问题的那部分推迟给其他人,但通常通过将昂贵的计算移到后台队列中,然后从主队列异步更新单元格,可以更容易地解决 tableview 性能问题后台操作完成时排队。因此,类似:

首先,为tableview定义一个操作队列属性:

@property (nonatomic, strong) NSOperationQueue *queue;

然后在 中viewDidLoad,初始化:

self.queue = [[NSOperationQueue alloc] init];
self.queue.maxConcurrentOperationQueue = 4;

然后在 中cellForRowAtIndexPath,您可以:

- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath
{
    static NSString *CellIdentifier = @"MyCellIdentifier";
    UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:CellIdentifier];

    // Do the quick, computationally inexpensive stuff first, stuff here.
    // Examples might include setting the labels adding/setting various controls
    // using any images that you might already have cached, clearing any of the
    // image stuff you might be recalculating in the background queue in case you're
    // dealing with a dequeued cell, etc.

    // Now send the slower stuff to the background queue.

    [self.queue addOperationWithBlock:^{

        // Do the slower stuff (like complex image processing) here.
        // If you're doing caching, update the cache here, too.

        // When done with the slow stuff, send the UI update back
        // to the main queue...

        [[NSOperationQueue mainQueue] addOperationWithBlock:^{

            // see if the cell is still visible, and if so ...

            UITableViewCell *cell = [tableView cellForRowAtIndexPath:indexPath];
            if (cell)
            {
                // now update the UI back in the main queue
            }
        }];

    }];

    return cell;
}

您可以通过确保将计算昂贵的东西的结果缓存到类似的东西中来进一步优化它 a NSCache,也许也可以缓存到Documents或其他地方,因此您可以优化必须完成复杂内容的频率并真正优化用户界面。

而且,顺便说一句,当你这样做时,你现在可以将你的UILabelbackgroundColor使用UIColor0.75 alpha 的黑色)放在顶部UIImageView,iOS 会为你处理它。尽可能简单。

关于图像分辨率的最后一个问题,您可以:

  • 使用视图contentScaleFactor来确定您是否正在处理视网膜并相应地调整缩略图图像的大小;或者
  • 只需使用 imageviewcontentModeUIViewContentModeScaleAspectFill确保您的缩略图图像被正确渲染,无论......如果您使用的是小缩略图图像(甚至是 2x 图像),性能通常很好。
于 2012-10-10T19:03:45.340 回答
0

根据另一个stackoverflow问题,这是使用该kCGBlendModeNormal选项的正确方法

[[UIColor colorWithRed:0.0 green:0.0 blue:0.0 alpha:0.75] setFill];
UIRectFillUsingBlendMode(rect, kCGBlendModeNormal);
于 2012-10-15T03:26:33.583 回答