Beliebte Suchanfragen

Cloud Native

DevOps

IT-Security

Agile Methoden

Java

//

Full-stack Swift – Part 2

23.10.2016 | 8 minutes of reading time

In the first part of this blog post , we have successfully built a simple Vapor web server.
Now we are going to complement it with an iOS app.

The app will be written in Swift and it will be using Google’s Protocol Buffers (from now on protobuf) for communicating with the server over HTTP.

The app should be able to:

  • Display the existing books that are stored on the server
  • Add new books to the server

Building the UI of the app is outside the scope of this blog post, instead we will focus on the network layer and working with protobuf.

PROJECT SETUP

Create a new Xcode Single View Application project.
Name it BookshelfApp.
Add the previously generated Bookshelf.pb.swift into your project in order to be able to work with Book and Shelf objects.
In order to be able to use this class, we need to add Apple’s protobuf runtime library to the project.

We will use Carthage for dependency management. If you don’t already have it installed, install it using the official instructions.

Create a Cartfile that will be used by Carthage for fetching dependencies:

1$ echo 'github "apple/swift-protobuf"' >> Cartfile

Fetch dependencies listed in your Cartfile into a Carthage/Checkouts folder, and build each one of them by running:

1$ carthage update --platform iOS

In your application’s target “General” settings tab, in the “Linked Frameworks and Libraries” section, drag and drop SwiftProtobuf.framework from the Carthage/Build folder.

In your application’s target “Build Phases” settings tab, click the “+” icon and choose “New Run Script Phase”. Create a Run Script in which you specify your shell (ex: bin/sh), add the following contents to the script area below the shell:

1$ /usr/local/bin/carthage copy-frameworks

and add the path to the SwiftProtobuf.framework under “Input Files”:
$(SRCROOT)/Carthage/Build/iOS/SwiftProtobuf.framework

Now we can use parse bytes into and from Book and Shelf objects.

NETWORK LAYER

Although many iOS Developers prefer using libraries such as AFNetworking (ObjC) / Alamofire (Swift) for creating their network layer, but in my opinion you should minimize the number of dependencies whenever you can.
In the case of iOS and networking, Apple has done a really god job with the URLSession class, and I will be using it for the core of the networking layer.

Create an empty Swift file called BackendRequest.
In this file we will define a protocol that every backend request will need to implement:

1protocol BackendRequest {
2    var endpoint: String { get }
3    var method: BackendRequestMethod { get }
4    var headers: [String: String]? { get }
5    var data: Data? { get }
6    func didSucceed(with data: Data)
7    func didFail(with error: Error)
8    func execute()
9}

Each request to the backend needs to have:

  • An endpoint that it’s targeting
  • HTTP method
  • HTTP headers
  • HTTP body data
  • A way to handle data it got from the server
  • A way to handle an error
  • Method to enable executing it

As you can see we are missing the BackendRequestMethod type.
It will be an enum with a raw value of String, define it just above the protocol definition:

1enum BackendRequestMethod: String {
2    case get, post, put, delete
3}

Also, let’s define some HTTP headers that we will use for our request just above the protocol definition:

1struct BackendRequestHeader {
2    static let contentTypeOctetStream = ["Content-Type": "application/octet-stream"]
3    static let acceptOctetStream = ["Accept": "application/octet-stream"]
4}

Add an extension with a default implementation of the execute method that will execute the request on the shared instance (singleton) of the BackendService (not implemented yet), below the protocol :

1extension BackendRequest { 
2    func execute() {
3        BackendService.sharedInstance.execute(backendRequest: self)
4    }
5}

Finally, define typealiases for default request completion handling above the protocol definition:

1typealias SuccessHandler = (Void) -> Void
2typealias FailureHandler = (Error) -> Void

As you can see, we haven’t yet implemented the BackendService class that is capable of executing our BackendRequests, so we need to create it.
Create a new Swift file named BackendService.
Inside it define a new class called BackendService:

1final class BackendService {
2    public static let sharedInstance = BackendService()
3    let baseUrl = URL(string: "http://localhost:8080")!
4    let session = URLSession.shared
5}

BackendService is going to be a singleton.
We are going to keep it as simple as possible. In a real project it could be improved by adding a priority queue, and some configuration options.
We added a baseUrl for our local instance of web server, and we added a shared URLSession.
Time to add the core method for executing backend requests. Inside the BackendService class, add the execute method:

1public func execute(backendRequest: BackendRequest) {
2 
3    var urlRequest = URLRequest(url: baseUrl.appendingPathComponent(backendRequest.endpoint), cachePolicy: .reloadIgnoringCacheData, timeoutInterval: 10.0)
4 
5    urlRequest.httpMethod = backendRequest.method.rawValue
6 
7    if let data = backendRequest.data {
8        urlRequest.httpBody = data
9    }
10 
11    if let headers = backendRequest.headers {
12        for (key, value) in headers {
13            urlRequest.addValue(value, forHTTPHeaderField: key)
14        }
15    }
16 
17    let task = session.dataTask(with: urlRequest) { (data, response, error) in
18        guard let data = data, let _ = response, error == nil else {
19            if let error = error {
20                backendRequest.didFail(with: error)
21            }
22            return
23        }
24        backendRequest.didSucceed(with: data)
25    }
26 
27    task.resume()
28}

In this method we are:

  1. Creating a new URLRequest, and setting it’s url by combining the baseUrl and the BackendRequest’s endpoint
  2. Setting the URLRequest http method
  3. Checking the backendRequest for serialized data, and if there is any filling the URLRequest’s httpBody with it
  4. Going through the BackendRequest’s headers and setting the URLRequest’s headers appropriately
  5. Setting the session dataTask callback to properly return data or an error by using BackendRequest’s methods for it
  6. Starting the URLSession’s data task by calling the resume method on the task

