博客
关于我
强烈建议你试试无所不能的chatGPT,快点击我
UITables with Downloaded Images – Easy Asynchronous Code
阅读量:6033 次
发布时间:2019-06-20

本文共 8643 字,大约阅读时间需要 28 分钟。

You’ll want to read  – we’ve released a comprehensive library for free that makes it easy to use dynamically loaded and cached images in your iOS apps, as per this intro article…

Readers… do look through the comments if you plan to use this code, other people have posted improvements. Thanks for all the great feedback everyone. MJ

postcards-screen1The app ‘Postcards’ from my iPhone developer training class is a utility app for quickly sending a customized postcard, and one thing that makes it super easy is that you can grab pictures from Flickr to include in the postcard design. Postcards makes simple HTTP calls Flickr’s REST API to download public domain images and displays them in a UITableView for the user to pick from. Cocoa Touch makes this all simple and easy to code, and my first development version used synchronous calls to get the images by using NSData dataWithContentsOfURL:

.

.

NSData* data = [NSData dataWithContentsOfURL:[NSURL URLWithString:urls]];

Making synchronous calls to remote web servers from the thread that’s running the apps GUI is of course a bad idea that results in a laggy UI and unsatisfied users. Using synchronous calls in UITableView cellForRowAtIndexPath to load all the images results in a problem six times worse (for 6 rows on the screen) and makes scrolling basically broken as the table won’t scroll until it has the next cell, which it can’t get while the app is waiting for an image to download. Then imagine that on the Edge network! Obviously we need something multi-threaded that can load the images in parallel in the background and update the UI as they finish downloading.

Multi-threaded programming is hard and should be avoided whenever possible, and in this case Cocoa’s beautiful design came to my rescue:

UIView heirachy + URL loading system + delegate design = multi-threaded image loading with no multi-threaded coding!

How can you have your cake and eat it too? Every iPhone app is a multi-threaded program, or at least its running in conjuction with the multi-threaded iPhone operating system. Use the right delegate methods in the right ways, and you can take advantage of extra threads of execution that the iPhone gives you for free without writting any multi-threaded code of your own, hence sidesteping the problem of threading bugs in your code. An iPhone app is one big event loop – your classes have methods that the event loop calls in response to stuff happening on the device and in your app. When you use the URL loading system’s asynchronous APIs, the iPhone uses a different thread than the one running your app’s event loop to load the contents of the URL, and it makes callbacks via your apps event loop when data has been downloaded.

connection = [[NSURLConnection alloc]                          initWithRequest:request delegate:self];- (void)connection:(NSURLConnection *)theConnection                          didReceiveData:(NSData *)incrementalData

Note carefully, when data has arrived from the remote webserver, that other iPhone thread doing the downloading doesn’t make calls into your objects at the same time as your methods are running, it puts messages into your apps event loop. If it called your app directly then chances are your app would be running some UI code or something and you’d have to write thread safe code. Instead, the call that data is ready arrives as an event on the event loop. Events on the event loop run single threaded, one at a time. Using this we can get asynchrous image download from Flickr without writting thread safe code ourselves. Even better, Cocoa’s URL loading system will download those URLs in parallel! For free!

That’s all well and good, but how do you get a table view to update the UITableViewCell with the image after its already been returned? A UIImage is imutable (right?) so you can’t change its image later when the image data has downloaded. Turns out Apple made this super easy too. Instead of putting a UIImage in the UITableViewCell, you put your own UIView object, that is sized correctly for the image you want to display, into the content view of the UITableCell (as a subview). At first your view object it can be empty, or it can have a dummy image in it, or you can pop in one of those spinny ‘something is happening’ views. Then when the image data is downloaded, create a UIImageView with the image and pop it in your view in the cell. Hey presto… it appears. While all this is happening the user can be scrolling and going back and forth with a fully functioning UI.

I put this all together in a class AsyncImageView, listed below. It’s use is simple

  1. alloc and initWithRect:
  2. add it to a view, eg in a table cell’s content view;
  3. send it the loadImageFromURL: message.

LoadImageFromURL will return right away, the image will load in the background, and will automatically appear in the view when its finished downloading. The code posted below is something I whipped up pretty quickly (and I didn’t leak check yet!), but hey – parallel, asynchronous image download and display in about 40 lines of code with no thread-safe worries? Works in smooth scrolling tables, even on the Edge network? I rate it a big win, and wanted to share the technique.

I’ve developed an iPhone programming training class that I will be teaching soon in the SFBay Area (though my partners and I could probably bring it to you). It’s very hands on, and specially designed to help professional programmers new to Cocoa and Objective-C over the difficult initial learning curve. In the class we build the Postcards app from start to finish, including AsyncImageView. Email me for more info: markj at markj.net

