Protocol-Oriented Programming and Cocoa (Part 2)

Protocol-Oriented Programming and Cocoa (Part 2)

[[403619]]

This article is a summary of the author's keynote speech at the iOS session at MDCC 16 (Mobile Developer Conference). Published on November 29, 2016 and last updated on October 22, 2020

You can find the Keynote used in the talk here [1], and some sample code can be found in the official repo of MDCC 2016 [2].

The first part [3] mainly introduces some theoretical content, including the problems existing in object-oriented programming, the basic concepts and decision-making models of protocol-oriented programming, etc. This article (Part 2) mainly shows some sample codes that the author uses in daily life to combine protocol-oriented thinking with Cocoa development, and explains them.

1. Use the protocol in daily development

WWDC 2015 had an excellent keynote speech on POP: #408 Protocol-Oriented Programming in Swift[4]. Apple engineers used two examples, drawing charts and sorting, to explain the idea of ​​POP. We can use POP to decouple and make code more reusable through combination. However, the content involved in #408 is more theoretical, and our daily app development is more about dealing with the Cocoa framework. After watching #408, we have been thinking about how to apply the idea of ​​POP to daily development?

In this section, we will take a practical example to see how POP can help us write better code.

1.1 Protocol-based network requests

The network request layer is an ideal place to practice POP. In the following example, we will start from scratch and use the simplest protocol-oriented approach to build a less perfect network request and model layer. It may contain some unreasonable designs and couplings, but it is the easiest initial result.

Then we will gradually sort out the various parts and refactor them in a way that separates responsibilities. Finally, we will test this network request layer. Through this example, I hope to design POP code with many excellent features including type safety, decoupling, easy testing, and good scalability.

  • Talk is cheap, show me the code.

1.1.1 Preliminary Implementation

First, what we want to do is request a JSON from an API and convert it into an instance usable in Swift.

  1. { "name" : "onevcat" , "message" : "Welcome to MDCC 16!" }

We can create a new project and add User.swift as a model:

  1. // User .swift
  2. import Foundation
  3.  
  4. struct User {
  5. let name : String
  6. let message: String
  7.      
  8. init?(data: Data) {
  9. guard let obj = try? JSONSerialization.jsonObject( with : data, options: []) as ? [String: Any ] else {
  10. return nil
  11. }
  12. guard let name = obj?[ "name" ] as ? String else {
  13. return nil
  14. }
  15. guard let message = obj?[ "message" ] as ? String else {
  16. return nil
  17. }
  18.          
  19. self.name = name  
  20. self.message = message
  21. }
  22. }

User.init(data:) parses the input data (obtained from the network request API) into a JSON object, extracts the name and message from it, and constructs a User instance representing the API return. It's very simple.

Now let's look at the interesting part, which is how to use POP to request data from a URL and generate the corresponding User. First, we can create a protocol to represent the request. For a request, we need to know its request path, HTTP method, required parameters and other information. At the beginning, the protocol may be like this:

  1. enum HTTPMethod: String {
  2. case GET
  3. case POST
  4. }
  5.  
  6. protocol Request {
  7. var host: String { get }
  8. var path: String { get }
  9.      
  10. var method: HTTPMethod { get }
  11. var parameter: [String: Any ] { get }
  12. }

By concatenating host and path, we can get the API address we need to request. For simplicity, HTTPMethod now only includes two request methods: GET and POST. In our example, we will only use GET request.

Now, you can create a new UserRequest to implement the Request protocol:

  1. struct UserRequest: Request {
  2. let name : String
  3.      
  4. let host = "https://api.onevcat.com"  
  5. var path: String {
  6. return   "/users/\(name)"  
  7. }
  8. let method: HTTPMethod = .GET
  9. let parameter: [String: Any ] = [:]
  10. }

