转换坐标系
程序员文章站
2022-05-26 22:02:57
...
转换坐标系的本质就是将特定区域相对某一区域(A)原点的坐标系(O)转换成相对于另一区域(B)原点的新坐标系(N),只改变x和y的值
N.frame.origin.x = O.frame.origin.x + ( A.frame.origin.x - B.frame.origin.x);
N.frame.origin.y = O.frame.origin.y + ( A.frame.origin.y - B.frame.origin.y);
结合日常使用场景,因为 frame
本身就是相对于父控件而言的,所以为了方便理解,以下直接使用父控件来说明,但实际上转换坐标系无论是调用的 view
还是目标 view
都可以是与父控件无关的 view
- 父控件调用,使用
toView
- 目标控件调用,使用
fromView
两种方法返回值都是一样的,都是 ponit
或者 rect
参照目标控件的新坐标,另外
- 使用bounds 可以理解自己就是自己的父控件
- view传入
nil
时可以理解为当前的window
,此时需注意window是否已经创见,例如在viewDidLoad中就不能这么用,因为此时尚未创见窗口
/**
* 父控件调用,将某个点从父控件坐标系转换为参照view坐标系
*
* @param point 待转换坐标的point
* @param view 目标控件
*
* @return 以目标坐标系为参照的新point
*/
- (CGPoint)convertPoint:(CGPoint)point toView:(nullable UIView *)view;
/**
* 目标控件调用,将某个点从父控件坐标系转换为参照view坐标系
*
* @param point 待转换坐标的point
* @param view 父控件
*
* @return 以目标坐标系为参照的新point
*/
- (CGPoint)convertPoint:(CGPoint)point fromView:(nullable UIView *)view;
/**
* 父控件调用,将某个点从父控件坐标系转换为参照view坐标系
*
* @param rect 待转换坐标的rect
* @param view 目标控件
*
* @return 以目标坐标系为参照的新rect
*/
- (CGRect)convertRect:(CGRect)rect toView:(nullable UIView *)view;
/**
* 目标控件调用,将某个点从父控件坐标系转换为参照view坐标系
*
* @param rect 待转换坐标的rect
* @param view 父控件
*
* @return 以目标坐标系为参照的新rect
*/
- (CGRect)convertRect:(CGRect)rect fromView:(nullable UIView *)view;
用法举例一: 求某一控件相对于另一控件的坐标系
// 窗口中有控件red 、yellow、blue, 其中blue是yellow的子控件,现需要得到blue参照red的坐标系
UIView *red = [[UIView alloc] initWithFrame:CGRectMake(0, 0, 100, 100)];
red.backgroundColor = [UIColor redColor];
UIView *yellow = [[UIView alloc] initWithFrame:CGRectMake(100, 100, 100, 100)];
yellow.backgroundColor = [UIColor yellowColor];
UIView *blue = [[UIView alloc] initWithFrame:CGRectMake(50, 50, 50, 50)];
blue.backgroundColor = [UIColor blueColor];
[self.view addSubview:red];
[self.view addSubview:yellow];
[yellow addSubview:blue];
// 转换坐标系
CGRect newRectUseTo = [blue.superview convertRect:blue.frame toView:red];
CGRect newRectUseFrom = [red convertRect:blue.frame fromView:blue.superview];
// 使用bounds 可以理解自己就是自己的父控件,所以以上两个方法也可以写成
CGRect newRectUseTo2 = [blue convertRect:blue.bounds toView:red];
CGRect newRectUseFrom2 = [red convertRect:blue.bounds fromView:blue];
NSLog(@"newRectUseTo - %@,\nnewRectUseFrom - %@,\nnewRectUseTo2 - %@,\nnewRectUseFrom2 - %@\n ", NSStringFromCGRect(newRectUseTo), NSStringFromCGRect(newRectUseFrom), NSStringFromCGRect(newRectUseTo2), NSStringFromCGRect(newRectUseFrom2));
最终输出结果是:
newRectUseTo - {{150, 150}, {50, 50}},
newRectUseFrom - {{150, 150}, {50, 50}},
newRectUseTo2 - {{150, 150}, {50, 50}},
newRectUseFrom2 - {{150, 150}, {50, 50}}
用法举例二 求某一控件相对于窗口的坐标系
UIWindow *window = [[[UIApplication sharedApplication] windows] lastObject];
CGRect newRect = [blue convertRect:blue.bounds toView:window];
NSLog(@"newRect - %@, ", NSStringFromCGRect(newRect);
最终输出结果是:
newRect - {{150, 150}, {50, 50}},