1

以下两种从 URL 中获取 UIImage 的方法之间的主要区别是什么?我最近在我的应用程序中从方法 1切换到了方法 2,当我认为这两种方法在实践中几乎相同时,似乎体验到了速度的急剧提升。只是想弄清楚为什么我看到这样的速度增加。

方法一

dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_BACKGROUND, 0), ^{
    NSData *imageData = [NSData dataWithContentsOfURL:self.imageURL];

    dispatch_async(dispatch_get_main_queue(), ^{
        self.image = [UIImage imageWithData:imageData];
    });
});

方法二

- (void)fetchImage
{
    NSURLRequest *request = [NSURLRequest requestWithURL:self.imageURL];
    self.imageData = [[NSMutableData alloc] init];
    self.imageURLConnection = [[NSURLConnection alloc] initWithRequest:request delegate:self];
}   

- (void)connection:(NSURLConnection *)connection didReceiveData:(NSData *)data
{
    if(connection == self.imageURLConnection)
    {
        [self.imageData appendData:data];
    }
}

- (void)connectionDidFinishLoading:(NSURLConnection *)connection
{
    if(connection == self.imageURLConnection)
    {
        self.image = [UIImage imageWithData:self.imageData];
    }
}
4

1 回答 1

1

我最好的猜测是,因为对于方法 1AsyncURLConnection类多线程:

dispatch_async(dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_DEFAULT, 0), ^{

    /* process downloaded data in Concurrent Queue */

    dispatch_async(dispatch_get_main_queue(), ^{

        /* update UI on Main Thread */

因此,您可能会看到由于共享资源的争用而导致性能下降。

另一方面,方法 2实际上只是实现更像事务处理的方法的集合。

可能还有更多。

于 2013-02-27T19:30:47.213 回答