UserRequest has a name attribute with no initial value defined, and the other attributes are defined to meet the protocol. Because the request parameter username name will be passed through the URL, it is sufficient for parameter to be an empty dictionary. With the protocol definition and a specific request that meets the definition, we now need to send the request. In order for any request to be sent in the same way, we define the sending method on the Request protocol extension:

  1. extension Request {
  2. func send(handler: @escaping ( User ?) -> Void) {
  3. // ... implementation of send
  4. }
  5. }

In the send(handler:) parameter, we define the escapeable (User?) -> Void. After the request is completed, we call this handler method to notify the caller whether the request is completed. If everything is normal, a User instance is returned, otherwise nil is returned.

We want this send method to be universal for all Requests, so obviously the callback parameter type cannot be User. By adding an associated type to the Request protocol, we can abstract the callback parameter. Add the following at the end of Request:

  1. protocol Request {
  2. ...
  3. associatedtype Response
  4. }

Then in UserRequest, we also add the type definition accordingly to satisfy the protocol:

  1. struct UserRequest: Request {
  2. ...
  3. typealias Response = User  
  4. }

Now, let's reimplement the send method. Now, we can use Response instead of the specific User to make send more general. Here we use URLSession to send the request:

  1. extension Request {
  2. func send(handler: @escaping (Response?) -> Void) {
  3. let url = URL(string: host.appending(path))!
  4. var request = URLRequest(url: url)
  5. request.httpMethod = method.rawValue
  6.          
  7. // In this example we don't need `httpBody`, in practice we may need to convert parameter to data
  8. // request.httpBody = ...
  9.          
  10. let task = URLSession.shared.dataTask( with : request) {
  11. data, res, error in  
  12. // Processing results
  13. print(data)
  14. }
  15. task.resume()
  16. }
  17. }

By concatenating the host and path, we can get the entry point of the API. Create a request based on this URL, configure it, generate a data task and send the request. The remaining work is to convert the data in the callback into the appropriate object type and call the handler to notify the external caller. For User, we know that we can use User.init(data:), but for the general Response, we don’t know how to convert the data into a model. We can define a parse(data:) method in Request to require the specific type that satisfies the protocol to provide a suitable implementation. In this way, the task of providing the conversion method is "decentralized" to UserRequest:

  1. protocol Request {
  2. ...
  3. associatedtype Response
  4. func parse(data: Data) -> Response?
  5. }
  6.  
  7. struct UserRequest: Request {
  8. ...
  9. typealias Response = User  
  10. func parse(data: Data) -> User ? {
  11. return   User (data: data)
  12. }
  13. }

With the method of converting data into Response, we can process the result of the request:

  1. extension Request {
  2. func send(handler: @escaping (Response?) -> Void) {
  3. let url = URL(string: host.appending(path))!
  4. var request = URLRequest(url: url)
  5. request.httpMethod = method.rawValue
  6.          
  7. // In this example we don't need `httpBody`, in practice we may need to convert parameter to data
  8. // request.httpBody = ...
  9.          
  10. let task = URLSession.shared.dataTask( with : request) {
  11. data, _, error in  
  12. if let data = data, let res = parse(data: data) {
  13. DispatchQueue.main.async { handler(res) }
  14. } else {
  15. DispatchQueue.main.async { handler(nil) }
  16. }
  17. }
  18. task.resume()
  19. }
  20. }

Now, let's try to request this API:

  1. let request = UserRequest( name : "onevcat" )
  2. request.send { user   in  
  3. if let user = user {
  4. print( "\(user.message) from \(user.name)" )
  5. }
  6. }
  7.  
  8. // Welcome to MDCC 16! from onevcat

1.1.2 Refactoring, separation of concerns

Although the requirements can be met, the above implementation can be said to be very bad. Let's take a look at the definition and extension of Request now:

  1. protocol Request {
  2. var host: String { get }
  3. var path: String { get }
  4.      
  5. var method: HTTPMethod { get }
  6. var parameter: [String: Any ] { get }
  7.      
  8. associatedtype Response
  9. func parse(data: Data) -> Response?
  10. }
  11.  
  12. extension Request {
  13. func send(handler: @escaping (Response?) -> Void) {
  14. ...
  15. }
  16. }

