iOS 网络与多线程--3.异步Get方式的网络请求(非阻塞)
通过Get请求方式,异步获取网络数据,异步请求不会阻塞主线程(用户界面不会卡死),而会建立一个新的线程。
代码如下
ViewController.h文件
1 // 2 // ViewController.h 3 // AppDemo 4 // 5 // Created by JinXin on 15/12/2. 6 // Copyright © 2015年 xx. All rights reserved. 7 // 8 9 #import <UIKit/UIKit.h> 10 11 // 1.添加一个协议代理 12 @interface ViewController : UIViewController<NSURLConnectionDataDelegate> 13 14 // 2.添加一个属性,用来接受网络数据。 15 @property(nonatomic) NSData *receiveData; 16 17 @end
ViewController.m文件
1 // 2 // ViewController.m 3 // AppDemo 4 // 5 // Created by JinXin on 15/12/2. 6 // Copyright © 2015年 xx. All rights reserved. 7 // 8 9 #import "ViewController.h" 10 11 12 @interface ViewController () 13 14 @end 15 16 @implementation ViewController 17 18 - (void)viewDidLoad { 19 [super viewDidLoad]; 20 // Do any additional setup after loading the view, typically from a nib. 21 22 // 3.建立一个网址对象,指定请求数据的网址,本节调用Facebook的公用API,获取某个FB用户信息。 23 NSURL *url = [NSURL URLWithString:@"https://graph.facebook.com/Apple-Inc"]; 24 // 4.通过网址创建网络请求对象, 25 // 参数1:请求访问路径 26 // 参数2:缓存协议 27 // 参数3:网络请求超时时间 28 NSURLRequest *request = [[NSURLRequest alloc] initWithURL:url cachePolicy:NSURLRequestUseProtocolCachePolicy timeoutInterval:10]; 29 // 5.使用网络对象实现网络通讯,网络请求对象创建成功后,就创建来一个网络连接。 30 NSURLConnection *connection = [[NSURLConnection alloc] initWithRequest:request delegate:self]; 31 32 33 } 34 35 // 6.添加一个代理方法,当接受到网络反馈时,执行这个方法。 36 -(void)connection:(NSURLConnection *)connection didReceiveResponse:(NSURLResponse *)response 37 { 38 self.receiveData = [NSMutableData data]; 39 } 40 41 // 7.添加一个代理方法,当接收到网络数据时,执行这个方法 42 -(void)connection:(NSURLConnection *)connection didReceiveData:(NSData *)data 43 { 44 self.receiveData = data; 45 } 46 47 // 8.添加一个代理方法,当网络连接的一系列动作结束后执行这个方法。 48 -(void)connectionDidFinishLoading:(NSURLConnection *)connection 49 { 50 // 将接受到的网络数据,从二进制数据格式,转换为字符串格式,并输出结果 51 NSString *receiveStr = [[NSString alloc]initWithData:self.receiveData encoding:NSUTF8StringEncoding ]; 52 NSLog(@">>>>>>>>>>>>>>>>%@",receiveStr); 53 } 54 55 // 9.添加一个代理方法,当网络连接失败执行这个方法 56 -(void)connection:(NSURLConnection *)connection didFailWithError:(NSError *)error 57 { 58 NSLog(@">>>>>>>>>>>>>>>>%@",[error localizedDescription]); 59 } 60 61 - (void)didReceiveMemoryWarning { 62 [super didReceiveMemoryWarning]; 63 // Dispose of any resources that can be recreated. 64 } 65 66 67 68 @end
执行之后就可以根据指定网址获取数据了。