General Swift Flashcards
Consider the following code:
var array1 = [1,2,3,4,5] var array2 = array1 array2.append(6) var len = array1.count
What is the value of ‘len’ variable, and why?
The ‘len’ variable is equal to 5, meaning that array1 has 5 elements, whereas array2 has 6.
array1 = [1,2,3,4,5] array2 = [1,2,3,4,5,6]
when array1 is assigned to array2, a copy go array1 is actually created and assigned.
The reason is that swift arrays are value types(implemented as structs) and not reference types(i.e classes). When a value type is assigned to a variable, passed as argument to a function or method, or otherwise moved around, a copy of it is actually created and assigned or passed. Note that swift dictionaries are also value types, implemented as structs.
Value types in swift are:
- Structs
- Enumerations
- basic data types(boolean,integer,float,etc.)
Consider the following code:
let op1 : Int = 1 let op2 : UInt = 2 let op3 : Double = 3.34 var result = op1 + op2 + op3
Where is the error and why? How can it be fixed?
Swift doesn’t define any implicit cast between data types, even if they are conceptually almost identical(like ‘Uint’ and ‘Int’).
To fix the error, rather than casting, an explicit conversion is required. In the sample code, all expression operands must be converted to a common same type, which in this case is “Double”
var result = Double(op1) + Double(op2) + op3
Consider the following code:
var defaults = NSUserDefaults.standardUserDefaults() var userPref = defaults.stringForKey("userPref")!
printString(userPref)
printString(string:String){
println(string)
}
Where is the bug? What does the bug cause? What’s the proper way to fix it?
The second line uses the stringForKey method of NSUserDefaults, which returns an optional, to account for the key not being found, or for the corresponding value not being convertible to a string.
During its execution, if the key is found and the corresponding value is not a string, the app crashes with the following error:
‘Fatal error: unexpectedly found nil while unwrapping an Optional value’
The reason is that the forced unwrapping operator! is attempting to force wrap a value form a nil optional. The forced unwrapping operator should be used only when an optional is known to contain a non-nil value.
The solution consists of making sure that the optional is not nil before force-unwrapping it:
if let userPref = defaults.stringForKey("userPref){ printString(userPref) }
The string struct doesn’t provide a count or length property or method to count the number of characters it contains. Instead a global countElements() function is available. When applied to strings, what’s the complexity of the countElements function?
- O(1)
- O(n)
and why?
Swifts strings support extended grapheme clusters. Each character stored in a string is a sequence of one or more unicode scalars that, when combined, produce a single human readable character. Since different characters can require different amounts of memory, and considering that an extreme grapheme cluster must be accessed sequentially in order to determine which character it represents, its not possible to know the number of characters contained in a string upfront, whiteout traversing the entire string. For that reason, the complexity of the countElements function is O(n)
In Swift enumerations, what’s the difference between raw values and associated values?
Raw values are used to associate constant(literal) values to enum cases. The value type is part of the enum type, and each enum case must specify a unique raw value(duplicate values are not allowed).
The following example shows an enum with raw value of type Int: enum IntEnum : Int { case ONE = 1 case TWO = 2 case THREE = 3 }
An enum value can be converted to its raw value by using the rawValue property:
var enumVar : IntEnum = IntEnum.TWO
var rawValue : Int = enumVar.rawValue
Associated values are used to associate arbitrary data to a specific enum case. Each enum case can have zero or more associated values, declared as a tuple in the case definition. enum AssociatedEnum{ case EMPTY case WITH_INT(value:Int) case WITH_TUPLE(value:Int, text: String) }
Swift defines the ‘AnyObject’ type alias to represent instances of any reference type, and it’s internally defined protocol.
Consider the following code:
var array = AnyObject
struct Test{}
array.append(Test())
This code generates a compilation error, with the following error message:
Type ‘Test’ does not conform to protocol ‘AnyObject’
The failure is obvious because the a struct is a value and not a reference type, and as such it doesn’t implement and cannot be cast to the AnyObject protocol.
Now consider the following code: var array = [AnyObject]() array.append(1) array.append(2.0) array.append("3") array.append([4,5,6]) array.append(["7":6,"8":8])
struct Test{}
array.append(Test())
The array is filled in with values of type respectively int,double,string,array and dictionary. All of them are value types and not reference types, and in all cases no error is reported why?
The reason is that swift automatically bridges:
- number to NSNumber
- string to NSString
- array to NSArray
- dictionaries to NSDictionary
which are all reference types.
Consider the following code: struct Planet { var name: String var distanceFromSun: Double }
let planets = [ Planet(name: "Mercury", distanceFromSun: 0.387), Planet(name: "Venus", distanceFromSun: 0.722), Planet(name: "Earth", distanceFromSun: 1.0), Planet(name: "Mars", distanceFromSun: 1.52), Planet(name: "Jupiter", distanceFromSun: 5.20), Planet(name: "Saturn", distanceFromSun: 9.58), Planet(name: "Uranus", distanceFromSun: 19.2), Planet(name: "Neptune", distanceFromSun: 30.1) ]
let result1 = planets.map { $0.name } let result2 = planets.reduce(0) { $0 + $1.distanceFromSun }
What are the types and values of the result1 and result 2 variables?Explain why?
result1 is an array of strings, containing the list of the planet names result2 is a double, calculated as the sum of the distance of all planets
The map method of the Array struct type performs a transformation of the source array into an array of another type, whose values are obtained by executing the closure passed as parameter to each element of the array. In the above code, the closure returns the name property, so the map method in the above code returns an array of planet names.
Given an initial value and a closure, the reduce method of the Array struct type returns a single value obtained by recursively applying the closure to each element of the array. The closure takes the value calculated at the previous step (or the initial value if it’s the first iteration) and the current array element, and is expected to return a value of the same type of the initial value.
In the above code, the closure returns the sum of what calculated at the previous step, plus the value of the distanceFromSun property for the current element. The end result is the sum of the distances of all planets.
Consider the following code:
class Master { lazy var detail: Detail = Detail(master: self)
init() { println("Master init") } deinit { println("Master deinit") } }
class Detail { var master: Master
init(master: Master) { println("Detail init") self.master = master } deinit { println("Detail deinit") } }
func createMaster() { var master: Master = Master() var detail = master.detail }
createMaster()
What is the bug and how does it affect memory? How can it be fixed?
There is a strong reference cycle between Master and Detail, with Master creating an instance of Detail and storing a reference to it, and Detail storing a reference to the instance of its Master creator. In both cases, references are strong, which means that none of the 2 instances will ever be deallocated, causing a memory leak.
To solve the problem it’s necessary to break at least one of the 2 strong relationships, by using either the weak or unowned modifier. The differences between the 2 modifiers is:
unowned: the reference is assumed to always have a value during its lifetime - as a consequence, the property must be of non-optional type.
weak: at some point it’s possible for the reference to have no value - as a consequence, the property must be of optional type.
In the above code example, the proper solution is to define in Detail the reference to Master as unowned:
class Detail { unowned var master: Master ... }
The following code snippet results in a compile time error:
struct IntStack {
var items = Int
func add(x: Int) {
items.append(x) // Compile time error here.
}
}
Explain why a compile time error occurs. How can you fix it?
Structures are value types. By default, the properties of a value type cannot be modified from within its instance methods.
However, you can optionally allow such modification to occur by declaring the instance methods as ‘mutating’; e.g.:
struct IntStack { var items = [Int]() mutating func add(x: Int) { items.append(x) // All good! } }
What are Cocoa and Cocoa Touch and how are they relevant to Swift?
Cocoa and Cocoa Touch are frameworks that run on OS X and iOS respectively. Both are primarily implemented with Objective-C and integrated with Xcode (you should also be able to explain Xcode if you get a question on that). They consist of libraries, APIs, and runtimes. Because Swift is an iOS language, it also works with Cocoa and Cocoa Touch.