Passing selector via IBInspectable in Swift 3

316 Views Asked by At

I created a custom control and I want to pass the action in an @IBInspectable property to achieve the same effect of setting up an @IBAction using UIButton. How should I go about doing this?

class MyControl: UIButton {
  // Problem with this string approach is 
  //I have no way to know which instance to perform the selector on.
  @IBInspectable var tapAction: String?  

  // set up tap gesture
  ...

  func labelPressed(_ sender: UIGestureRecognizer) {
    if let tapAction = tapAction {
      // How should I convert the string in tapAction into a selector here? 
      //I also want to pass an argument to this selector.
    }
  }
}
1

There are 1 best solutions below

0
On

I really don't know why do you want it, but... Here is my solution:

Create a MyActions class, with actions that MyControl can to call:

class MyActions: NSObject {
    func foo() {
        print("foo")
    }

    func bar() {
        print("bar")
    }

    func baz() {
        print("baz")
    }
}

Replace your MyControl class to

class MyControl: UIButton {

    @IBInspectable var actionClass: String?
    @IBInspectable var tapAction: String?
    private var actions: NSObject?

    override func awakeFromNib() {
        // initialize actions class
        let bundleName = Bundle.main.bundleIdentifier!.components(separatedBy: ".").last!
        let className = "\(bundleName).\(actionClass!)"

        guard let targetClass = NSClassFromString(className) as? NSObject.Type else {
            print("Class \(className) not found!")
            return
        }

        self.actions = targetClass.init()

        // create tap gesture
        let tap = UITapGestureRecognizer(target: self, action: #selector(pressed(_:)))
        self.addGestureRecognizer(tap)
    }

    func pressed(_ sender: UIGestureRecognizer) {
        actions!.perform(Selector(tapAction!))
    }
}

And, set attributes of your button:

You can change the Tap Action in run time, for example:

@IBAction func buttonChangeAction(_ sender: Any) {

    buttonMyControl.tapAction = textField.text!
}

Maybe you can change my code to pass parameters, but... it's you want?