次のように、NSURLConnection を NSMutableURLRequest と組み合わせて使用できます。
//Prepare URL for post
NSURL *url = [NSURL URLWithString: @"https://mywebsite/register.php"];
//Prepare the string for your post (do whatever is necessary)
NSString *postString = [@"username=" stringByAppendingFormat: @"%@&password=%@", uname, pass];
//Prepare data for post
NSData *postData = [postString dataUsingEncoding:NSUTF8StringEncoding];
NSString *postLength = [NSString stringWithFormat:@"%d", [postData length]];
//Prepare request object
NSMutableURLRequest *request = [[NSMutableURLRequest alloc] init];
[request setURL:url];
[request setTimeoutInterval:20];
[request setHTTPMethod:@"POST"];
[request setValue:postLength forHTTPHeaderField:@"Content-Length"];
[request setValue:@"application/x-www-form-urlencoded" forHTTPHeaderField:@"Content-Type"];
[request setHTTPBody:postData];
//send post using NSURLConnection
NSURLConnection connection = [[NSURLConnection alloc]initWithRequest:request delegate:self];
//Connection should never be nil
NSAssert(connection != nil, @"Failure to create URL connection.");
これにより (必要に応じて調整された postString を使用して) POST 要求が非同期的に (アプリのバックグラウンドで) サーバーに送信され、サーバー上のスクリプトが実行されます。
サーバーも応答を返していると仮定すると、次のように聞くことができ
ますNSURLConnection connection = [[NSURLConnection alloc]initWithRequest:request delegate:self];
:
接続が応答を返すと、次の 3 つのメソッドが呼び出されます (上記のコードと同じクラスに配置します)。
-(void)connection:(NSURLConnection*)connection didReceiveResponse:(NSURLResponse*)response
{
//Initialize received data object
self.receivedData = [NSMutableData data];
[self.receivedData setLength:0];
//You also might want to check if the HTTP Response is ok (no timeout, etc.)
}
-(void)connection:(NSURLConnection*)connection didReceiveData:(NSData*)data
{
[self.receivedData appendData:data];
}
-(void)connection:(NSURLConnection*)connection didFailWithError:(NSError*)error
{
NSLog(@"Connection failed with err");
}
-(void)connectionDidFinishLoading:(NSURLConnection*)connection
{
//Connection finished loading. Processing the server answer goes here.
}
https 接続/リクエストに伴うサーバー認証を処理する必要があることに注意してください。サーバー証明書を許可するには、次のソリューションに頼ることができます (ただし、これは迅速なプロトタイピングとテストのために推奨されるだけです):
How to use NSURLConnection to connect with SSL for an untrusted cert?
それが役に立ったことを願っています。