The biggest problem here is that Request manages too many things. A Request should only define the request entry and the expected response type, but now Request not only defines the value of the host, but also knows how to parse the data. Finally, the send method is tied to the implementation of URLSession and exists as part of Request.

This is unreasonable because it means we cannot update the way to send requests without changing the request, they are coupled together. Such a structure makes testing extremely difficult. We may need to intercept the request through stub and mock, and then return the constructed data, which will use the content of NSURLProtocol, or introduce some third-party testing frameworks, which greatly increases the complexity of the project. This may be an option in the Objective-C era, but in the new era of Swift, we have much better ways to deal with this matter.

Let's start refactoring the previous code and add tests for them. First, we separate send(handler:) from Request. We need a separate type to be responsible for sending requests. Based on the POP development method, we start by defining a protocol that can send requests:

  1. protocol Client {
  2. func send(_ r: Request, handler: @escaping (Request.Response?) -> Void)
  3. }
  4.  
  5. // Compilation error

The above declaration is quite clear from a semantic point of view, but because Request is a protocol with associated types, it cannot be used as an independent type. We can only use it as a type constraint to restrict the input parameter request. The correct declaration should be:

  1. protocol Client {
  2. func send<T: Request>(_ r: T, handler: @escaping (T.Response?) -> Void)
  3.  
  4. var host: String { get }
  5. }

In addition to using the generic <T: Request> approach, we also moved the host from Request to Client, where it is more appropriate. Now, we can remove the Request protocol extension that contains send and create a new type to satisfy Client. As before, it will use URLSession to send the request:

  1. struct URLSessionClient: Client {
  2. let host = "https://api.onevcat.com"  
  3.      
  4. func send<T: Request>(_ r: T, handler: @escaping (T.Response?) -> Void) {
  5. let url = URL(string: host.appending(r.path))!
  6. var request = URLRequest(url: url)
  7. request.httpMethod = r.method.rawValue
  8.          
  9. let task = URLSession.shared.dataTask( with : request) {
  10. data, _, error in  
  11. if let data = data, let res = r.parse(data: data) {
  12. DispatchQueue.main.async { handler(res) }
  13. } else {
  14. DispatchQueue.main.async { handler(nil) }
  15. }
  16. }
  17. task.resume()
  18. }
  19. }

Now the part of sending the request is separated from the request itself, and we define the Client using a protocol. In addition to URLSessionClient, we can use any type that satisfies this protocol and sends the request. This way, the specific implementation of the network layer is no longer related to the request itself, and we will further see the benefits of doing so when testing later.

There is still a problem in this implementation, that is the parse method of Request. The request should not and does not need to know how to parse the data, this work should be handed over to Response. And now we have not made any restrictions on Response. Next we will add a new protocol, and the type that meets this protocol will know how to convert a data into the actual type:

  1. protocol Decodable {
  2. static func parse(data: Data) -> Self?
  3. }

Decodable defines a static parse method. Now we need to add this restriction to the Response associated type of Request. This way, we can ensure that all Responses can parse the data. The parse declaration in the original Request can also be removed:

  1. // Final Request protocol
  2. protocol Request {
  3. var path: String { get }
  4. var method: HTTPMethod { get }
  5. var parameter: [String: Any ] { get }
  6.      
  7. // associated type Response
  8. // func parse(data: Data) -> Response?
  9. associatedtypeResponse: Decodable
  10. }

The last thing to do is to make User satisfy Decodable and modify the parsing code of URLSessionClient above to use the parse method in Response:

  1. extension User : Decodable {
  2. static func parse(data: Data) -> User ? {
  3. return   User (data: data)
  4. }
  5. }
  6.  
  7. struct URLSessionClient: Client {
  8. func send<T: Request>(_ r: T, handler: @escaping (T.Response?) -> Void) {
  9. ...
  10. // if let data = data, let res = parse(data: data) {
  11. if let data = data, let res = T.Response.parse(data: data) {
  12. ...
  13. }
  14. }
  15. }

