美文网首页
iOS·HTTP那点事(1)NSURLConnection

iOS·HTTP那点事(1)NSURLConnection

作者: devRen | 来源:发表于2016-03-05 12:06 被阅读1251次
    参考文献:

    Dome地址

    WeatherDome:https://github.com/BigTortoise/WeatherDome

    注意:

    本文以http://www.k780.com/api/weather.future# 天气预报API接口为例,展示NSURLConnection的GET和POST请求。

    1.iOS网络层HTTP请求常用的库:

    • 苹果原生
      • NSURLConnection:最古老最经典最直接的一种方案
      • NSURLSession:功能比NSURLConnection更加强大,苹果目前比较推荐使用这种技术(iOS7开始出的技术)
    • 第三方框架
      • AFNetworking:简单易用,提供了基本够用的常用功能,维护和使用者多
      • ASIHttpRequest:外号“HTTP终结者”,功能极其强大,可惜早已停止更新

    2.HTTP通信过程

    • 请求
    • 请求头:包含了对客户端的环境描述、客户端请求信息等
      GET /minion.png HTTP/1.1 //包含了请求方法、请求资源路径、HTTP协议版本 Host: 120.25.226.186:32812 //客户端想访问的服务器主机地址 User-Agent: Mozilla/5.0 //客户端的类型,客户端的软件环境 Accept: text/html,*/* //客户端所能接收的数据类型 Accept-Language: zh-cn //客户端的语言环境 Accept-Encoding: gzip //客户端支持的数据压缩格式
    • 请求体:客户端发给服务器的具体数据,比如文件数据(POST请求才会有)
    • 相应
      • 响应头:包含了对服务器的描述、对返回数据的描述
        HTTP/1.1 200 OK //包含了HTTP协议版本、状态码、状态英文名称 Server:Apache-Coyote/1.1 //服务器的类型 Content-Type: image/jpeg //返回数据的类型 Content-Length: 56811 //返回数据的长度 Date: Mon, 23 Jun2014 12:54:52 GMT //响应的时间
    • HTTP通信过程示意图


      HTTP通信过程.png
    • 常见响应状态码


      常见响应状态码.png

    3.NSURLConnection常用类

    • NSURL:请求地址
    • NSURLRequest:一个NSURLRequest对象就代表一个请求,它包含的信息有
    • 一个NSURL对象
    • 请求方法、请求头、请求体
    • 请求超时
    • ……
    • NSMutableURLRequest:NSURLRequest的子类
    • NSURLConnection
      • 负责发送请求,建立客户端和服务器的连接
      • 发送数据给服务器,并收集来自服务器的响应数据

    4.GET和POST请求

    • GET

      • 所有参数拼接在URL后面,并且参数之间用&隔开
      • 没有请求体
      • 一般用来查询数据
    • POST

      • 所有参数都放在请求体
      • 一般用来修改、增加、删除数据
    • NSURLConnection创建GET和POST请求

    • GET

    // 请求路径
    NSString *urlString = @"http://api.k780.com:88/?app=weather.future&weaid=1&&appkey=10003&sign=b59bc3ef6191eb9f747dd4e83c99f2a4&format=json";
    urlString = [urlString stringByAddingPercentEscapesUsingEncoding:NSUTF8StringEncoding];
    
    // 创建URL
    NSURL *url = [NSURL URLWithString:urlString];
    
    // 创建请求
    NSMutableURLRequest *request = [NSMutableURLRequest requestWithURL:url];
    
    // 设置请求方法(默认就是GET请求)
    request.HTTPMethod = @"GET";
    
    • POST
    // 请求路径
    NSString *urlString = @"http://520it.com/图片";
    urlString = [urlString stringByAddingPercentEscapesUsingEncoding:NSUTF8StringEncoding];
    
    // 创建URL
    NSURL *url = [NSURL URLWithString:urlString];
    
    // 创建请求
    NSMutableURLRequest *request = [NSMutableURLRequest requestWithURL:url];
    
    // 设置请求方法
    request.HTTPMethod = @"POST";
    
    // 设置请求体
    request.HTTPBody = [@"name=张三&pwd=123" dataUsingEncoding:NSUTF8StringEncoding];
    

    5.NSURLConnection的使用步骤

    • 发送同步请求
    + (NSData *)sendSynchronousRequest:(NSURLRequest *)request returningResponse:(NSURLResponse **)response error:(NSError **)error;
    // 这个方法是阻塞式的,会在当前线程发送请求
    // 当服务器的数据完全返回时,这个方法才会返回,代码才会继续往下执行
    
    • 发送异步请求-block
    + (void)sendAsynchronousRequest:(NSURLRequest*) request
                              queue:(NSOperationQueue*) queue
                  completionHandler:(void (^)(NSURLResponse* response, NSData* data, NSError* connectionError)) handler;
    // 会自动开启一个子线程去发送请求
    // 当请求完毕(成功\失败),会自动调用handler这个block
    // handler这个block会放到queue这个队列中执行
    
    • 发送异步请求-delegate
    • 创建NSURLConnection对象
    // startImmediately==YES,创建完毕后,自动发送异步请求
    - (instancetype)initWithRequest:(NSURLRequest *)request delegate:(id)delegate startImmediately:(BOOL)startImmediately;
    - (instancetype)initWithRequest:(NSURLRequest *)request delegate:(id)delegate; // 创建完毕后,自动发送异步请求
    + (NSURLConnection*)connectionWithRequest:(NSURLRequest *)request delegate:(id)delegate; // 创建完毕后,自动发送异步请求
    
    • 发送请求
    [connection start];
    
    • 遵守NSURLConnectionDataDelegate协议,实现协议中的代理方法
    // 当接收到服务器的响应时就会调用
    - (void)connection:(NSURLConnection *)connection didReceiveResponse:(NSURLResponse *)response;
    
    // 每当接收到服务器返回的数据时就会调用1次(数据量大的时候,这个方法就会被调用多次)
    - (void)connection:(NSURLConnection *)connection didReceiveData:(NSData *)data;
    
    // 当服务器的数据完全返回时调用(服务器的数据接收完毕)
    - (void)connectionDidFinishLoading:(NSURLConnection *)connection;
    
    // 当请求失败的时候调用
    - (void)connection:(NSURLConnection *)connection didFailWithError:(NSError *)error;
    
    • 取消请求
    [connection cancel];
    

    6.NSString和NSData的互相转换

    • NSString -> NSData
    NSData *data = [@"520it.com" dataUsingEncoding:NSUTF8StringEncoding];
    
    • NSData -> NSString
    NSString *string = [[NSString alloc] initWithData:data encoding:NSUTF8StringEncoding];
    
      //发送请求给服务器,加载右侧的数据
            NSMutableDictionary *params = [NSMutableDictionary dictionary];
            params[@"a"] = @"list";
            params[@"c"] = @"subscribe";
            params[@"category_id"] =@(c.id);
            [[AFHTTPSessionManager manager] GET:@"http://api.budejie.com/api/api_open.php" parameters:params success:^(NSURLSessionDataTask *task, id responseObject) {
                //字典转模型数组
               NSArray *users = [XJQRecommendUser objectArrayWithKeyValuesArray:responseObject[@"list"]];
    
                //添加当前类别对应的用户组
                [c.users addObjectsFromArray:users];
                //刷新表格
                [self.detailVC reloadData];
    
            } failure:^(NSURLSessionDataTask *task, NSError *error) {
                [SVProgressHUD showErrorWithStatus:@"加载数据失败"];
            }];
    
    

    7.Dome演示

    • Get同步和异步的两个方法
    //同步请求
    - (void)sync
    {
        // 请求路径
        NSURL *url = [NSURL URLWithString:@"http://api.k780.com:88/?app=weather.future&weaid=1&&appkey=10003&sign=b59bc3ef6191eb9f747dd4e83c99f2a4&format=json"];
        // 创建请求对象
        NSURLRequest *reuqest = [[NSURLRequest alloc] initWithURL:url];
        
        // 发送请求
        // sendSynchronousRequest阻塞式的方法,等待服务器返回数据
        NSHTTPURLResponse *response = nil;
        NSError *error = nil;
        NSData *data = [NSURLConnection sendSynchronousRequest:reuqest returningResponse:&response error:&error];
        
        // 解析服务器返回的数据
        NSString *string = [[NSString alloc] initWithData:data encoding:NSUTF8StringEncoding];
        NSLog(@"---%@", string);  
    }
    
    
    // 异步请求
    - (void)async
    {
        // 请求路径
        NSURL *url = [NSURL URLWithString:@"http://api.k780.com:88/?app=weather.future&weaid=1&&appkey=10003&sign=b59bc3ef6191eb9f747dd4e83c99f2a4&format=json"];
        // 创建请求对象
        NSURLRequest *reuqest = [[NSURLRequest alloc] initWithURL:url];
        
        // 发送请求
        [NSURLConnection sendAsynchronousRequest:reuqest queue:[[NSOperationQueue alloc]init] completionHandler:^(NSURLResponse * _Nullable response, NSData * _Nullable data, NSError * _Nullable connectionError) {
            // 解析服务器返回的数据
            NSString *string = [[NSString alloc] initWithData:data encoding:NSUTF8StringEncoding];
            NSLog(@"%@", string);
        }];
    }
    
    • Post请求
    - (void)asyncPost
    {
        // 请求路径
        NSURL *url = [NSURL URLWithString:@"http://api.k780.com:88"];
        // 创建请求对象
        NSMutableURLRequest *reuqest = [[NSMutableURLRequest alloc] initWithURL:url];
        // 更改请求方法
        reuqest.HTTPMethod = @"POST";
        // 设置请求体
        reuqest.HTTPBody = [@"app=weather.future&weaid=1&&appkey=10003&sign=b59bc3ef6191eb9f747dd4e83c99f2a4&format=json" dataUsingEncoding:NSUTF8StringEncoding];
        //设置请求超时
        reuqest.timeoutInterval = 3;
        // 设置请求头
        // [request setValue:@"iOS 9.0" forHTTPHeaderField:@"User-Agent"];
        // 发送请求
        [NSURLConnection sendAsynchronousRequest:reuqest queue:[NSOperationQueue mainQueue] completionHandler:^(NSURLResponse * _Nullable response, NSData * _Nullable data, NSError * _Nullable connectionError) {
            if (connectionError) { // 比如请求超时
                NSLog(@"----请求失败");
            } else {
                NSLog(@"------%@", [[NSString alloc] initWithData:data encoding:NSUTF8StringEncoding]);
            }
        }];
        
    }
    
    • 请求运行结果:
    运行结果.png

    应用程序安全运输了明文HTTP协议(http:/ /)资源负载是不安全的。暂时的异常可以通过您的应用程序的Info.plist文件配置。

    解决办法:在iOS9 beta1中,苹果将原http协议改成了https协议,使用 TLS1.2 SSL加密请求数据。

    在info.plist中添加
    <key>NSAppTransportSecurity</key><dict>
        <key>NSAllowsArbitraryLoads</key>
        <true/></dict>
    
    • 修改后运行结果:
    正确运行结果.png
    • 代理方法
    - (void)delegateAysnc
    {
        // 0.请求路径
        NSURL *url = [NSURL URLWithString:@"http://api.k780.com:88/?app=weather.future&weaid=1&&appkey=10003&sign=b59bc3ef6191eb9f747dd4e83c99f2a4&format=json"];
        
        // 1.创建请求对象
        NSURLRequest *request = [NSURLRequest requestWithURL:url];
        
        // 2.创建连接对象
        //    [[NSURLConnection alloc] initWithRequest:request delegate:self];
        
        //    NSURLConnection *conn = [[NSURLConnection alloc] initWithRequest:request delegate:self startImmediately:NO];
        //    [conn start];
        
        [NSURLConnection connectionWithRequest:request delegate:self];
        
        // 取消
        //    [conn cancel];
    }
    
    #pragma mark - <NSURLConnectionDataDelegate> -- being
    /**
     * 接收到服务器的响应
     */
    - (void)connection:(NSURLConnection *)connection didReceiveResponse:(NSURLResponse *)response
    {
    
        NSLog(@"didReceiveResponse");
    }
    
    
    /**
     * 接收到服务器的数据(如果数据量比较大,这个方法会被调用多次)
     */
    - (void)connection:(NSURLConnection *)connection didReceiveData:(NSData *)data
    {
        // 不断拼接服务器返回的数据
           NSLog(@"didReceiveData -- %zd", data.length);
    }
    
    /**
     * 服务器的数据成功接收完毕
     */
    - (void)connectionDidFinishLoading:(NSURLConnection *)connection
    {
        NSLog(@"connectionDidFinishLoading");
    }
    

    8.注意点

    -发送Get请求时可能Url中会有中文,所有最好进行一次转码:

    NSURL *url = [NSURL URLWithString:urlStr];
    

    相关文章

      网友评论

          本文标题:iOS·HTTP那点事(1)NSURLConnection

          本文链接:https://www.haomeiwen.com/subject/zhaokttx.html