接下来的内容会对以下5个方法进行介绍,这5个方法是UIView视图基类方法
- (void)layoutSubviews;
- (void)setNeedsLayout;
- (void)layoutIfNeeded;
- (void)drawRect:(CGRect)rect;
- (void)setNeedsDisplay;
一. - (void)layoutSubviews介绍
layoutSubviews方法的具体作用: layoutSubviews是对subviews重新布局。比如,我们想更新子视图的位置的时候,可以通过调用layoutSubviews方法,既可以实现对子视图重新布局。layoutSubviews默认是不做任何事情的,用到的时候,需要在自己进行重写。不能直接调用layoutSubviews对子视图进行重新布局,
layoutSubviews以下情况会被调用:
1.一个view是不能够自己调用layoutSubviews,如果要立马调用,需要调用setNeedsLayout方法。
2.当父视图调用addSubview添加子视图的时候,子视图的layoutSubviews会调用。
3.当view的frame发生改变的时候,当然前提是frame的值设置前后发生了变化。
4.滑动UIScrollView的时候。
5.旋转Screen会触发父ayoutSubviews事件。
二. - (void)setNeedsLayout介绍
此方法是将调用该方法的视图标记一个tag需要重新布局,异步调用layoutIfNeeded(系统自动调用)刷新布局,不立即刷新,将会在下一次刷新循环中更新布局(即下一次刷新中调用layoutSubviews方法),iOS中屏幕刷新频率为1/60秒。
三. - (void)layoutIfNeeded介绍
此方法是立即更新布局(即立即调用layoutSubviews方法)。那么问题来了,它跟- (void)setNeedsLayout有什么区别?
如果我们写一个例子,只调用LayoutIfNeeded相,不能调用LayoutSubViews,而需要先前用好了setNeedsLayout作一次标志。
#import "QLView.h"
@interface QLView ()
@property (nonatomic, strong)UILabel *titleLabel;
@property (nonatomic, strong)UIView *bgView;
@end
@implementation QLView
- (instancetype)initWithFrame:(CGRect)frame{
NSLog(@"%s",__func__);
if (self = [super initWithFrame:frame]) {
self.backgroundColor = [UIColor orangeColor];
_titleLabel = [[UILabel alloc]initWithFrame:CGRectMake(0, 0, 100,20)];
_titleLabel.text = @"测试";
[self addSubview:_titleLabel];
_bgView = [[UIView alloc]initWithFrame:CGRectMake(50, 50, 30, 30)];
_bgView.backgroundColor = [UIColor blueColor];
[self addSubview:_bgView];
}
return self;
}
- (void)layoutSubviews{
NSLog(@"%s",__func__);
[super layoutSubviews];
_titleLabel.frame = CGRectMake(100, 100, 100, 20);
_bgView.frame = CGRectMake(50, 20, 30, 30);
}
@end
"ViewController.m"
- (void)viewDidLoad {
[super viewDidLoad];
[self addView];
}
#pragma mark -- <添加视图>
- (void)addView{
QLView *v = [[QLView alloc]initWithFrame:CGRectMake(0, 0, 200, 200)];
v.center = self.view.center; [self.view addSubview:v];
self.v = v;
}
- (void)touchesBegan:(NSSet*)touches withEvent:(UIEvent *)event{
NSLog(@"%s",__func__);
[self.v setNeedsLayout];
}
输出结果:
结果分析:当使用setNeedsLayout执行布局时,从结果中我们可以看到layoutSubviews方法并没有立即执行。
当把setNeedsLayout换成layoutIfNeeded方法时,layoutSubviews方法并不会调用
- (void)touchesBegan:(NSSet*)touches withEvent:(UIEvent *)event{
NSLog(@"%s",__func__);
[self.v layoutIfNeeded];
}
需要先调用setNeedsLayout方法标记self.v,然后再调用layoutIfNeeded,且时立即执行
- (void)touchesBegan:(NSSet*)touches withEvent:(UIEvent *)event{
NSLog(@"%s",__func__);
[self.v setNeedsLayout];
[self.v layoutIfNeeded];
}
四. - (void)drawRect:(CGRect)rect介绍
自定义画图,自动调用,不会直接调用
五. - (void)setNeedsDisplay介绍
刷新视图,当视图需要重绘时调用此方法, 调用这个方法就系统就会自动的调用- (void)drawRect:(CGRect)rect
进行重新绘制。