Finally, we clean up the host and parse that are no longer needed in UserRequest, and a type-safe, decoupled, protocol-oriented network layer appears before us. When we want to call UserRequest, we can write:

  1. URLSessionClient().send(UserRequest( name : "onevcat" )) { user   in  
  2. if let user = user {
  3. print( "\(user.message) from \(user.name)" )
  4. }
  5. }

Of course, you can also add a singleton to URLSessionClient to reduce the creation overhead of the request, or add a Promise call method to the request, etc. Under the organization of POP, these changes are very natural and will not involve other parts of the request. You can add other API requests to the network layer in a similar way to the UserRequest type. You only need to define the necessary content of the request without worrying about touching the specific implementation of the network.

1.1.3 Network layer test

Declaring the Client as a protocol brings us the additional benefit that we are not limited to using a specific technology (such as URLSession here) to implement network requests. With POP, you just define a protocol for sending requests, and you can easily use mature third-party frameworks such as AFNetworking or Alamofire to build specific data and handle the underlying implementation of the request. We can even provide a set of "fake" responses to requests for testing. This is conceptually close to the traditional stub & mock approach, but the implementation is much simpler and clearer. Let's take a look at how to do it.

We first prepare a text file and add it to the test target of the project as the content returned by the network request:

  1. // File name: users:onevcat
  2. { "name" : "Wei Wang" , "message" : "hello" }

Next, you can create a new type that satisfies the Client protocol. However, unlike URLSessionClient, the send method of this new type does not actually create a request and send it to the server. What we need to verify during testing is that if the server responds correctly according to the document after a request is sent, then we should also be able to get the correct model instance. So what this new Client needs to do is to load the defined result from the local file and then verify whether the model instance is correct:

  1. struct LocalFileClient: Client {
  2. func send<T : Request>(_ r: T, handler: @escaping (T.Response?) -> Void) {
  3. switch r.path {
  4. case   "/users/onevcat" :
  5. guard let fileURL = Bundle( for : ProtocolNetworkTests.self).url(forResource: "users:onevcat" , withExtension: "" ) else {
  6. fatalError()
  7. }
  8. guard let data = try? Data(contentsOf: fileURL) else {
  9. fatalError()
  10. }
  11. handler(T.Response.parse(data: data))
  12. default :
  13. fatalError( "Unknown path" )
  14. }
  15. }
  16.      
  17. // In order to meet the requirements of `Client`, we will not actually send a request
  18. let host = ""  
  19. }

What LocalFileClient does is very simple. It first checks the path attribute of the input request. If it is /users/onevcat (which is the request we need to test), it reads the predefined file from the test bundle, parses it as the return result, and then calls the handler. If we need to add tests for other requests, we can add new case items. In addition, the part of loading local file resources should use a more general writing method, but since we are just an example here, we will not dwell on it too much.

With the help of LocalFileClient, it is now easy to test UserRequest:

  1. func testUserRequest() {
  2. let client = LocalFileClient()
  3. client.send(UserRequest( name : "onevcat" )) {
  4. user   in  
  5. XCTAssertNotNil( user )
  6. XCTAssertEqual( user !. name , "Wei Wang" )
  7. }
  8. }

In this way, we can perform request testing without relying on any third-party testing libraries, nor using complex technologies such as URL proxy or runtime message forwarding. Keeping the code and logic simple is crucial for project maintenance and development.

1.1.4 Scalability

Because of the high degree of decoupling, this POP-based implementation provides a relatively loose possibility for code expansion. As we have just said, you do not have to implement a complete Client yourself, but can rely on the existing network request framework to implement the request sending method.

In other words, you can easily replace a request method in use with another one without affecting the definition and use of the request. Similarly, in the processing of Response, we now define Decodable and parse the model in our own handwritten way. We can also use any third-party JSON parsing library to help us quickly build model types. This only requires implementing a method to convert Data to the corresponding model type.

If you are interested in POP-based network requests and model parsing, you may want to take a look at the APIKit[5] framework. The method we show in the example is the core idea of ​​this framework.

