1. 程式人生 > >iOS開發:系統進度條顯示百科

iOS開發:系統進度條顯示百科

在開發的過程中,一開始想加一個系統的loading條,可是當時由於犯懶就直接做了資源,今兒瞅見這篇文章覺得有必要記錄一下


首先是在UIAlertView裡顯示進度條:


UIAlertView* alertView = [[[UIAlertView alloc] initWithTitle:@"Title"
                                                     message:@"Message"
                                                    delegate:nil
                                           cancelButtonTitle:@"OK"
                                           otherButtonTitles:nil]
                          autorelease];
[alertView show];

如果要新增一個進度條,只要先建立並設定好一個UIProgressView的例項,再利用addSubbiew方法新增到alertView中即可。


在實際應用中,我可能需要在類中儲存進度條的物件例項,以便更新其狀態,因此先在自己的ViewController類中新增成員變數:


//  MySampleViewController.h
#import <UIKit/UIKit.h>

@interface MySampleViewController : UIViewController {
@private
    UIProgressView* progressView_;
}

@end

接下來寫一個叫做showProgressAlert的方法來建立並顯示帶有進度條的alert視窗,其中高亮的部分就是把進度條新增到alertView中:
- (void)showProgressAlert:(NSString*)title withMessage:(NSString*)message {
    UIAlertView* alertView = [[[UIAlertView alloc] initWithTitle:title
                                                         message:message
                                                        delegate:nil
                                               cancelButtonTitle:nil
                                               otherButtonTitles:nil]
                              autorelease];

    progressView_ = [[UIProgressView alloc] initWithProgressViewStyle:UIProgressViewStyleBar];
    progressView_.frame = CGRectMake(30, 80, 225, 30);
    [alertView addSubview:progressView_];

    [alertView show];
}

為了讓資料處理的子程序能夠方便地修改進度條的值,再新增一個簡單的方法:
- (void)updateProgress:(NSNumber*)progress {
    progressView_.progress = [progress floatValue];
}
另外,資料處理完畢後,我們還需要讓進度條以及alertView消失,由於之前並沒有儲存alertView的例項,可以通過進度條的superview訪問之:
- (void)dismissProgressAlert {
    if (progressView_ == nil) {
        return;
    }

    if ([progressView_.superview isKindOfClass:[UIAlertView class]]) {
        UIAlertView* alertView = (UIAlertView*)progressView_.superview;
        [alertView dismissWithClickedButtonIndex:0 animated:NO];
    }

    [progressView_ release];
    progressView_ = nil;
}

假設處理資料的方法叫processData,當然它會在一個單獨的執行緒中執行,下面的片段示意瞭如何更新進度條狀態,以及最後如何讓它消失。
- (void)processData:(int)total {
    for (int i = 0; i < total; ++i) {
        // Update UI to show progess.
        float progress = (float)i / total;
        NSNumber* progressNumber = [NSNumber numberWithFloat:progress];
        [self performSelectorOnMainThread:@selector(updateProgress:)
                               withObject:progressNumber
                            waitUntilDone:NO];

        // Process.
        // do it.
    }

    // Finished.
    [self performSelectorOnMainThread:@selector(dismissProgressAlert)
                           withObject:nil
                        waitUntilDone:YES];
    // Other finalizations.
}

最後的效果是這樣的
原文UIAlertView顯示進度條原文地址:http://www.gocalf.com/blog/iphone-dev-progressview-in-alertview.html