How to make a class conform to a protocol in Swift?

前端 未结 3 1556
没有蜡笔的小新
没有蜡笔的小新 2020-12-08 03:29

in Objective-C:

@interface CustomDataSource : NSObject 

@end

in Swift:

class CustomDataSource         


        
相关标签:
3条回答
  • 2020-12-08 04:13

    Type 'CellDatasDataSource' does not conform to protocol 'NSObjectProtocol'

    You have to make your class inherit from NSObject to conform to the NSObjectProtocol. Vanilla Swift classes do not. But many parts of UIKit expect NSObjects.

    class CustomDataSource : NSObject, UITableViewDataSource {
    
    }
    

    But this:

    Type 'CellDatasDataSource' does not conform to protocol 'UITableViewDataSource'

    Is expected. You will get the error until your class implements all required methods of the protocol.

    So get coding :)

    0 讨论(0)
  • 2020-12-08 04:13

    A class has to inherit from a parent class before conform to protocol. There are mainly two ways of doing it.

    One way is to have your class inherit from NSObject and conform to the UITableViewDataSource together. Now if you want to modify the functions in the protocol, you need to add keyword override before the function call, like this

    class CustomDataSource : NSObject, UITableViewDataSource {
    
        override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
            let cell = tableView.dequeueReusableCell(withIdentifier: "reuseIdentifier", for: indexPath)
    
            // Configure the cell...
    
            return cell
        }
    }
    

    However this sometimes gets your code messy because you may have many protocols to conform to and each protocol may have several delegate functions. In this situation, you can separate the protocol conforming code out from the main class by using extension, and you do not need to add override keyword in the extension. So the equivalent of the code above will be

    class CustomDataSource : NSObject{
        // Configure the object...
    }
    
    extension CustomDataSource: UITableViewDataSource {
    
        func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
            let cell = tableView.dequeueReusableCell(withIdentifier: "reuseIdentifier", for: indexPath)
    
            // Configure the cell...
    
            return cell
        }
    }
    
    0 讨论(0)
  • 2020-12-08 04:14

    Xcode 9, helps to implement all mandatory methods of Swift Datasource & Delegates.

    Here is example of UITableViewDataSource:

    Shows warning/hint to implement mandatory methods:

    Click on 'Fix' button, it will add all mandatory methods in code:

    0 讨论(0)
提交回复
热议问题