web-dev-qa-db-ja.com

ObjCプロトコルのプロトコル拡張

私は主に客観的なCオブジェクトと1つまたは2つのSwiftオブジェクトによって使用されるObjective-Cプロトコルを持っています。

Swiftでプロトコルを拡張し、2つの関数を追加します。1つは通知に登録し、もう1つは通知を処理します。

これらを追加した場合

func registerForPresetLoadedNotification() {
    NSNotificationCenter.defaultCenter().addObserver(self as AnyObject,
                                                     selector: #selector(presetLoaded(_:)),
                                                     name: kPresetLoadedNotificationName,
                                                     object: nil)
}

func presetLoaded(notification: NSNotification) {

}

#selectorでArgument of '#selector' refers to a method that is not exposed to Objective-Cというエラーが表示されます

次に、presetLoadedを@objcとしてマークすると、@objc can only be used with members of classes, @objc protocols, and concrete extensions of classesというエラーが表示されます

プロトコル拡張を@objcとしてマークすることもできません

Objective-CプロトコルをSwiftプロトコルとして作成すると、同じエラーが発生します。

プロトコルを使用するObjective-CおよびSwiftクラスで機能する方法はありますか?

16
system

実際、プロトコル拡張の関数を@ objc(またはdynamicとマークすることはできません)。 Objective-Cランタイムがディスパッチできるのは、クラスのメソッドのみです。

あなたの特定のケースでは、プロトコル拡張を介して本当にそれを作りたいのであれば、私は次の解決策を提案できます(元のプロトコルの名前がObjcProtocolであると仮定します)。

通知ハンドラのラッパーを作成しましょう:

final class InternalNotificationHandler {
    private let source: ObjcProtocol

    init(source: ObjcProtocol) {
        // We require source object in case we need access some properties etc.
        self.source = source
    }

    @objc func presetLoaded(notification: NSNotification) {
        // Your notification logic here
    }
}

ObjcProtocolを拡張して、必要なロジックを導入する必要があります

import Foundation
import ObjectiveC

internal var NotificationAssociatedObjectHandle: UInt8 = 0

extension ObjcProtocol {
    // This stored variable represent a "singleton" concept
    // But since protocol extension can only have stored properties we save it via Objective-C runtime
    private var notificationHandler: InternalNotificationHandler {
        // Try to an get associated instance of our handler
        guard let associatedObj = objc_getAssociatedObject(self, &NotificationAssociatedObjectHandle)
            as? InternalNotificationHandler else {
            // If we do not have any associated create and store it
            let newAssociatedObj = InternalNotificationHandler(source: self)
            objc_setAssociatedObject(self,
                                     &NotificationAssociatedObjectHandle,
                                     newAssociatedObj,
                                     objc_AssociationPolicy.OBJC_ASSOCIATION_RETAIN_NONATOMIC)
            return newAssociatedObj
        }

        return associatedObj
    }

    func registerForPresetLoadedNotification() {
        NSNotificationCenter.defaultCenter().addObserver(self,
                                                         selector: #selector(notificationHandler.presetLoaded(_:)),
                                                         name: kPresetLoadedNotificationName,
                                                         object: self)
    }

    func unregisterForPresetLoadedNotification() {
        // Clear notification observer and associated objects
        NSNotificationCenter.defaultCenter().removeObserver(self,
                                                            name: kPresetLoadedNotificationName,
                                                            object: self)
        objc_removeAssociatedObjects(self)
    }
}

これはそれほどエレガントに見えないかもしれないので、コアアプローチの変更を検討します。

1つの注記:プロトコル拡張を制限したい場合があります

extension ObjcProtocol where Self: SomeProtocolOrClass
5
Dmytro Kabyshev

私はそれを行う方法を見つけました:)すべて一緒に@objcを避けてください:D

//Adjusts UITableView content height when keyboard show/hide
public protocol KeyboardObservable: NSObjectProtocol {
    func registerForKeyboardEvents()
    func unregisterForKeyboardEvents()
}

extension KeyboardObservable where Self: UITableView {

    public func registerForKeyboardEvents() {
        let defaultCenter = NotificationCenter.default

    var tokenShow: NSObjectProtocol!
    tokenShow = defaultCenter.addObserver(forName: .UIKeyboardDidShow, object: nil, queue: nil) { [weak self] (notification) in
        guard self != nil else {
            defaultCenter.removeObserver(tokenShow)
            return
        }
        self!.keyboardWilShow(notification as NSNotification)
    }

    var tokenHide: NSObjectProtocol!
    tokenHide = defaultCenter.addObserver(forName: .UIKeyboardWillHide, object: nil, queue: nil) { [weak self] (notification) in
        guard self != nil else {
            defaultCenter.removeObserver(tokenHide)
            return
        }
        self!.keyboardWilHide(notification as NSNotification)
    }

    private func keyboardDidShow(_ notification: Notification) {
        let rect = ((notification as NSNotification).userInfo![UIKeyboardFrameBeginUserInfoKey] as! NSValue).cgRectValue
        let height = rect.height
        var insets = UIEdgeInsetsMake(0, 0, height, 0)
        insets.top = contentInset.top
        contentInset = insets
        scrollIndicatorInsets = insets
    }

    private func keyboardWillHide(_ notification: Notification) {
        var insets = UIEdgeInsetsMake(0, 0, 0, 0)
        insets.top = contentInset.top
        UIView.animate(withDuration: 0.3) { 
            self.contentInset = insets
            self.scrollIndicatorInsets = insets
        }
    }

    public func unregisterForKeyboardEvents() {
        NotificationCenter.default.removeObserver(self)
    }

}

class CreateStudentTableView: UITableView, KeyboardObservable {

  init(frame: CGRect, style: UITableViewStyle) {
    super.init(frame: frame, style: style)
    registerForKeyboardEvents()
  }

  required init?(coder aDecoder: NSCoder) {
    fatalError("init(coder:) has not been implemented")
  }
}
2
user1951992