Intro to Swift Flashcards
What is swift?
- An object oriented language which employs modern language theory concepts and exploits a number of object oriented principles.
- It simplifies objective C
What is the standard naming scheme for naming constants and variables in swift?
- start with lowercase letter and use camel case
- types can be inferred from default values or else you’ll need to specify them
- no ; needed at the end of lines
When do we use let and var when first defining/assigning values?
- we use let for constants
- we use var for variables
What does swift let you put in large integers to improve readability?
- Lets you include _
- for example = var speed = 186_000_000
- If you print these, the _ doesn’t appear
What are standard types in swift?
String, Double, Int, Bool, non standard types (such a tuples)
How to generate numbers in swift?
Int.random(in: 1…6) // gives a value between 1 and 6
How do you assign values to a tuple?
let httpError: (code: Int, message: String) = (404, “Not Found”)
print (httpError.message)
How do we refer to components of a tuple numerically?
print (httpError.1)
print (httpError.0)
In C and objective C what are strings?
strings are arrays in ASCII characters
What are strings composed of in swift?
Strings are composed of unicode characters and each character may be represented by a multi-byte sequence
What type are strings?
Value types
What is an extended grapheme cluster?
An extended grapheme cluster is a sequence of one or more Unicode scalars that (when combined) produce a single human-readable character
How do you do multiline strings in swift?
- use 3 quotation marks
- ””” bla bla
bla bbla
bal “””
What do you use to prevent different lines inside a multiline string?
a \
what can the # symbol be used for with strings in swift
- for treating characters literally: #”Did you say “help me”?”# prints
Did you say “help me”? - for inserting variables into a string: let user = “Phil”, let myString = #”Did you say “help me” (user) ?”#
How do we index a string?
- using a string.Index or a range
- can create an index toaccess a specific character based on those indexes?
How can we access every single individual characters of a string
by iterating over the string itself
What function can we use to determine the length of a string?
.count
What does swifts use of extended grapheme clusters for character values mean?
That concatenating two strings may not increase the string’s character count
What type are optionals in swift?
Non-standard types
When are optionals used in swift?
They are used where a value may be absent e.g. trying to convert a string to an integer.
What happens when we define something as an optional variable?
It automatically initialises it’s value to nil
How is nil different to an empty string?
Empty value doesn’t mean “” (an empty string) it’s simply nothing, which we can’t return, that’s why we have to initialise it to NIL.
How do we specify that something has an optional type?
we use a ?
- so we could say:
var survey: String?
how do we check if a variable with optional type has a value?
- Can use an “if” statement
If an variable with an optional types does have a value after checking if it does, how do we get that data?
- By If it does we can unwrap it using a ! This is known as force unwrapping
Why must we check if a variable has a value of NIL before force unwrapping it?
- If we unwrap a NIL value, the program will crash.
What is optional chaining?
- put a ? instead of ! during the force unwrap
- it will attempt to unwrap a NIL value but the program won’t crash
How can ?? be used to carry out different outcomes?
If the thing on the left of the ?? evaluates to NIL, it returns the thing on the right of ??
What do you have to do when you create a variable?
When you create a variable it has to be initialised or made an optional variable so that it has a default value.
What are the collection types in swift?
Arrays, Sets, Dictionaries
What are the differences between sets, arrays and dictionaries
- arrays are ordered collections of values
- sets are unordered collections of unique values
- dictionaries are unordered collections of key-value pairs
How do you define an array?
- user square brackets
- let a = [1,2,1,5,2,7,8,4]
How do you define sets?
- have to use set keyword
- var b: Set<String> = ["blues","jazz","soul"]</String>
How do you define a dictionary?
- colons between key and value
- var c = [2: “blue”, 3:”bluer”, 4:”bluest”]
What is true about arrays and types?
Once an array has a type it cannot be changed
What does it mean that an array is dynamic?
The size and values of the array can change
How do we use different types in an array where each object must have the same type?
- We declare the array as having type
- as [any]
What number does indexing start at in arrays?
- indexing starts at 0
How can we get the size of an array?
- By using the .count function on it
How can we return the 3rd element of an array?
- by doing the arrayName[2]
- because indexing starts at 0
What keyword do we use to add an item to an array?
arrayName.append(newValue)
How do we update the value of an item in an array?
- We access it using indexing and assign it to the new value
- for example arrayName[0] = 4
How do we iterate through every item in an array?
- for i in arrayName {
print(arrayName[i])
}
What does the .sorted, .sort and .shuffle and .shuffled functions do?
- .Sorted returns a sorted array, where as .sort modifies the actual array by sorting it
- .Shuffled returns a shuffled array, where as .shuffle modifies the actual array by shuffling it
Is membership testing faster in arrays or sets?
It’s faster in sets (because items must be unique)
When we create a set what must we define?
- if it’s empty upon initialisation
What fundamental set operations can we perform in swift on sets
- intersection
- symmetric difference
- union
- subtraction
- equality, subset, superset, disjoint
Why is any value we attempt to retrieve from a dictionary an optional
- because we can’t determine whether it exists before testing.
How do we check is a dictionary is empty?
we use the .isEmpty function
how do we add a new element
we can just set up a new key value pair
- myDict[5] = “i miss my gf”
- we can use the same method to update values
What happens when you print out an optional value?
it prints out the word “optional” as well
How can we prevent it printing out the word “optional” as well for dictionaries with an optional type?
By providing a default, the value is no longer an optional and you can avoid it printing out “optional”
How can you specify a default value for a dictionary in swift?
By writing the key : default : “bla”
How do you create optional optionals?
By inserting a variable with the optional data type into another variable with the type optional
- for example putting an variable of type String? as the value in the key-value pair in a dictionary with type [String : String?]
What is a countable range?
- good for iterating over
- range declared using ..< or …
If you declare a type with a range what happens?
- The complier tries to figure it
What common incremental symbol is not accepted in swift
++
What is a Stridable range?
Stridable means that the range is in a data type format that will allow you to step through the range in increments.
What type of ranges are not stridable?
Floating point ranges because in swift they are no countable ranges, because we don’t know what to count up in
What can we use to create a countable range from a floating point range?
a global method:
for y in stride(from: 0.3, to: 1.2, by 0.3) {print y}
What function can we use to get a loop to step through a range in reverse order (backwards)
use the function .reversed()
-since we aren’t allowed to swap around the lower and upper bounds
- you don’t get the utmost bound using this method though!
How do we loop in arrays?
for i in arrayA {print(i)}
Why might we use arrays instead of sets if we want to iterate over them?
Due to the way sets store values - they may not always be stored in the order we see them in on-screen you can’t guarantee the order in which items from a set will be returned
What happens when we iterate over an array?
- each key-value pair is considered one item, so if we try to return i, we will get a tuple with the key and the value
- we can deal with this of course by just naming the parts of the tuple (and discarding the key if we want)
How do we ignore an element in a tuple if it’s not important to us?
We just give it an _ instead of a name
- for (user, _) in peopleInfo {print(user)}
what does || and && mean in swift?
- || stands for “OR” and && stands for “AND”
What does == mean and != mean in swift?
a == b means if a is the same as b
a !=b means if a is not the same as b
What does defining a class or structure in swift do?
It defines a brand new Swift type
- class someClass {}
- struct someStructure {}
Why do we have both classes and structures?
- When we pass a class to a method we are passing a pointer to it
- However when we pass a structure to a method we pass a copy of it (the actual data)
- Classes end up with a pointer to the same instance
What is the foundation framework of swift?
- Defines a base layer of classes for use in creating applications
- provides wrappers for primitive types and collections
- UIKit
What does Cocoa touch include?
includes the foundation and UIkit frameworks
What are the foundation classes that are bridged to from swifts standard types?
- String - NSString
Array - NSArray
Set - NSSet
Dictionary - NSDictionary
Copying items to the disk takes a long time so what does swift do to save time?
only copies objects if you request to change them
End up with several different references to change it.
When is an initialiser called?
when a new instance is created?
What does the program do when it has a lot of computed values?
We can also have Computed properties.
- When we have multiple computed values there’s no point in storing all these values and using up memory so we just store the initial value then re-compute all these values again when we run the code.
What is used to make code more readable with init() statements?
Initialisation parameters - define types and names of values to customise initialisation process
What do you do if you don’t want to put the argument label as part of a Initialisation parameter?
if you don’t want one, you put “_” in the definition to make it an anonymous label
What is true about the properties of a value inside a structure?
the properties of a value type (e.g. a Struct) cannot be modified from within its instance methods
How can we modify the values of properties in a structure?
We mark the method as mutating
What is the difference between classes and structures?
- Classes lets you modify the values of properties inside it’s definition
- Structures don’t let you modify values of properties inside its definition unless you specify mutating
What is an enum (or enumeration)?
An object type whose instances represent distinct predefined alternative values/a list of related values.
- Think of the values as members
What is a common use of enums?
Enums can be used often for making fonts in italics and bold
Why is it useful that we assign strings to related values in Enums?
We can assign strings to the related values in Enums that have the correct name since for the variable name we can’t use specific symbols like th ‘-’ in ‘C-3PO’
What does using enums ensure?
By using enums, the compiler ensures that you’re not referring to a value that doesn’t exist.
What are protocols?
Protocols are like blueprints. If you conform to that blueprint, you adopt it’s properties and methods
What does the protocol definition not include?
The body of the method
in protocols, what are property requirements always declared as?
they’re always declared as vars
- also needs to specify if a property is gettable or settable
What is a ternary conditional operator?
Ternary conditional operator: allows for if the statement evaluates to true then print the thing on the left otherwise print the thing on the right of the semicolon.
(in this case ? is does not mean optional type)
What use are protocols?
They are a good way for defining a set of required functionality that other types can adopt
What are gaurds?
What can lead to the pyramid of doom?
- lots and lots of nested if statements
What are the two methods for avoiding the pyramid of doom?
- invert the behaviour of the if statement by returning each time so that we don’t have to keep indenting the code. this works but it changes the logic which is confusing for us
- using guards lets you keep the same logic but you don’t need to indent
What can you often replace if statements with?
A gaurd
What do we use to do error handling in swift?
try, catch and throw keywords
What can you define to be used in the event of unexpected situations?
- functions and methods that throw errors
What is the syntax of a method (what does each method declaration consist of?)
- the word func
- a name (starts with lowercase letter)
- an optional list of arguments
- an optional return type
By default parameters are named, how can we suppress this
We use an underscore instead of a name
What does the keyword static mean?
Both Types and instances can have methods/properties
How many different ways can we create instances if there are 4 init() functions within the class defintion?
4
How can we replace multiple initialisers with one initialiser (if they take different arguments)?
can use default values in the attributes because then when the user inputs only some of the arguments, it’s fine but also if they input all of the arguments then they can just overwrite the default values
What can the type AnyObject refer to?
AnyObject - can only refer to a Class
What is casting?
- because swift is strongly typed we need to change one item type into another sometimes to get extended functionality
What are closures?
- Self-contained blocks of code that can be passed around and used in your code
- they can capture and store references to constants or variables
What are the three kinds of closures?
*global functions - have a name & cannot capture any values
*nested functions - have a name & can capture values from their enclosing functions
*closure expressions - no name & can capture values from their context
Give an example of a Swift standard library closure method?
sorted(by:)
Why do we not need to use the keyword return in single expression closures?
Single expression closures can implicitly return the result of their single expression
What are trailing closures?
- If you need to pass a long closure expression to a function as it’s final argument, you can write it as a trailing closure.
When do you not need to write the pair of parenthesis with a trailing closure?
If the closure is the only parameter to the method and it is provided as a trailing closure, then you don’t need to
write the pair of parentheses.
What did apple traditionally use for memory management?
Some sort of Garbage Collection process to deal with formerly used blocks
What happens in garbage collection for memory management?
- an automated process runs at various times, to check which blocks can be deallocated, and return them to the general pool
- Typically this involves tracing objects that are reachable via a set of root objects (and disposing of those that aren’t reachable)
Why is garbage collection not a great memory management procedure?
GC can be time-consuming and require significant extra resources - leading to other processes pausing.
*Not good if you’re in the middle of a phone call!
What are the two approaches to managing memory used in iOS?
- ARC: Automatic Reference Counting
- MRR: Manual Retain-Release
Describe MRR: Manual Retain-Release
Developer explicitly inserts memory management calls (retain and release) into the code
Describe ARC: Automatic Reference Counting
Compiler evaluates the requirements of your objects, and automatically inserts memory management calls at
compile time.
When is an object alive and valid?
- Every allocated object has a retain count
- As long as retain count is > 0
Describe ARC (Automatic Reference Counting)
*When you create an instance of a class, ARC also allocates a control block to maintain it
*When you are done with the instance, ARC frees up the memory it used
*But what if it deallocated an instance that actually was in use? - most probably your app would crash
*ARC tracks properties, constants and variables to check the
instance is not being referenced
Why are strong reference cycles a problem?
Because they can lead to memory leaks
How can we avoid strong reference cycles?
By declaring relationships as weak or unowned