iOS:HTTP POSTリクエストを実行する方法?


128

私はiOS開発に近づいており、HTTP POSTリクエストを実行する最初のアプリケーションの1つを用意したいと考えています。

私が理解できる限り、NSURLConnectionオブジェクトを介してリクエストを処理する接続を管理する必要があります。これにより、デリゲートオブジェクトが必要になり、データオブジェクトを処理します。

誰かが実際的な例でタスクを明確にしていただけませんか?

認証データ(ユーザー名とパスワード)を送信し、プレーンテキストの応答を返すhttpsエンドポイントに連絡する必要があります。

回答:


167

NSURLConnectionは次のように使用できます。

  1. を設定するNSURLRequest:を使用requestWithURL:(NSURL *)theURLしてリクエストを初期化します。

    POSTリクエストやHTTPヘッダーを指定する必要がある場合はNSMutableURLRequest

    • (void)setHTTPMethod:(NSString *)method
    • (void)setHTTPBody:(NSData *)data
    • (void)setValue:(NSString *)value forHTTPHeaderField:(NSString *)field
  2. 次の2つの方法でリクエストを送信しますNSURLConnection

    • 同期して: (NSData *)sendSynchronousRequest:(NSURLRequest *)request returningResponse:(NSURLResponse **)response error:(NSError **)error

      これは、NSData処理できる変数を返します。

      重要:UIのブロックを回避するために、同期リクエストは別のスレッドで開始することを忘れないでください。

    • 非同期的に: (void)start

NSURLConnectionのデリゲートを設定して、次のように接続を処理することを忘れないでください。

- (void)connection:(NSURLConnection *)connection didReceiveResponse:(NSURLResponse *)response {
    [self.data setLength:0];
}

- (void)connection:(NSURLConnection *)connection didReceiveData:(NSData *)d {
    [self.data appendData:d];
}

- (void)connection:(NSURLConnection *)connection didFailWithError:(NSError *)error {
    [[[[UIAlertView alloc] initWithTitle:NSLocalizedString(@"Error", @"")
                                 message:[error localizedDescription]
                                delegate:nil
                       cancelButtonTitle:NSLocalizedString(@"OK", @"") 
                       otherButtonTitles:nil] autorelease] show];
}

- (void)connectionDidFinishLoading:(NSURLConnection *)connection {
    NSString *responseText = [[NSString alloc] initWithData:self.data encoding:NSUTF8StringEncoding];

    // Do anything you want with it 

    [responseText release];
}

// Handle basic authentication challenge if needed
- (void)connection:(NSURLConnection *)connection didReceiveAuthenticationChallenge:(NSURLAuthenticationChallenge *)challenge {
    NSString *username = @"username";
    NSString *password = @"password";

    NSURLCredential *credential = [NSURLCredential credentialWithUser:username
                                                             password:password
                                                          persistence:NSURLCredentialPersistenceForSession];
    [[challenge sender] useCredential:credential forAuthenticationChallenge:challenge];
}

4
Appleは同期要求を使用すると、「お勧めできません」だというdeveloper.apple.com/library/mac/#documentation/Cocoa/Conceptual/...を 使用すると、別のスレッドで周りの混乱への十分を知っていれば、あなたはおそらく大丈夫ですが。
アーロンブラウン

@Anhいい答えですが、最後の方法には少し懐疑的でしたdidReceiveAuthenticationChallenge。パスワード/ユーザー名のハードコーディングにセキュリティ上の問題はありますか?これを回避する方法はありますか?
Sam Spencer

2
通常、資格情報をキーチェーンに保存し、そこから取得してBasic-Authを処理します。
Anh Do

2
iOS 5以降では、+(void)sendAsynchronousRequest:(NSURLRequest )request queue:(NSOperationQueue *)queue completionHandler:(void(^)(NSURLResponse、NSData *、NSError *))handler
chunkyguy

13

編集:ASIHTTPRequestは開発者によって放棄されました。それはまだ本当に良いIMOですが、おそらく他の場所を今見る必要があります。

HTTPSを処理する場合は、ASIHTTPRequestライブラリを使用することを強くお勧めします。httpsがなくても、このようなもののための本当に素晴らしいラッパーを提供します。プレーンなhttpで自分で行うのは難しくありませんが、ライブラリは素晴らしく、始めるのに最適な方法だと思います。

HTTPSの複雑化は、さまざまなシナリオでそれほど簡単なものではありません。すべてのバリエーションの処理に堅牢になりたい場合は、ASIライブラリが本当に役立ちます。


