替代在Swift扩展中存储变量

时间:2018-02-28 01:01:43

标签: ios swift delegates protocols mixpanel

我目前正在开发一个大型应用,我们需要能够跟踪基本上来自UIView的任何自定义类的特定事件(点击,滑动..)。例如,我们有UITableView的多个子类,它们都需要以不同的组合响应点击和/或滑动事件 - 这些事件的出现然后将属性发送到外部服务。对UIView进行子类化并将其用作所有其他自定义子类的父类不是一种选择。

踢球者是这些事件发生时发送的数据因我们在其中显示UI元素的应用页面而异。我的第一个想法是创建一个Trackable协议。理想情况下,我想放置所有样板代码,用于在此协议的扩展中设置手势识别器,但不能,因为#selector语法需要@objc注释,这在协议扩展中不可用。

此外,当我尝试扩展UIView时,我不再能够访问Trackable协议所需的属性,并且无法添加它的默认实现,因为如上所述,扩展不会支持变量声明。下面是我想要实现的(非常粗略的)想法。这甚至可能吗?是否存在更好的模式?我还查看了委托模式,但它没有解决上述任何问题。

protocol Trackable: class {
    var propertiesToSend: [String : [String : String]] { get set }
}

extension UIView: Trackable {
    //need alternative way to achieve this, as it is not allowed here
    var propertiesToSend = [:] 

    func subscribe(to event: String, with properties: [String : String]) {
        propertiesToSend[event] = properties
        startListening(for: event)
    }

    func unsubscribe(from event: String) {
        propertiesToSend.removeValue(forKey: event)
    }

    private func startListening(for event: String) {
        switch (event) {
            case "click":
                let clickRecogniser = UITapGestureRecognizer(target: self, action: #selector(track(event:)))
                addGestureRecognizer(clickRecogniser)

            case "drag":
                for direction: UISwipeGestureRecognizerDirection in [.left, .right] {
                    let swipeRecogniser = UISwipeGestureRecognizer(target: self, action: #selector(track(event:)))
                    swipeRecogniser.direction = direction
                    addGestureRecognizer(swipeRecogniser)
                }

            default: return
        }
    }

    @objc
    func track(event: UIEvent) {
        let eventString: String

        switch (event.type) {
            case .touches:
                eventString = "click"
            case .motion:
                eventString = "drag"
            default: return
        }

        if let properties = propertiesToSend[eventString] {
            sendPropertiesToExternalService("Interaction", properties: properties)
        }
    }
}

1 个答案:

答案 0 :(得分:2)

不要让它变得比它需要的更复杂。 UIView及其子类必须来自NSObject。阅读objc_getAssociatedObjectobjc_getAssociatedObject上的文档。不需要协议或其他抽象。

import ObjectiveC

private var key: Void? = nil // the address of key is a unique id.

extension UIView {
    var propertiesToSend: [String: [String: String]] {
        get { return objc_getAssociatedObject(self, &key) as? [String: [String: String]] ?? [:] }
        set { objc_setAssociatedObject(self, &key, newValue, .OBJC_ASSOCIATION_RETAIN) }
    }
}

这可以使用如下。

let button = UIButton()

button.propertiesToSend = ["a": ["b": "c"]]
print(button.propertiesToSend["a"]?["b"] ?? "unknown")