0

我正在尝试通过从服务器下载图像每 1 秒更新一次带有新图像的图像视图。下载发生在后台线程中。下面显示的是代码

 NSTimer *timer = [NSTimer timerWithTimeInterval:0.5
                                         target:self
                                       selector:@selector(timerFired:)
                                       userInfo:nil repeats:YES];
[[NSRunLoop mainRunLoop] addTimer:timer forMode:NSRunLoopCommonModes];



-(void)timerFired:(id)sender
 {
    NSURLRequest *request=[[NSURLRequest alloc]initWithURL:[NSURL      


    URLWithString:@"http://192.168.4.116:8080/RMC/ImageWithCommentData.jpg"]];

    NSOperationQueue *queueTmp = [[NSOperationQueue alloc] init];

   [NSURLConnection sendAsynchronousRequest:request queue:queueTmp completionHandler:^(NSURLResponse *response, NSData *data, NSError *error)
   {
     if ([data length] > 0 && error == nil)
     {

         [self performSelectorOnMainThread:@selector(processImageData:) withObject:data waitUntilDone:TRUE modes:nil];

     }

     else if ([data length] == 0 && error == nil)
     {

     }
     else if (error != nil)
     {



     }

 }];
}


-(void)processImageData:(NSData*)imageData
{
  NSLog(@"data downloaded");
  [self.hmiImageView setImage:[UIImage imageWithData:imageData]];
 }

我的图像正在下载。但是没有调用 ProcessImageData 方法。请帮我解决这个问题。

4

1 回答 1

1

问题是您正在异步调用 NSURLConnection :

 [NSURLConnection sendAsynchronousRequest:request queue:queueTmp completionHandler:^(NSURLResponse *response, NSData *data, NSError *error)

所以在你得到任何数据之前: if ([data length] > 0 && error == nil)被调用。所以数据长度保持为 0 这就是不调用您的方法的原因。为了满足您的要求,您可以这样做:

dispatch_queue_t queue = dispatch_get_global_queue(DISPATCH_QUEUE_PRIORITY_HIGH, 0ul);
    dispatch_async(queue, ^(void) {

            NSData *imageData = //download image here 
            UIImage* image = [[UIImage alloc] initWithData:imageData];
            if (image) {
                 dispatch_async(dispatch_get_main_queue(), ^{
                        //set image here
                     }
                 });
             }
        });
于 2013-10-23T05:20:02.310 回答