13
ASIHTTPRequestライブラリは、この投稿に記載されているように、開発者によって正式に放棄されました:allseeing-i.com/[request_release] ; 、私はあなたが開発者が示唆するように他のライブラリを使用することをお勧めします。
2011年

@ Mr.Gando-リンクが機能していないようです-セミコロンは重要です。とはいえ、放棄されたのを見るのはとても悲しいことです。多くの認証機能が本当にうまく動作し、すべてを複製するのは大変な作業です...残念...
ロジャー

そして、そのリンクも機能しません。それを見つけようとしている人は、正しいURLの最後にセミコロンが必要であることに注意してください-SOが原因です。人々が投稿しているリンクから除外されます。
ロジャー

3
AFNetworkingは、ほとんどの人が現在使用しているようです。
Vadoff 2013年

7

この投稿を少し更新し、iOSコミュニティの多くが放棄された後にAFNetworkingに移行したと思いASIHTTPRequestます。私はそれを強くお勧めします。これは優れたラッパーでNSURLConnectionあり、非同期呼び出しを可能にし、基本的に必要なものは何でも可能です。


2
私は受け入れられた答えが良いことを知っています、態度や何かを意味するものではありませんが、これは間違いなくより多くの賛成票を持つべきです。おそらく、質問が示唆するように、例といくつかのコードフラグメントが追加されたとしたら?
acrespo 2013

6

iOS7以降の更新された回答を次に示します。新しいホットネスであるNSURLSessionを使用します。免責事項、これはテストされておらず、テキストフィールドに記述されています。

- (void)post {
    NSURLSession *session = [NSURLSession sessionWithConfiguration:[NSURLSessionConfiguration defaultSessionConfiguration] delegate:self delegateQueue:nil];
    NSMutableURLRequest *request = [NSMutableURLRequest requestWithURL:[NSURL URLWithString:@"https://example.com/dontposthere"] cachePolicy:NSURLRequestUseProtocolCachePolicy timeoutInterval:60.0];
    // Uncomment the following two lines if you're using JSON like I imagine many people are (the person who is asking specified plain text)
    // [request addValue:@"application/json" forHTTPHeaderField:@"Content-Type"];
    // [request addValue:@"application/json" forHTTPHeaderField:@"Accept"]; 
    [request setHTTPMethod:@"POST"];
    NSURLSessionDataTask *postDataTask = [session dataTaskWithRequest:request completionHandler:^(NSData *data, NSURLResponse *response, NSError *error) {
        NSString *responseString = [[NSString alloc] initWithData:data encoding:NSUTF8StringEncoding];
    }];
    [postDataTask resume];
}

-(void)URLSession:(NSURLSession *)session didReceiveChallenge:(NSURLAuthenticationChallenge *)challenge completionHandler:(void (^)(    NSURLSessionAuthChallengeDisposition disposition, NSURLCredential *credential))completionHandler {
    completionHandler(NSURLSessionAuthChallengeUseCredential, [NSURLCredential credentialForTrust:challenge.protectionSpace.serverTrust]);
}

あるいは、AFNetworking 2.0以降を使用してください。通常、私はAFHTTPSessionManagerをサブクラス化しますが、簡潔な例を示すために、これをすべて1つのメソッドに入れています。

- (void)post {
    AFHTTPSessionManager *manager = [[AFHTTPSessionManager alloc] initWithBaseURL:[NSURL URLWithString:@"https://example.com"]];
    // Many people will probably want [AFJSONRequestSerializer serializer];
    manager.requestSerializer = [AFHTTPRequestSerializer serializer];
    // Many people will probably want [AFJSONResponseSerializer serializer];
    manager.responseSerializer = [AFHTTPRequestSerializer serializer];
    manager.securityPolicy.allowInvalidCertificates = NO; // Some servers require this to be YES, but default is NO.
    [manager.requestSerializer setAuthorizationHeaderFieldWithUsername:@"username" password:@"password"];
    [[manager POST:@"dontposthere" parameters:nil success:^(NSURLSessionDataTask *task, id responseObject) {
        NSString *responseString = [[NSString alloc] initWithData:responseObject encoding:NSUTF8StringEncoding];
    } failure:^(NSURLSessionDataTask *task, NSError *error) {
        NSLog(@"darn it");
    }] resume];
}

JSON応答シリアライザを使用している場合、responseObjectはJSON応答(多くの場合NSDictionaryまたはNSArray)のオブジェクトになります。