@interface AsyncImageView : UIView {    NSURLConnection* connection;    NSMutableData* data;}@end@implementation AsyncImageView- (void)loadImageFromURL:(NSURL*)url {    if (connection!=nil) { [connection release]; }    if (data!=nil) { [data release]; }    NSURLRequest* request = [NSURLRequest requestWithURL:url             cachePolicy:NSURLRequestUseProtocolCachePolicy             timeoutInterval:60.0];    connection = [[NSURLConnection alloc]             initWithRequest:request delegate:self];    //TODO error handling, what if connection is nil?}- (void)connection:(NSURLConnection *)theConnection     didReceiveData:(NSData *)incrementalData {    if (data==nil) {          data =          [[NSMutableData alloc] initWithCapacity:2048];    }    [data appendData:incrementalData];}- (void)connectionDidFinishLoading:(NSURLConnection*)theConnection {    [connection release];    connection=nil;    if ([[self subviews] count]>0) {        [[[self subviews] objectAtIndex:0] removeFromSuperview];    }    UIImageView* imageView = [[[UIImageView alloc] initWithImage:[UIImage imageWithData:data]] autorelease];    imageView.contentMode = UIViewContentModeScaleAspectFit;    imageView.autoresizingMask = ( UIViewAutoresizingFlexibleWidth || UIViewAutoresizingFlexibleHeight );    [self addSubview:imageView];    imageView.frame = self.bounds;    [imageView setNeedsLayout];    [self setNeedsLayout];    [data release];    data=nil;}- (UIImage*) image {    UIImageView* iv = [[self subviews] objectAtIndex:0];    return [iv image];}- (void)dealloc {    [connection cancel];    [connection release];    [data release];    [super dealloc];}@end

And here is the usage in UITableViewCell. The AsyncImageView gets tagged with 999, and when it gets recycled, that 999 tagged view gets fished out and removed. So only the cell is being recycled, not the AsyncImageView object. When its removed from the cells content view it also gets released, causing dealloc, which in turn cancels the url download (if its outstanding).

- (UITableViewCell *)tableView:(UITableView *)tableView       cellForRowAtIndexPath:(NSIndexPath *)indexPath {    static NSString *CellIdentifier = @"ImageCell";    UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:CellIdentifier];    if (cell == nil) {        cell = [[[UITableViewCell alloc]              initWithFrame:CGRectZero reuseIdentifier:CellIdentifier]              autorelease];    } else {	AsyncImageView* oldImage = (AsyncImageView*)             [cell.contentView viewWithTag:999];	[oldImage removeFromSuperview];    }	CGRect frame;	frame.size.width=75; frame.size.height=75;	frame.origin.x=0; frame.origin.y=0;	AsyncImageView* asyncImage = [[[AsyncImageView alloc]               initWithFrame:frame] autorelease];	asyncImage.tag = 999;	NSURL* url = [imageDownload               thumbnailURLAtIndex:indexPath.row];	[asyncImage loadImageFromURL:url];	[cell.contentView addSubview:asyncImage];    return cell;}

转载于:https://www.cnblogs.com/pengyingh/articles/2360366.html

你可能感兴趣的文章
Target runtime Apache Tomcat is not defined.错误解决方法
查看>>
某机字长为32位,存储容量为64MB,若按字节编址.它的寻址范围是多少?
查看>>
xml.exist() 实例演示
查看>>
ctrl+shift+c
查看>>
rup
查看>>
yum失败
查看>>
eclipse中默认js编辑器非常慢,尤其在拷贝粘贴代码时的解决方法
查看>>
http Post 请求一网络资源返回字符串
查看>>
window策略设置
查看>>
web 开发之js---js 实现地址栏的表单提交加密编码
查看>>
此类目的是防治序列化Json字符串时的循环引用问题-------最好解决方案
查看>>
八门神器怎么使用
查看>>
HealthKit开发教程之HealthKit的主要类型数据
查看>>
ubuntu 系统网络突然"网络已禁用"
查看>>
linux上很方便的上传下载文件工具rz和sz使用介绍
查看>>
forward内部跳转 和redirect重定向跳转的区别
查看>>
Java——新IO 缓冲区与Buffer
查看>>
Redis常用命令入门2:散列类型
查看>>
构建NCBI本地BLAST数据库 (NR NT等) | blastx/diamond使用方法 | blast构建索引 | makeblastdb...
查看>>
深入理解 JavaScript 异步系列(2)—— jquery的解决方案
查看>>