1 概念
从iOS7开始新增的NSURLSession类来替代NSURLConnection
NSURLSession类,包含了NSURLConnection的所有功能,并增加了新的功能!
1)获取数据(做音乐下载,视频下载)
2)下载文件
3)上传文件
支持后台下载,后台上传的功能;
2 使用NSURLSession实现获取数据
【Demo】-【1-NSURLSession_RequestData】
-
(IBAction)btnClick:(id)sender {
//NSURLSession实现异步请求数据
NSString *urlStr = @"http://mapi.damai.cn/proj/HotProj.aspx?CityId=0&source=10099&version=30602";//不管有没有中文,最好是不要忘记这一步:
【防止网址中有中文的存在,而导致的问题】
urlStr = [urlStr stringByAddingPercentEscapesUsingEncoding:NSUTF8StringEncoding];//1.构造NSURL
NSURL *url = [NSURL URLWithString:urlStr];//2.创建请求对象
NSURLRequest *request = [NSURLRequest requestWithURL:url];//3.创建NSURLSession
//设置默认配置《下载的文件,默认保存在沙盒目录中(tmp)》
NSURLSessionConfiguration *configuration = [NSURLSessionConfiguration defaultSessionConfiguration];
NSURLSession *session = [NSURLSession sessionWithConfiguration:configuration];//4.创建任务
// NSURLSessionDataTask 获取数据
// NSURLSessionDownloadTask 下载数据
// NSURLSessionUploadTask 上传文件
NSURLSessionDataTask *task = [session dataTaskWithRequest:request completionHandler:^(NSData *data, NSURLResponse *response, NSError *error) {//请求数据,返回请求的结果 NSHTTPURLResponse *resp = (NSHTTPURLResponse *)response; if (resp.statusCode == 200) { //请求成功 //解析数据 NSDictionary *dict = [NSJSONSerialization JSONObjectWithData:data options:NSJSONReadingMutableContainers error:nil]; NSLog(@"%@",dict); }
}];
//5.启动任务【开始发起请求】
[task resume];
}
pragma mark -NSURLSessionDownloadDelegate 协议方法,执行下载成功后的操作
//下载完毕以后,调用此方法
-(void)URLSession:(NSURLSession *)session downloadTask:(NSURLSessionDownloadTask *)downloadTask didFinishDownloadingToURL:(NSURL *)location
{
//location 下载回来的文件所在的临时目录
//将临时文件保存到指定的目录中
NSString *toPath = [NSHomeDirectory() stringByAppendingPathComponent:@"Documents/MP3/北京北京.mp3"];
if ([[NSFileManager defaultManager] moveItemAtPath:location.path toPath:toPath error:nil]) {
NSLog(@"下载成功!");
NSLog(@"%@",toPath);
// self.myButton.userInteractionEnabled = NO;
}
}
-(void)URLSession:(NSURLSession *)session downloadTask:(NSURLSessionDownloadTask *)downloadTask didWriteData:(int64_t)bytesWritten totalBytesWritten:(int64_t)totalBytesWritten totalBytesExpectedToWrite:(int64_t)totalBytesExpectedToWrite
{
//计算当前下载的进度
double progress = totalBytesWritten*1.0/totalBytesExpectedToWrite;
NSLog(@"%lf",progress);
//回到主线程,更新进度条的显示 【 如何回到主线程 】
dispatch_async(dispatch_get_main_queue(), ^{
//更新进度条
[self.myProgressView setProgress:progress animated:YES];
});
}
3 使用NSURLSession实现下载文件
获取数据和下载文件的区别:
获取的数据是讲数据下载到内存中;
下载文件是将文件下载到沙盒中;
下载文件默认将文件下载到沙盒中的tmp目录(临时目录),所以,我们需要将下载到临时目录中的文件移动到Docusment目录下;
见【Demo】-【2-NSURLSession-DownloadFile】
通过进度条显示下载的进度
见【Demo】-【3-DownloadFile_progress】
4 断点续传
【Demo】-【4-DownloadFile_stopAndResume】
-(void)requestData
{
NSString *urlStr = @"http://10.6.154.91/share/视频/1.mp4";
urlStr = [urlStr stringByAddingPercentEncodingWithAllowedCharacters:[NSCharacterSet URLQueryAllowedCharacterSet]];
//1.构造NSURL
NSURL *url = [NSURL URLWithString:urlStr];
//2.创建NSURLRequest
NSURLRequest *request = [NSURLRequest requestWithURL:url];
//3.创建NSURLSession
self.session = [NSURLSession sessionWithConfiguration:[NSURLSessionConfiguration defaultSessionConfiguration] delegate:self delegateQueue:nil];
//4.创建任务
self.task = [self.session downloadTaskWithRequest:request];
//5.启动任务
[self.task resume];
}
//下载
-
(IBAction)downloadBtnClick:(id)sender {
self.stopBtn.enabled = YES;
if (self.isBegain)
{
//从头下载
[self requestData];}else
{
//接着上次暂停的位置开始下载 【** 从暂停的位置接着下载的方法 **】
self.task = [self.session downloadTaskWithResumeData:self.resumeData];
[self.task resume];
self.resumeData = nil;
}
}
//暂停
-
(IBAction)stopBtnClick:(id)sender {
self.stopBtn.enabled = NO;
//暂停下载的任务 【** 暂停下载任务的方法 **】
[self.task cancelByProducingResumeData:^(NSData *resumeData) {self.resumeData = resumeData; self.isBegain = NO;
}];
}
-
(void)viewDidLoad {
[super viewDidLoad];self.isBegain = YES;
//在沙盒里创建一个目录
if (![[NSFileManager defaultManager] fileExistsAtPath:[NSHomeDirectory() stringByAppendingPathComponent:@"Documents/视频"]]) {[[NSFileManager defaultManager] createDirectoryAtPath:[NSHomeDirectory() stringByAppendingPathComponent:@"Documents/视频"] withIntermediateDirectories:YES attributes:nil error:nil];
}
}
- (void)didReceiveMemoryWarning {
[super didReceiveMemoryWarning];
// Dispose of any resources that can be recreated.
}
pragma mark -NSURLSessionDownloadDelegate
//下载完毕以后,调用此方法 【** 将下载内容永久的保存在本地 **】
-(void)URLSession:(NSURLSession *)session downloadTask:(NSURLSessionDownloadTask *)downloadTask didFinishDownloadingToURL:(NSURL *)location
{
//location 下载回来的文件所在的临时目录
//将临时文件保存到指定的目录中
NSString *toPath = [NSHomeDirectory() stringByAppendingPathComponent:@"Documents/视频/1.mp4"];
[[NSFileManager defaultManager] moveItemAtPath:location.path toPath:toPath error:nil];
NSLog(@"下载成功:%@",toPath);
}
//下载过程中不断调用该方法
-(void)URLSession:(NSURLSession )session downloadTask:(NSURLSessionDownloadTask )downloadTask didWriteData:(int64_t)bytesWritten totalBytesWritten:(int64_t)totalBytesWritten totalBytesExpectedToWrite:(int64_t)totalBytesExpectedToWrite 【 进度条进度设置 *】
{
//计算当前下载的进度
double progress = totalBytesWritten1.0/totalBytesExpectedToWrite;
【** 回到主线程的方法 **】
dispatch_async(dispatch_get_main_queue(), ^{
//回到主线程,更新进度条显示
[self.myProgressView setProgress:progress animated:YES];
});
}
5 POST请求
GET请求和POST请求的区别:
1)GET请求会将参数直接写在URL后面,所有的参数使用?xxxxx = XXXX&yyy=YYYY形式放在URL后面
URL的长度是有限制的,所以要发的数据较多时不建议使用get,GET请求因为参数直接暴露在URL外面,所以不够 安全,但相对来说使用简单,方便;
2)POST请求是将发送给服务器的所有参数全部放在请求体中,而不是URL后面,所以相对安全性更高;
如果要传递大量的数据,比如:文件上传,图片上传;都是用POST请求;
但如果仅仅是获取一段资源或者一段数据,而且不涉及到安全性的时候,使用GET更方便;
将【Demo】-【5-POST】
【** session用post方法申请数据 **】
-
(IBAction)sessionPost:(id)sender {
//POST
NSString *urlStr = @"http://10.0.8.8/sns/my/user_list.php";
//1.构成NSURL
NSURL *url = [NSURL URLWithString:urlStr];//2.创建一个可变的请求对象
//NSMutableURLRequest是NSURLRequest的子类
//要对请求对象进行相关设置,使用NSMutableURLRequest
NSMutableURLRequest *mRequest = [NSMutableURLRequest requestWithURL:url];
//.设置请求方式POST
mRequest.HTTPMethod = @"POST";
//设置请求超时的时间
mRequest.timeoutInterval = 2;
NSString *param = @"page=1&number=10";
//.设置请求体
mRequest.HTTPBody = [param dataUsingEncoding:NSUTF8StringEncoding];
//3.s创建session对象
NSURLSession *session = [NSURLSession sessionWithConfiguration:[NSURLSessionConfiguration defaultSessionConfiguration]];
//4.通过session对象创建任务
NSURLSessionDataTask *task = [session dataTaskWithRequest:mRequest completionHandler:^(NSData *data, NSURLResponse *response, NSError *error) {
NSDictionary *dict = [NSJSONSerialization JSONObjectWithData:data options:NSJSONReadingMutableContainers error:nil];
NSLog(@"%@",dict);
}];
//5.启动任务
[task resume];
}
【** connection用post方法申请数据 **】
-
(IBAction)connectionPost:(id)sender {
NSString *urlStr = @"http://10.0.8.8/sns/my/user_list.php";
//1.构成NSURL
NSURL *url = [NSURL URLWithString:urlStr];
//2.创建可变的请求对象
NSMutableURLRequest *request = [NSMutableURLRequest requestWithURL:url];
//设置请求的类型
request.HTTPMethod = @"POST";
//设置超时时间
request.timeoutInterval = 5;
//设置请求体
NSString *str = @"page=2&number=20";
request.HTTPBody = [str dataUsingEncoding:NSUTF8StringEncoding];//3.连接服务器
[NSURLConnection connectionWithRequest:request delegate:self];
}
pragma mark -NSURLConnectionDataDelegate
//1.服务器收到客户端的请求时调用该方法
-(void)connection:(NSURLConnection *)connection didReceiveResponse:(NSURLResponse *)response
{
self.downloadData = [[NSMutableData alloc] init];
}
//2.客户端收到了服务器传输的数据
-(void)connection:(NSURLConnection *)connection didReceiveData:(NSData *)data
{
[self.downloadData appendData:data];
}
//3.数据传输完毕
-(void)connectionDidFinishLoading:(NSURLConnection *)connection
{
//解析数据
if (self.downloadData) {
NSDictionary *dict = [NSJSONSerialization JSONObjectWithData:self.downloadData options:NSJSONReadingMutableContainers error:nil];
NSLog(@"%@",dict);
NSLog(@"请求成功");
}
}
//4.请求失败
-(void)connection:(NSURLConnection *)connection didFailWithError:(NSError *)error
{
NSLog(@"请求失败");
}