1

注:Pure Swift 3(Xcode 8)の例: 次のサンプルコードを試してください。のdataTask機能の簡単な例ですURLSession

func simpleDataRequest() {

        //Get the url from url string
        let url:URL = URL(string: "YOUR URL STRING")!

        //Get the session instance
        let session = URLSession.shared

        //Create Mutable url request
        var request = URLRequest(url: url as URL)

        //Set the http method type
        request.httpMethod = "POST"

        //Set the cache policy
        request.cachePolicy = URLRequest.CachePolicy.reloadIgnoringCacheData

        //Post parameter
        let paramString = "key=value"

        //Set the post param as the request body
        request.httpBody = paramString.data(using: String.Encoding.utf8)

        let task = session.dataTask(with: request as URLRequest) {
            (data, response, error) in

            guard let _:Data = data as Data?, let _:URLResponse = response  , error == nil else {

                //Oops! Error occured.
                print("error")
                return
            }

            //Get the raw response string
            let dataString = String(data: data!, encoding: String.Encoding(rawValue: String.Encoding.utf8.rawValue))

            //Print the response
            print(dataString!)

        }

        //resume the task
        task.resume()

    }

0

Xcode 8とSwift 3.0

URLSessionの使用:

 let url = URL(string:"Download URL")!
 let req = NSMutableURLRequest(url:url)
 let config = URLSessionConfiguration.default
 let session = URLSession(configuration: config, delegate: self, delegateQueue: OperationQueue.main)

 let task : URLSessionDownloadTask = session.downloadTask(with: req as URLRequest)
task.resume()

URLSessionデリゲート呼び出し:

func urlSession(_ session: URLSession, task: URLSessionTask, didCompleteWithError error: Error?) {

}


func urlSession(_ session: URLSession, downloadTask: URLSessionDownloadTask, 
didWriteData bytesWritten: Int64, totalBytesWritten writ: Int64, totalBytesExpectedToWrite exp: Int64) {
                   print("downloaded \(100*writ/exp)" as AnyObject)

}

func urlSession(_ session: URLSession, downloadTask: URLSessionDownloadTask, didFinishDownloadingTo location: URL){

}

ブロックGET / POST / PUT / DELETEの使用:

 let request = NSMutableURLRequest(url: URL(string: "Your API URL here" ,param: param))!,
        cachePolicy: .useProtocolCachePolicy,
        timeoutInterval:"Your request timeout time in Seconds")
    request.httpMethod = "GET"
    request.allHTTPHeaderFields = headers as? [String : String] 

    let session = URLSession.shared

    let dataTask = session.dataTask(with: request as URLRequest) {data,response,error in
        let httpResponse = response as? HTTPURLResponse

        if (error != nil) {
         print(error)
         } else {
         print(httpResponse)
         }

        DispatchQueue.main.async {
           //Update your UI here
        }

    }
    dataTask.resume()

私にとってはうまく機能しています。100%の結果保証をお試しください


0

NSURLSessionを使用して、iOS 8以降でPOST HTTPリクエストがどのように機能するかを次に示します。

- (void)call_PostNetworkingAPI:(NSURL *)url withCompletionBlock:(void(^)(id object,NSError *error,NSURLResponse *response))completion
{
    NSURLSessionConfiguration *config = [NSURLSessionConfiguration defaultSessionConfiguration];
    config.requestCachePolicy = NSURLRequestReloadIgnoringLocalCacheData;
    config.URLCache = nil;
    config.timeoutIntervalForRequest = 5.0f;
    config.timeoutIntervalForResource =10.0f;
    NSURLSession *session = [NSURLSession sessionWithConfiguration:config delegate:nil delegateQueue:nil];
    NSMutableURLRequest *Req=[NSMutableURLRequest requestWithURL:url];
    [Req setHTTPMethod:@"POST"];

    NSURLSessionDataTask *task = [session dataTaskWithRequest:Req completionHandler:^(NSData * _Nullable data, NSURLResponse * _Nullable response, NSError * _Nullable error) {
        if (error == nil) {

            NSDictionary *dict = [NSJSONSerialization JSONObjectWithData:data options:NSJSONReadingAllowFragments error:nil];
            if (dict != nil) {
                completion(dict,error,response);
            }
        }else
        {
            completion(nil,error,response);
        }
    }];
    [task resume];

}

これがあなたの以下の要件を満たすことを願っています。

弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.