3

我正在尝试在远程服务器上上传图像。如果我从谷歌在我的手机上下载图片并上传它们,例如http://www.mangauk.com/gallery/albums/album-11/lg/scooby.jpeg它上传就好了。但是,如果我尝试上传我用相机拍摄的图像,它就不起作用。服务器只是挂起。

(IBAction)uploadImage {
    /*
     turning the image into a NSData object
     getting the image back out of the UIImageView
     setting the quality to 90
    */
    NSData *imageData = UIImageJPEGRepresentation(image.image, 90);
    // setting up the URL to post to
    NSString *urlString = @"http://iphone.zcentric.com/test-upload.php";

    // setting up the request object now
    NSMutableURLRequest *request = [[[NSMutableURLRequest alloc] init] autorelease];
    [request setURL:[NSURL URLWithString:urlString]];
    [request setHTTPMethod:@"POST"];

    /*
     add some header info now
     we always need a boundary when we post a file
     also we need to set the content type

     You might want to generate a random boundary.. this is just the same 
     as my output from wireshark on a valid html post
    */
    NSString *boundary = [NSString stringWithString:@"---------------------------14737809831466499882746641449"];
    NSString *contentType = [NSString stringWithFormat:@"multipart/form-data; boundary=%@",boundary];
    [request addValue:contentType forHTTPHeaderField: @"Content-Type"];

    /*
     now lets create the body of the post
    */
    NSMutableData *body = [NSMutableData data];
    [body appendData:[[NSString stringWithFormat:@"rn--%@rn",boundary] dataUsingEncoding:NSUTF8StringEncoding]];    
    [body appendData:[[NSString stringWithString:@"Content-Disposition: form-data; name="userfile"; filename="ipodfile.jpg"rn"] dataUsingEncoding:NSUTF8StringEncoding]];
    [body appendData:[[NSString stringWithString:@"Content-Type: application/octet-streamrnrn"] dataUsingEncoding:NSUTF8StringEncoding]];
    [body appendData:[NSData dataWithData:imageData]];
    [body appendData:[[NSString stringWithFormat:@"rn--%@--rn",boundary] dataUsingEncoding:NSUTF8StringEncoding]];
    // setting the body of the post to the reqeust
    [request setHTTPBody:body];

    // now lets make the connection to the web
    NSData *returnData = [NSURLConnection sendSynchronousRequest:request returningResponse:nil error:nil];
    NSString *returnString = [[NSString alloc] initWithData:returnData encoding:NSUTF8StringEncoding];

    NSLog(returnString);
}

和php脚本

$uploaddir = './uploads/';
$file = basename($_FILES['userfile']['name']);
$uploadfile = $uploaddir . $file;

if (move_uploaded_file($_FILES['userfile']['tmp_name'], $uploadfile)) {
        echo "http://iphone.zcentric.com/uploads/{$file}";
}
4

1 回答 1

3

问题必须在您的 php 脚本中,因为必须将文件发送给它。

您应该在 php 中定义文件名,而不是信任原始文件名。

否则,有人可能会上传恶意的 .php 文件,而您的脚本会很高兴地上传它并将其命名为 .php,他们可能会接管您的服务器。

你应该做这样的事情:

$uploaddir = './uploads/';
$file = $uploaddir . 'filename_chosen_by_you.jpg';

这也可能会解决 jpeg / jpg 问题,因为您正在进行命名。

另一件事-您也在执行同​​步请求-这意味着您的应用程序将在执行请求时等待并冻结(如果文件很大,则可能需要几秒钟),请查看执行异步请求。这意味着它将在后台上传图像,然后在完成后调用一个函数,这样你就可以告诉用户一切都上传好了。

于 2012-08-17T10:48:46.943 回答