swift 中的 Selector

Inlight發表於2017-12-21

SEL 與 @selector

在 Objective-C 中我們可以使用 @selector 將一個方法轉換並賦值給一個 SEL 型別。SEL 就是對方法的一種包裝,@selector 就是取類方法的編號,他的行為基本可以等同 C 語言的中函式指標,只不過 C 語言中,可以把函式名直接賦給一個函式指標,而 Objective-C 的類不能直接應用函式指標,需要一個 @selector 語法來取。

- (void)testMethod {
    
}

- (void)testMethodWithName:(NSString *) name {
    
}

SEL method1 = @selector(testMethod);
SEL method2 = @selector(testMethodWithName:);

//也可以使用 NSSelectorFromString
SEL method3 = NSSelectorFromString(@"testMethod");
SEL method4 = NSSelectorFromString(@"testMethodWithName:");
複製程式碼

@selector 使用起來更方便,但是 NSSelectorFromString 更加靈活(在執行時動態生成字串,從而通過方法的名字來呼叫對應的方法)。

Selector 與 #selector

在 swift 中並SEL 也通過結構體 Selector 來替代。但使用 Selector 會提示這樣的警告。 Use '#selector' instead of explicitly constructing a 'Selector'

使用 #selector 的好處是不再需要使用字串來構造。因為當使用字串構造時,若傳入的字串沒有對應的方法名,那麼程式在執行時就會直接崩潰。unrecognized selector sent to instance

    @objc func testMethod() {
        print(#function)
    }
    
    @objc func testMethodWithBtn(btn: UIButton) {
        print(btn.titleLabel?.text)
    }
    
    let testMethod1 = Selector("testMethod")
    let testMethod2 = #selector(testMethod)
    let testMethod3 = #selector(testMethodWithBtn(btn:))

    let btn = UIButton(frame: CGRect(x:0,y:0,width:200,height:50))
    btn.backgroundColor = UIColor.red
    btn.setTitle("selector", for: .normal)
    btn.addTarget(self, action: testMethod3, for: .touchUpInside)
    self.view.addSubview(btn)
複製程式碼

當存在歧義的相同方法名時,可以使用強制型別轉換來解決。

 @objc func testMethod() {
        print(#function)
    }
    
    @objc func testMethodWithBtn(btn: UIButton) {
        print(btn.titleLabel?.text)
    }
    
    @objc func testMethodWithBtn(str: String) {
        print(str)
    }
    
    let testMethod4 = #selector(testMethod as () -> ())
    let testMethod5 = #selector(testMethodWithBtn as (UIButton) -> ())
 
    btn.addTarget(self, action: testMethod5, for: .touchUpInside)
複製程式碼

#selector 使用起來更加安全和方便,但是 Seletcor 也有存在的必要性。就是當我們需要呼叫標準庫中的私有方法時,只能通過字串來構造。

extension UIViewController {
    @objc private func privateMethod() {
        print(#function)
    }
}

class ViewController: UIViewController {
    
    override func viewDidLoad() {
        super.viewDidLoad()
        
        let testMethod6 = #selector(privateMethod)

        btn.addTarget(self, action: testMethod6, for: .touchUpInside)

    }
}
複製程式碼

如果使用 #selector 來構造方法會報錯'privateMethod' is inaccessible due to 'private' protection level 這種情況就只能使用 Selector 字串來構造了。

class ViewController: UIViewController {
    
    override func viewDidLoad() {
        super.viewDidLoad()
        
        let testMethod7 = Selector("privateMethod")

        btn.addTarget(self, action: testMethod7, for: .touchUpInside)
    }
}

複製程式碼

相關文章