自定义 UIControl,调用两次的操作

Custom UIControl, action called twice

我正在尝试创建 UIControl 的子类并跟踪触摸以更改控件外观。

我不知道为什么,但如果我从 IB 或代码添加操作(对于 .TouchUpInside),当我触摸控件时,注册操作方法会被调用两次。
堆栈跟踪告诉我,第一个调用来自 _sendActionsForEvents:withEvent:,第二个不清楚。
这是我如何重写跟踪方法:

 override func continueTrackingWithTouch(touch: UITouch, withEvent event: UIEvent?) -> Bool {
        let touchPoint = touch.locationInView(self)
        if CGRectContainsPoint(bounds, touchPoint) {
            sendActionsForControlEvents(.TouchDragInside)
        }
        else {
            sendActionsForControlEvents(.TouchDragOutside)
        }
        return true
    }


override func beginTrackingWithTouch(touch: UITouch, withEvent event: UIEvent?) -> Bool {
    sendActionsForControlEvents(.TouchDown)
    return true
}

override func endTrackingWithTouch(touch: UITouch?, withEvent event: UIEvent?) {
    guard let tou = touch else { return }
    let touchPoint = tou.locationInView(self)
    if CGRectContainsPoint(bounds, touchPoint) {
        sendActionsForControlEvents(.TouchUpInside)
    }
    else {
        sendActionsForControlEvents(.TouchUpOutside)
    }
}

override func cancelTrackingWithEvent(event: UIEvent?) {
    sendActionsForControlEvents(.TouchCancel)
}

我也发现了这个 answer 但它似乎不符合我的问题,因为当我为 .TouchUpInside 事件添加目标时,我没有从事件调度程序自动获得任何操作在该答案中说明。

我发现我误解了文档,可能很多人都误解了(在互联网上看到一些示例)。
覆盖提到的方法并不能使您能够管理事件调度,要做到这一点,最好使用 sendAction:to:forEvent:
这些考虑是在我用 UIControl 子类创建一个小项目并为最流行的控制事件添加一些操作之后出现的:

  • 着陆
  • 内部修饰
  • 在外面修饰
  • 往外拖
  • 拖进去
  • 值已更改

结果
除了值改变,所有其他事件都已经被调用,甚至跟踪方法被覆盖。如果我们想发送一个改变的值,我们必须自己调用它,这是有道理的,因为根据它的名字,它与触摸无关。
我发现有趣的一件事是当调用外部跟踪时,它似乎是在用户将手指拖动到控件边界之外大约 50% 时调用的,我期待在通过它的边界后立即

class TestControl: UIControl {
    override func beginTrackingWithTouch(touch: UITouch, withEvent event: UIEvent?) -> Bool {
        let touchPoint = touch.locationInView(self)
        print(touchPoint)
        return true
    }
    override func continueTrackingWithTouch(touch: UITouch, withEvent event: UIEvent?) -> Bool {
        let touchPoint = touch.locationInView(self)
        print(touchPoint)

        return true
    }

    override func endTrackingWithTouch(touch: UITouch?, withEvent event: UIEvent?) {
        guard let touch = touch else { return }
        let touchPoint = touch.locationInView(self)
        print(touchPoint)

    }
}

class ViewController: UIViewController {

    @IBOutlet weak var tezst: TestControl!


    @IBAction func touchDown(sender: AnyObject){
        print("Touch Down")
    }
    @IBAction func touchUpInside(sender: AnyObject){
        print("Touch up inside")
    }

    @IBAction func touchUpOutside(sender: AnyObject){
        print("Touch up outside")
    }
    @IBAction func touchDragOutside(sender: AnyObject){
        print("Touch drag outside")
    }
    @IBAction func touchDragInside(sender: AnyObject){
        print("Touch drag inside")
    }
    @IBAction func valueChanged(sender: AnyObject){
        print("Value changed")
    }
}