In order to see if our BackendService is working properly, let’s try fetching data from our server.
We need to implement a proper BackendRequest first.
Create a new Swift file named BackendGetShelfRequest.
Inside it, create a new struct named BackendGetShelfRequest, and a typealias for this request’s completion handler:

1typealias GetShelfSuccessHandler = (Shelf) -> Void
2 
3struct BackendGetShelfRequest {
4    var successHandler: GetShelfSuccessHandler?
5    var failureHandler: FailureHandler?
6}

Implement the BackendRequest protocol in an extension:

1extension BackendGetShelfRequest: BackendRequest {
2    var endpoint: String {
3        return "shelf"
4    }
5 
6    var method: BackendRequestMethod {
7        return .get
8    }
9 
10    var headers: [String: String]? {
11        return BackendRequestHeader.acceptOctetStream
12    }
13 
14    var data: Data? {
15        return nil
16    }
17 
18    func didSucceed(with data: Data) {
19        if let shelf = try? Shelf(protobuf: data), let successHandler = successHandler {
20            successHandler(shelf)
21        }
22    }
23 
24    func didFail(with error: Error) {
25        if let failureHandler = failureHandler {
26            failureHandler(error)
27        }
28    }
29}

The crucial part is the didSucceed method.
We are getting a serialized protobuf from the server and we are trying to deserialize it into an Shelf object.
A lot of edge cases are not covered.
In a real project you should check the response headers and do some more checks and error handling, but that is outside of the scope of this blog post.
If deserialization is successful and there is a successHandler, we pass the resulting shelf object to the completion handler.
In a proper app, we would save the results of our request in a persistence layer such as CoreData, but here we are just passing the results to the completion handler to be used in the app from memory.

All we need to do now is run our previously created server and then, in our app, init and execute an instance of BackendGetShelfRequest:

1var request = BackendGetShelfRequest()
2 
3request.successHandler = { shelf in
4    DispatchQueue.main.async {
5        for book in shelf.books {
6            print(book)
7        }
8    }
9}
10 
11request.failureHandler = { error in
12    DispatchQueue.main.async {
13        print(error.localizedDescription)
14    }
15}
16 
17request.execute()

Try this out in your ViewController’s viewDidLoad method, and if you have done everything correctly you will see an error in your console.
Because of iOS inbuilt security you can not send a non-https request without downgrading the security settings of your app.
Inside your Info.plist add:

1<key>NSAppTransportSecurity</key>
2    <dict>
3        <key>NSAllowsArbitraryLoads</key>
4        <true/>
5    </dict>

This should not be done in a real app, and you should use https for your web server.

Try running your app again, and now you will see the data of your books on server printed out.

Adding a book is quite similar with a few differences:

1struct BackendAddBookRequest {
2 
3    let book: Book
4    var successHandler: SuccessHandler?
5    var failureHandler: FailureHandler?
6 
7    init(book: Book, successHandler: SuccessHandler? = nil, failureHandler: FailureHandler? = nil) {
8        self.book = book
9        self.successHandler = successHandler
10        self.failureHandler = failureHandler
11    }
12}
13 
14extension BackendAddBookRequest: BackendRequest {
15 
16    var endpoint: String {
17        return "book"
18    }
19 
20    var method: BackendRequestMethod {
21        return .post
22    }
23 
24    var headers: [String: String]? {
25        return BackendRequestHeader.contentTypeOctetStream
26    }
27 
28    var data: Data? {
29        guard let serializedBook = try? book.serializeProtobuf() else {
30            return nil
31        }
32        return serializedBook
33    }
34 
35    func didSucceed(with data: Data) {
36        if let successHandler = successHandler {
37            successHandler()
38        }
39    }
40 
41    func didFail(with error: Error) {
42        if let failureHandler = failureHandler {
43            failureHandler(error)
44        }
45    }
46}

We init a BackendAddBookRequest a Book object.
In the data computed variable we try to serialize the book into protobuf bytes.
If the serialization is successful we return the serialized protobuf.
If it fails we return nil.
The rest is handled by our implementation of BackendService.

The rest of the project is basic iOS table-based UI for displaying and adding books, which I belive most of you reading this are acquainted with, and building that part is outside of the scope of this blog post.
If you want to take this project further, you can take this from here and implement proper controllers inside the Vapor app, add/or add a persistence layer on both server and client side.

WRAPPING UP

In the first part of this blog post we created a simple web server using Vapor web framework and Swift programming language.
We demonstrated Swift’s simplicity and expressiveness and it’s huge potential for server-side development.
In this part of the blog post, we created the complementary iOS app that communicates with previously created web server.
In both the client and server-side code we used Protocol Buffers for serializing and deserializing data in our HTTP requests.

Full source code is available at the project’s github repository.

I hope you have enjoyed this blog post, feel free to comment and ask any questions you want!

share post

Likes

0

//

More articles in this subject area

Discover exciting further topics and let the codecentric world inspire you.

//

Gemeinsam bessere Projekte umsetzen.

Wir helfen deinem Unternehmen.

Du stehst vor einer großen IT-Herausforderung? Wir sorgen für eine maßgeschneiderte Unterstützung. Informiere dich jetzt.

Hilf uns, noch besser zu werden.

Wir sind immer auf der Suche nach neuen Talenten. Auch für dich ist die passende Stelle dabei.