Using protocols to help improve code design

Through protocol-oriented programming, we can be freed from traditional inheritance and assemble programs in a more flexible way, like building blocks. Each protocol focuses on its own function, and thanks to protocol extension, we can reduce the risk of shared state brought by classes and inheritance, making the code clearer.

A high degree of protocolization helps with decoupling, testing, and expansion. Using protocols in combination with generics can free us from the troubles of dynamic calls and type conversions, ensuring the security of the code.

Question session

After the keynote speech, several friends raised some very meaningful questions, which I have summarized here. There may be slight differences between the questions and answers and the situation at that time, so they are for reference only.

When I was watching the demo just now, I found that you always write the protocol first, instead of the struct or class. Should we define the protocol first when practicing POP?

  • I wrote the protocol directly because I already had a full understanding of what I was going to do and I hoped that the speech would not exceed the time limit. However, in actual development, you may not be able to write a suitable protocol definition at the beginning. It is recommended that you define it "roughly" as I did in the demo, and then get a final version through continuous refactoring. Of course, you can also sketch an outline with pen and paper first, and then define and implement the protocol. Of course, no one stipulates that you must define the protocol first. You can also start with ordinary types, and then when you find common points or encounter the difficulties we mentioned earlier, look back and see if protocol-oriented is more appropriate. This requires certain POP experience.

Since POP has so many advantages, do we no longer need object-oriented programming and can we switch to protocol-oriented programming?

  • The answer may disappoint you. In our daily projects, Cocoa, which we deal with every day, is actually a framework with a strong OOP color. In other words, it may be impossible for us to abandon OOP for a period of time. However, POP can actually "coexist harmoniously" with OOP, and we have seen many examples of using POP to improve code design. In addition, it should be added that POP is not a silver bullet, and it has a bad side. The biggest problem is that protocols increase the level of abstraction of the code (this is the same as class inheritance), especially when your protocol inherits other protocols, this problem is particularly serious. After several layers of inheritance, it becomes difficult to meet the end protocol, and it is difficult for you to determine which protocol a certain method meets. This will make the code quickly complicated. If a protocol does not describe many common points, or can be quickly understood, it may be simpler to use basic types.

Thank you for your speech. I would like to ask about your use of POP in your projects.

  • We use a lot of POP concepts in our project. The network request examples in the demo above are extracted from actual projects. We think such requests are very easy to write because the code is very simple and it is very comfortable for newcomers to take over. In addition to the model layer, we also use some POP codes in the view and view controller layers, such as NibCreatable for creating views from nibs, NextPageLoadable for supporting paging requests for tableview controllers, EmptyPage for displaying pages when the list is empty, and so on. Due to time constraints, it is impossible to explain them one by one, so here I only picked a representative and not very complex network example. In fact, each protocol makes our code, especially the View Controller, shorter and makes testing possible. It can be said that our project has benefited a lot from POP, and we should continue to use it.

This article is reprinted from the WeChat public account "Swift Community", which can be followed through the following QR code. To reprint this article, please contact the Swift Community public account.

<<:  User complaints have dropped significantly, so why can’t operators smile?

>>:  Interview Question Series: 12 Deadly Questions on Network

Recommend

An article about NioEventLoopGroup source code analysis

[[408806]] This article is reprinted from the WeC...

Unlimited data? 5G packages are more varied, watch out for your phone bills

The buyer is always the wisest, and it is well kn...

5G and satellite, what is the relationship?

[[353771]] This article is reprinted from the WeC...

Why can a TCP connection only have "3-way handshake" and not 2 or 4?

We know that the communication modes between clie...

Graphical explanation | A brief history of what is HTTP

[[344212]] This article is reprinted from the WeC...

HTML page basic structure and loading process

[[433851]] Hello everyone, I am Pippi. Preface Fo...

What is Wi-Fi-6E and how is it different from Wi-Fi-6

Three years ago, Wi-Fi 6 technology entered the m...

What is the success or failure of SDX?

SDN and SDS have been proposed for many years, bu...