Callbacks, Part 3: Promise, Event, and Stream (Functional Reactive Programming)

This article continues the series of posts about callback techniques in Cocoa, their comparison & benchmarking. This one is about Promise, Event, and Stream, their pros & cons. Happy reading!
Callbacks, Part 1: Delegation, NotificationCenter, and KVO
Callbacks, Part 2: Closure, Target-Action, and Responder Chain
Intro
What’s the most challenging problem for you when writing an async code? For me, it’s to keep the async code as readable as the sync code is (considering your sync core is readable 😜). Unfortunately, neither Swift nor Objective-C have the support of the async-await syntax like C# has, so we have to deal with the routine of the Closure callbacks, which is truly the best tool among standard solutions we have in our disposal.
As discussed in the previous post, when we use Closures as callbacks the code can quickly become hardly readable, because the only way we can chain callbacks is to nest one into another, forming the pyramid of doom.
In fact, this construction of a few callbacks nested in each other can cause even more inconvenience:
- Tedious error handling: for each callback, we have to check for error and manually route the execution flow to either next callback in case there was no error, or to error handling code otherwise. A lot of boilerplate code.
- No support for cancellation: again, you have to write it on your own, store somewhere the state and check the state of the operation in each callback. More code to write!
- Hard to manage parallel tasks: you have two operations working in parallel which in the end need to launch another operation awaiting the first two. With traditional callbacks, you’d need to share the state between the callbacks and cross-check the state in callbacks. A lot of ugly and error-prone code.
So, after using standard callback techniques through the length and breadth I came to a conclusion that their drawbacks are so significant that I needed to look for better tools, and these are Promise, Event and Stream.
Promise
Although the concept of Promises (aka Futures) is ancient as dinosaurs, it has been rediscovered by the JS community not so long ago and then rumors reached Cocoa developers as well.
Promises mitigate all the aforementioned problems: they have straightforward error handling, they support cancellation, can organize parallel tasks and make the code to look more sync-like.
So, how do Promises work?
Just like a BlockOperation, Promises use Closures for encapsulation of the client code, which is triggered at an appropriate time.
When we need to chain a few async tasks to perform one after the other, instead of nesting callbacks, Promises allow us to put the callbacks’ code in a natural order one block after the other, forming a chain rather than a pyramid.
This makes the code much easier to read and maintain.
Consider an example: we need to send two subsequent network requests: at first load a user and then using its id send another request for user’s posts. While requests are working, we need to display a “Loading…” message and hide it when both requests finish or when either fail with an error. In the error’s case, we should display it’s description.
A lot of business logic, huh? But see how gracefully this can be coded with Promises:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
firstly {
    // Triggering the loading indication and making the first API call
    showLoadingIndicator()
    return urlSession.get("/user")
}.then { user in
    // Notice that we use 'user.id', which was just loaded
    return urlSession.get("/user/\(user.id)/posts")
}.always {
    // The 'always' promise performs even if either of prior network requests failed
    hideLoadingIndicator()
}.then { posts in
    // The 'then' promise only performs if all the preceding promises succeeded
    // So here we can use "posts" loaded from the second request
    display(posts: posts)
}.catch { error in
    // Error handling in one place
    showErrorMessage(error)
}
As you can see, there are a few chained async operations written in a natural order of how they are performed. The code is more declarative and explanatory than with nested Closure callbacks.
Pure Cocoa doesn’t provide us with a native citizen for Promises, so the code above uses PromiseKit library, but there are also BrightFutures and Bolts, you can choose your favorite.
Advantages of using Promises
- Great alternative to traditional Closure callbacks, addresses many of their problems:
    - Chaining async callbacks rather then nesting them improves the readability of the code.
- Straightforward error handling, all errors are captured and forwarded for handling in one place.
- Ability to recover from errors and continue the original flow.
- Cancellation support (PromiseKit and Bolts).
- Awaiting of multiple promises before the chain continues can be coded without significant efforts.
 
