--- Title: "Easy Optimization Wins" Author: Sami Samhuri Date: "10th August, 2016" Timestamp: 2016-08-10T10:30:49-07:00 Tags: ios, git --- It's not hard to hide a whole lot of complexity behind a function call, so you have to be very aware of what the functions you are using actually do, and how long they take to do it. Here's some example code illustrating a big performance problem I found in a codebase I've inherited. We have a dictionary keyed by a string representing a date, e.g. "2016-08-10", and where the values are arrays of videos for that given date. Due to some unimportant product details videos can actually appear in more than one of the array values. The goal is to get an array of all videos, sorted by date, and with no duplicates. So we need to discard duplicates when building the sorted array. ```swift func allVideosSortedByDate(allVideos: [String:[Video]]) -> [Video] { var sortedVideos: [Video] = [] // sort keys newest first var dateKeys = allVideos.allKeys.sort { $1 < $0 } for key in dateKeys { for video in allVideos[key] { if !sortedVideos.contains(video) { sortedVideos.append(video) } } } return sortedVideos } ``` Can you spot the problem here? `sortedVideos.contains(_:)` is an `O(n)` algorithm which means that in the worst case it has to look at every single element of the collection to check if it contains the given item. It potentially does `n` operations every time you call it. Because this is being called from within a loop that's already looping over all `n` items, that makes this an O(n2) algorithm, which is pretty terrible. If you ever write an n2 algorithm you should find a better solution ASAP. There almost always is one! If we have a modest collection of 1,000 videos that means we have to do 1,000,000 operations to get a sorted array of them. That's really bad. One measly line of innocuous looking code completely blew the performance of this function. In this particular case my first instinct is to reach for a set. We want a collection of all the videos and want to ensure that they're unique, and that's what sets are for. So what about sorting? Well we can build up the set of all videos, then sort that set, converting it to an array in the process. Sounds like a lot of work right? Is it really faster? Let's see what it looks like. ```swift func allVideosSortedByDate(allVideos: [String:[Video]]) -> [Video] { var uniqueVideos: Set