- 日常開發中,使用下面兩個gcd的api就可以應付大多數場景:
dispatch_async(dispatch_get_main_queue(),^{
//主執行緒更新UI
});
dispatch_async(dispatch_get_global_queue(0,0),^{
//耗時操作
});
複製程式碼
//產生一個速度的隨機數
+(int) randomIntBetweenMin:(int) min Max:(int) max;
//生成一個隨機的顏色
+(UIColor *)randomColor;
//生成一個隨機顏色
+(UIColor *)randomColorWithAlpha:(CGFloat) alpha;
@end
---------------------------------------------------------------------
@implementation HJTUtility
+(int)randomIntBetweenMin:(int)min Max:(int)max{
return arc4random() % (max - min + 1) + min;
}
+(UIColor *)randomColorWithAlpha:(CGFloat)alpha{
//利用隨機數產生隨機顏色
double red = [self randomIntBetweenMin:0 Max:255]/255.0;
double green = [self randomIntBetweenMin:0 Max:255]/255.0;
double blue = [self randomIntBetweenMin:0 Max:255]/255.0;
//alpha 是透明度
return [UIColor colorWithRed:red green:green blue:blue alpha:alpha];
}
+(UIColor *)randomColor{
return [self randomColorWithAlpha:1];
}
@end
-------------------------------------------------------------------
建立一個汽車模型 遵循KVC:
//個人建議使用這個定義字面常量 而不是使用
static const int CAR_WIDTH = 30;
static const int CAR_HEITH = 40;
@interface HJTCar : NSObject
//汽車左上角橫座標
@property (nonatomic,assign) NSUInteger x;
//汽車左上角縱座標
@property (nonatomic,assign) NSUInteger y;
//汽車速度
@property (nonatomic,assign) NSUInteger speed;
//和汽車關聯的檢視
@property (nonatomic,strong) UIView *view;
//初始化汽車左上角的橫縱座標
-(instancetype) initWithX:(int) x Y:(int)y;
//汽車行駛
-(void) carRun;
//將汽車檢視呈現在父檢視上的方法
-(void) draw:(UIView *)parentView;
@end
---------------------------------------------------------------------
@implementation HJTCar
-(instancetype)initWithX:(int)x Y:(int)y{
if (self = [super init]) {
_x = x;
_y = y;
_speed = [HJTUtility randomIntBetweenMin:5 Max:9];
_view = [[UIView alloc]initWithFrame:CGRectMake(_x, _y, CAR_WIDTH, CAR_HEITH)];
_view.backgroundColor = [HJTUtility randomColor];
}
return self;
}
-(void)carRun{
while (_y + CAR_HEITH < 650) {
_y += _speed;
CGRect rect = _view.frame;
rect.origin.y = _y;
//蘋果官方建議:重新整理檢視的工作 要回到 主執行緒完成
dispatch_async(dispatch_get_main_queue(), ^{
_view.frame = rect;
});
//休眠50ms --可以產生20幀(流暢的動畫效果)
//區別:sleep()--單位是秒 usleep()--單位是毫秒
usleep(50000);
}
}
-(void)draw:(UIView *)parentView{
[parentView addSubview:_view];
}
@end
--------------------------------------------------------------------
下面是UIViewController中的實現
@interface ViewController : UIViewController
@end
--------------------------------------------------------------------
@interface ViewController ()
@end
@implementation ViewController
- (void)viewDidLoad {
[super viewDidLoad];
for (int i = 0; i < 5; i++) {
HJTCar *car = [[HJTCar alloc]initWithX:20 + 80 * i Y:10];
[car draw:self.view];
// 把程式中會出現卡頓的地方 放到一個併發佇列中執行 避免程式出現卡頓 假死
dispatch_async(dispatch_get_global_queue(0, 0), ^{
[car carRun];
});
}
}
@end
複製程式碼
Gcd 常駐執行緒的危害:
dispatch_async 函式分發到全域性佇列不一定會新建執行緒執行任務,全域性佇列底層有一個的執行緒池.
如果執行緒池滿了,那麼後續的任務會被 block 住,等待前面的任務執行完成,才會繼續執行。
如果執行緒池中的執行緒長時間不結束,後續堆積的任務會越來越多,此時就會存在 APP crash的風險。
複製程式碼