- Automatically catches all the exceptions thrown by the client code and pacify them to simple Errors, which are handled just like other regular errors. This is an additional safety barrier for you if you work with something explosive, for example parsing a volatile JSON from some unstable web API.
- Promises are designed to be executed only once and then self-destruct. In certain situations, this is a very helpful feature, since this adds clarity to the code where it’s important to guarantee the callback cannot be called the second time.
- Because promises self-destruct after execution, it’s harder to leak memory referencing selfor another object from inside a Closure.
Disadvantages of using Promises
- Until you master your skills of using the Promises, every now and then the compiler would complain it cannot understand the code you just wrote with the promises. And don’t expect to see any meaningful explanation from the Swift compiler. So you have to be prepared to spend some time getting used to the syntax. This is definitely harder to use for newbies who are still not confident with Closures.
- As mentioned in the advantages, promises are resolved once and then dismissed. This also implies you cannot easily use Promises as an alternative to callbacks intended to be called multiple times, such as with delegate or NotificationCenter.
- The cancellation isn’t that tasteful as the error handling. Depending on realization, you’d have to check the cancellation status in each promise (Bolts) or handle a special type of Errorin the error handling code (PromiseKit).
- The syntax still isn’t that great as it could be with async-await, which is still not supported as of Swift version 5.0. 😒
- Promises are 100 times slower than any other callback technique (I’ve done benchmarking). This is because each consequent promise in the chain has to be scheduled through dispatch_asyncand performed asynchronously, which is a necessary evil: otherwise, promises can unintentionally cause deadlocks. This problem has its own name - “releasing Zalgo”. So it’s ok to use Promises for the networking layer, where the performance drop won’t be noticed, but I would think twice before using Promises elsewhere in the app.
- Debugging the promises is a pain. As you learned from the previous point, each consequent promise in the chain is always performed asynchronously. That means our favorite step-over debugging is simply not possible, you have to put breakpoints all over the place to be able to follow the execution flow.
- Any crash reporting tool, such as Crashlytics, are almost useless with Promises because when a code scheduled through dispatch_asynccrashes, your printed call stack trace is almost empty. You’d expect to see the full promise chain in the stack, but instead, there will be only the last promise that crashed, leaving you with no clue on where the source of the problem was.
Event
If Promises can be used as a replacement for Closure callbacks, Events are a great altrnative to standard delegation, target-action and NotificationCenter discussed in two previous posts.
Isn’t it cool that those three different APIs each having many drawbacks can be thrown away and replaced with one, very simple yet functional API? Event is a truly great alternative when you realize the problem of using the standard tools, but not yet willing to use Streams from Functional Reactive Programming.
The concept of Event can be found in C#, where it has support on the language level, but in Cocoa, we have to add a third-party library for Event. This can be Signals, or EmitterKit.
What’s really charming about Events is the simplicity of implementation - Event libraries are usually just about couple hundred lines of code, as opposed to Promise or FRP frameworks, where the size varies from 5,000 to 55,000 lines of code.
Events provide a generic mechanism for sending notifications to one or many recipients. The notification can carry any set of parameters of any types (thanks to Generics) and are delivered to subscription Closures.
Take a look at the example:
1
2
3
4
5
6
7
8
9
10
11
12
13
14
class DataProvider {
    // These public variables are points for subscription
    let dataSignal = Signal<(data: Data, error: Error)>()
    let progressSignal = Signal<Float>()
    ...
    func handle(receivedData: Data, error: Error) {
        // Whenever we want to notify subscribers we trigger the signal with the payload data to deliver
        progressSignal.fire(1.0)
        dataSignal.fire(data:receivedData, error:error)
    }
}
As you can guess from the code above, the DataProvider is going to be the source of notifications. Now see how the other modules can subscribe for and handle the notifications:
1
2
3
4
5
6
7
8
9
10
11
12
13
class DataConsumer {
    init(dataProvider: DataProvider) {
        // 'progress' updates will be sampled to us every 0.5 second
        dataProvider.progressSignal.subscribe(on: self) { progress in
            // handle progress
        }.sample(every: 0.5)
        // one time subscription for tuple (data, error)
        dataProvider.dataSignal.subscribeOnce(on: self) { (data, error) in
            // handle data or error
        }
    }
}
Advantages of using Events
- Supports multiple recipients.
- Has ability to transmit any set of data with a safe static type checking. This includes a Voidevent for no data in the notification.
- Automatic cancellation of the subscription for deallocated subscribers (depends on the library).
- Very lean infrastructure:
    - We describe all the information about the notification (name + data type) and simultaneously create the subscription point with one line of code
- The subscription point is at the same time the delivery hub: sending a notification is again just one line of code
 
- Low coupling: both the subscription point and the transmitted data format are declared in one place with lowest possible connascence of name.
- The lightweight of the libraries. Less code – fewer bugs.
- Because of inner simplicity of the notification delivery code, we have
    - Meaningful call stacks if the client code crashes
- Easier debugging than with Promises or Streams
 
- Trivial API that’s really easy to understand and start using to full extent than Promises or Streams
- Library specific features, such as:
    - one-time subscription
- delayed notifications
- filtering and time sampling of notifications
- delivery of notifications to specific OperationQueue
 
