美文网首页
ios事件分发机制

ios事件分发机制

作者: y2015 | 来源:发表于2019-05-14 10:12 被阅读0次
image.png
官方文档,摘取一部分说明:

“当用户 与 iPhone的触摸屏产生互动时,硬件就会探测到物理接触并且通知操作系统。接着操作系统就会创建相应的事件并且将其传递给 当前正在运行的应用程序的事件队列。然后 这项事件会被事件循环传递给优先响应者物件。优先响应者物件 是 事件 被触发时 和 用户 交互的物件,比如 按钮物件、视图物件。如果 我们 编写了 代码 让 优先响应者 处理 这种类型的事件,那么 它 就会处理 这种类型的事件。处理完 某项事件后,响应者 有 两个选项:1、将 其 丢弃;2、将 其 传递给 响应链条中的下一个响应者。下一个响应者的地址 存储 在当前响应者物件所包含的变量nextResponder当中。如果 优先响应者 无法处理 一项事件,那么 这项事件 就传递给 下一个响应者,直到 这项事件 到达 能处理它的响应者 或者 到达 响应链条的末端,也就是 UIApplication类型的物件。UIApplication类型的物件 收到 一项事件后,也是要么处理要么丢弃。“

分发机制分两步:

1: 事件传递链: 从上往下
2: 事件响应链: 从下往上

hitTest 的顺序如下
UIApplication -> UIWindow -> Root View -> ··· -> subview

事件响应顺序:可以通过nextResponder来获取下一个响应responder,优先响应view绑定的vc
Initial View -> View Controller(如果存在) -> superview -> · ·· -> rootView -> UIWindow -> UIApplication

image.png

主要用到的方法

1、寻找hitTestView(即最适合响应这个事件的view),用到两个方法

- (UIView *)hitTest:(CGPoint)point withEvent:(UIEvent *)event
- (BOOL)pointInside:(CGPoint)point withEvent:(UIEvent *)event

2、响应时主要用到UIResponder里定义的方法,注意:只有找到真正的hitTestView,才会走事件响应链,调用下面的响应方法

- (void)touchesBegan:(NSSet<UITouch *> *)touches withEvent:(nullable UIEvent *)event;

重点:复现hitTest方法源码,可以看出是如何找到hittestview的:

- (UIView *)hitTest:(CGPoint)point withEvent:(UIEvent *)event {
    if (!self.isUserInteractionEnabled || self.isHidden || self.alpha <= 0.01) {
        return nil;
    }
    if ([self pointInside:point withEvent:event]) {
        for (UIView *subview in [self.subviews reverseObjectEnumerator]) {
            CGPoint convertedPoint = [subview convertPoint:point fromView:self];
            UIView *hitTestView = [subview hitTest:convertedPoint withEvent:event];
            if (hitTestView) {
                return hitTestView;
            }
        }
        return self;
    }
    return nil;
}

hitTest:withEvent:方法可能会被系统调用多次(苹果开发者解释为:系统可能会调整touch point,所以会多次调用hit test---https://lists.apple.com/archives/cocoa-dev/2014/Feb/msg00118.html

响应链

//找离得最近的vc
- (UIViewController *)vc{
    id next = [self nextResponder];
    while(![next isKindOfClass:[ViewController class]]){
        return next;
    }
    return nil;
}

- (void)touchesBegan:(NSSet *)touches withEvent:(UIEvent *)event
{
// 这里可以做子view自己想做的事,做完后,事件继续上传,就可以让其父类,甚至父viewcontroller获取到这个事件了
[[selfnextResponder]touchesBegan:toucheswithEvent:event];
}

- (void)touchesEnded:(NSSet *)touches withEvent:(UIEvent *)event
{
[[selfnextResponder]touchesEnded:toucheswithEvent:event];
}

- (void)touchesCancelled:(NSSet *)touches withEvent:(UIEvent *)event
{
[[selfnextResponder] touchesCancelled:toucheswithEvent:event];
}

- (void)touchesMoved:(NSSet *)touches withEvent:(UIEvent *)event
{
[[selfnextResponder] touchesMoved:toucheswithEvent:event];
}

相关文章

网友评论

      本文标题:ios事件分发机制

      本文链接:https://www.haomeiwen.com/subject/ddmjaqtx.html