Disadvantages of using Events
- Two or more Events cannot be naturally combined in any manner. Any business logic depending on multiple Events has to be coded separately. (In the meanwhile Promises and Streams are combinable by design).
- Events can only be used for transmitting the data in one direction. We cannot pull data with them, as we could with delegation or Closure.
- Just as with any other tool utilizing Closures for client code encapsulation, you should beware retain cycles. Be sure to use constructions like [weak self].
Stream
“Asynchronous data stream” or just Stream - is the main concept behind Functional Reactive Programming frameworks, such as ReactiveSwift or RxSwift. FRP is a fairly big topic, so I’ll give a short reference here and focus on its Pros and Cons, while you can read a more detailed introduction somewhere else.
We just talked about Event, so in this case, the Stream is the “Event on steroids”:
- It remembers all the values that have been sent through during its lifetime
- It can be combined with other streams in many fancy ways
- It has significant incline towards writing functional-style code
- It has deep integration with Cocoa classes (via supplementary frameworks¹)
- It has more generic use cases than just observation
¹ When combined with ReactiveCocoa or RxCocoa, Streams form a fully-fledged toolkit that replaces many things we got used to in Cocoa, including previously discussed delegation, target-action, and other techniques. More than that, most of the code boilerplate we had in our apps, such as when working with UITableView, now can be replaced with literally one-line-of-code UI bindings and data streams manipulated by functional operators.
Although the functional code is preferred and highly encouraged by those libraries, the developer can choose to which extent he wants to dive into the functional programming world - at a bare minimum we can use Streams just like Events - for notification delivery, writing the callback closure in imperative style.
Below is an example from ReactiveSwift, which demonstrates how compact could be the code that sends search requests as the user enters the text, keeping only the latest request alive:
1
2
3
4
5
6
7
8
9
10
let searchResults = searchStrings
    .flatMap(.latest) { (query: String?) -> SignalProducer<(Data, URLResponse), AnyError> in
        let request = self.makeSearchRequest(escapedQuery: query)
        return URLSession.shared.reactive.data(with: request)
    }
    .map { (data, response) -> [SearchResult] in
        let string = String(data: data, encoding: .utf8)!
        return self.searchResults(fromJSONString: string)
    }
    .observe(on: UIScheduler())
If you never worked with FRP libraries, you might not know what flatMap does, or why you even need a SignalProducer here and not a Signal. For a developer joining the FRP world, this is the main challange - a lot of unknown functions, operators and even bizarre code formatting to get used to.
From a developer’s standpoint, Stream is the most challenging “callback” technique to learn among those discussed in this post’ series; but as the outcome, you get significantly bigger opportunities.
And again, if you want to learn more about FRP, here are a couple usefull links for you to get started, and a comparison of ReactiveSwift and RxSwift if you want to decide which one to use in your project.
Advantages of using Streams
- Generally universal tool that can be used wherever you need to “call back” to other programming entities. The stream is able to replace all the traditional callback techniques available in Cocoa, and does it gracefully.
- Has a very strong community, so you won’t be left alone with your problem when using Stream.
- Encourages writing code in a functional style rather than in imperative, which mitigates a callback hell problem and generally improves the code cohesion.
- Stream libraries have Cocoa extensions with UI bindings that help with reducing the amount of code we write for updating the UI with app’s state changes.
- Stream can be naturally combined with other streams to address a problem of having many dependent async operations.
- The Stream borrows many advantages from Events and Promises:
    - Ability to transmit any set of data with the strict type checking by the compiler.
- Support for multiple observers.
- Ability to easily control the lifetime of the subscriptions.
- Cancellation that automatically propagates and stops all related operations.
- Error handling in one place.
- Ability to recover from errors and continue execution.
- Delayed notifications
- Filtering and time sampling of notifications
- Delivery of notifications to specific OperationQueue
 
Disadvantages of using Streams
- Considerably higher required skill-level than with other techniques. This is not a tool like Event, which works out of the box for you, you need to learn (a lot) how to cook it first.
- Many sources of confusion even for seasoned developers:
    - Hot & cold signals (streams). You need to understand the difference as this dramatically impacts how they should be used. In RxSwift Hot & Cold signals are syntactically indistinguishable, which can lead to hard-to-find bugs.
- Long list of exotic functions applicable to the Stream makes developers look up for the definition and carefully read about the semantics of the method in order to avoid misusage.
- It is impossible to predict the behavior of the Stream - how many events (and of which type) it will generate. You cannot guarantee the Stream will send one or many value events before it completes. An example is a networking request - the client code may expect to receive the response once, but instead, there can be multiple value events if the request streams the data, or if the networking code automatically requests next pages of a paginated list. With RxSwift this is also impossible to declare a Stream that cannot generate an error event, which means you always have to implement error handlers or expose your app for potential bugs if you choose to ignore errors.
 
- This has never been easier to massively leak the memory ever since the times we had manual reference counting in Objective-C ([[object retain] autorelease], remember them?). Even when usingweakandunownedfor every reference inside the Closures, each time you start a Stream subscription you should explicitly limit its lifetime usingDisposeBagfrom RxSwift orLifetimefrom ReactiveSwift, or you risk leaking this subscription (and possibly other objects too) and ultimately ruining the app performance. If you prefer usingunownedoverweak, be prepared for crashes as well.
- FRP frameworks encourage the use of custom operators borrowed from other functional languages. This often looks unnatural in Swift and adds ambiguity, unless you have a few years of Haskell programming in your background.
- Heavyweight frameworks with the core functionality (15,000 and 55,000 lines of code for two most popular FRP frameworks). This not only increases the size of your app but also extends the app’s launch time, just as with other dynamically loaded frameworks.
Let's connect!
Subscribe to RSS feed or follow my Twitter for the new articles alerts. And let's connect on LinkedIn as well!