LearnAn Absolute Beginner’s Guide to Swift

   
Avatar

Amit Bijlani
writes on June 9, 2014

Update: We’re excited to announce that Treehouse has launched its Learn Swift courses! Learn Swift basics, Swift functions, and build two real apps with Swift. Learn more about our Swift courses.

Why Swift?

In case you haven’t heard, Apple just introduced a new language for iOS and OSX developers called Swift. It has come to light that Swift was in the works since 2010, which is 2 years after the first SDK was released. Apple saw the limitations of Objective-C which is almost 30 years old and decided it was time for a change. However, in true Apple fashion, they did not want to release a half-baked language. They realized that no matter the drawbacks of Objective-C, they could still push the envelope with it, and so they did.

It’s been six years since the release of the first SDK and 1.2 million apps have been submitted to the App Store. Millions of developers have suffered through learning the arcane syntax and limitations of Objective-C. Recently, a vocal few decided to speak up expressing their woes about the outdated language.

Swift probably took a little over four years to create and is the result of the work of many smart individuals who love crafting a new language. They looked all around for inspiration and not only created a new language but tools to along with it that would make it easy to learn.

When talking about Swift, Apple refers to three key considerations: Safe, Modern and Powerful. It lives up to all those three things. Outlined below are some of the very basics you need to get up and running with Swift. If you already know a programming language, then you will see a lot of similarities with other modern languages. You might even wonder why they had to invent a whole new language, but that is discussion for another blog post.

Using Swift

Firstly, you will have to download and install Xcode 6. Once you have installed it, open it up and select File from the menu -> New -> Select Source on the left under either iOS or OSX -> Playground. Give your playground a name and you are ready to get started.

Alternatively, you could use the REPL (Read Evaluate Print Loop) from the terminal.

Instructions to run from the terminal:

1. Open up terminal

2. If you have two or more versions of Xcode installed then you will need to select Xcode 6 as your default version. If you are only running Xcode 6 then skip ahead to step 3. If you are only running Xcode 6 then skip ahead to step 3, otherwise go ahead and run the following line:

sudo xcode-select -s /Applications/Xcode6-Beta.app/Contents/Developer/

At the time of writing this post beta version of Xcode 6 was named “Xcode6-Beta”. Please check your app name in the “Applications” folder to write out the appropriate path when using xcode-select.

3. To start the REPL type:

xcrun swift

Fundamentals

Variables

As with every programming language you have variables which allow you to store data. To declare a variable you have to use the keyword var.

var greeting: String = "Hello World"

The above code instructs the system that you want to create a variable named greeting which is of type String and it will contain the text, “Hello World”.

Swift is smart enough to infer that if you are assigning a string to a variable and in fact that variable will be of type string. So you need not explicitly specify the type as in the above example. A better and common way of writing the above example would be:

var greeting = "Hello World" // Inferred type String

Variables can be modified once created so we could add another line and change our greeting to something else.

var greeting = "Hello World" // Inferred type String

greeting = "Hello Swift"

While writing an application there are many instances where you don’t want to change a variable once it has been initialized. Apple has always had two variants of types mutable and immutable. Mutable meaning the variable can be modified and immutable that it cannot be modified. They prefer immutability by default which means that the values aren’t going to change and it makes your app faster and safer in a multi-threaded environment. To create an immutable variable you need to use the keyword let.

If we change our greeting example to use let instead of var then the second line will give us a compiler error because we cannot modify greeting.

let greeting = "Hello World"
greeting = "Hello Swift" //Compiler error

Lets take another example so you understand why and when to use let.

let languageName: String = "Swift"

var version: Double = 1.0

let introduced: Int = 2014

let isAwesome: Bool = true

The above example not only shows us the various types that are available in Swift but it also shows us that the reason to use let. Aside from the version number of the Swift language everything else remains constants. You might argue that isAwesome is debatable but I’ll let you reach that conclusion once you reach the end of this post.

Since the type is inferred we should simply write:

let languageName = "Swift" // inferred as String

var version = 1.0 // inferred as Double

let introduced = 2014 // inferred as Int

let isAwesome = true // inferred as Bool

Strings

In our above example we have been writing the String type. Lets see how we can concatenate two strings by using the + operator.

let title = "An Absolute Beginners Guide to Swift"
let review = "Is Awesome!"
let description = title + " - " + review
// description = "An Absolute Beginners Guide to Swift - Is Awesome!"

Strings have a powerful string interpolation feature where it’s easy to use variables to create strings.

let datePublished = "June 9th, 2014"

let postMeta = "Blog Post published on: \(datePublished)"

// postMeta = "Blog Post published on: June 9th, 2014"

In all the above examples, I have been using the keyword let which means you cannot modify the string once it has been created. However, if you do need to modify the string then simply use the keyword var.

Other Types

Besides strings you have Int for whole numbers. Double and Float for floating-point numbers and Bool for boolean values such as: true of false. These types are inferred just as a string so you need not explicitly specify them when creating a variable.

A Float and Double vary in precision and how large of a number you can store.

  • Float: represents a 32-bit floating-point number and the precision of Float can be as little as 6 decimal digits.
  • Double: represents a 64-bit floating point number and has a precision of at least 15 decimal digits.

By default when you write a floating-point number it is inferred as a Double.

var version = 1.0 // inferred as Double

You can explicitly specify a Float.

var version: Float = 1.0

Collection Types

Array

Collections come in two varieties. Firstly, an array which is a collection of data items which can be accessed via an index beginning with 0.

var cardNames: [String] = ["Jack", "Queen", "King"]

// Swift can infer [String] so we can also write it as:

var cardNames = ["Jack", "Queen", "King"] // inferred as [String]

You can create two types of arrays: an array of a single type or an array with multiple types. Swift is keen on being safe so it prefers the former but can accommodate the later with generic types. The example above is an array of strings which means that it is a single type array.

To access an item from the array you need to use the subscript:

println(cardNames[0])

Note: we used a function above called println which will print the value “Jack” to the console and then add a new line.

Modifying an Array

Lets create a new array that contains a todo list.

var todo = ["Write Blog","Return Call"]

Make sure that you use the keyword var so that we can modify our array.

To add another item to our todo array we use the ‘+=’ operator:

todo += "Get Grocery"

To add multiple items to our todo array we simply append an array:

todo += ["Send email", "Pickup Laundry"]

To replace an existing item in the array simply subscript that item and provide a new value:

todo[0] = "Proofread Blog Post"

To replace an entire range of items:

todo[2..<5] = ["Pickup Laundry","Get Grocery", "Cook Dinner"]

Dictionary

The other collection type is a Dictionary which is similar to a Hash Table in other programming languages. A dictionary allows you to store key-value pairs and access the value by providing the key.

For example, we can specify our cards by providing their keys and subsequent values.

var cards = ["Jack" : 11, "Queen" : 12, "King" : 13]

Above we have specified the card names as the keys and their corresponding numerical value. Keys are not restricted to the String type, they can be of any type and so can the values.

Modifying a Dictionary

What if we wanted to add an “ace” to our cards dictionary? All we have to do is use the key as a subscript and assign it a value. Note: cards is defined as a var which means it can be modified.

cards["ace"] = 15

We made a mistake and want to change the value of “ace”. Once again just use the key as the subscript and assign it a new value.

cards["ace"] = 1

To retrieve a value from the dictionary

println(cards["ace"])

Control Flow

Looping

What it good is a collection if you cannot loop over it? Swift provides while, do-while,for and for-in loops. Lets take a look at each one of them.

The easiest one of them is the while loop which states while something is true execute a block of code. It stops execution when that condition turns to false.

while !complete {
	println("Downloading...")
}

Note: the exclamation mark before the variable complete denotes not and is read as “not complete”.

Likewise, you have the do-while loop which ensures that your block of code is executed at least once.

var message = "Starting to download"
do {
	println(message)
	message = "Downloading.."
} while !complete 

Subsequent calls to the println statement will print “Downloading..”

You have the regular for loop where you can specify a number and increment that number to a certain value:

for var i = 1; i < cardNames.count; ++i {
	println(cardNames[i])
}

Or you can simply use the for-in variant where it creates a temporary variable and assigns it a value while iterating over the array.

for cardName in cardNames {
	println(cardName)
}

The above code will print out all the card names in the array. We can also use a range. A range of values is denoted by two dots or three dots.

For example:

  • 1…10 – is a range of numbers from 1 to 10. The three dots are known as a closed range because the upper limit is inclusive.
  • 1..<10 – is a range of numbers from 1 to 9. The two dots with a lesser-than sign is known as a half-closed range because the upper limit is non-inclusive.

Lets print out the 2 times table using for-in with a range:

for number in 1...10 {
	println("\(number) times 2 is \(number*2)")
}

We can also iterate over the cards dictionary to print out both the key and the value:

for (cardName, cardValue) in cards {
	println("\(cardName) = \(cardValue)")
}

If Statements

To control the flow of our code we of course have an if statement.

if cardValue == 11 {
	println("Jack")
} else if cardValue == 12 {
	println("Queen")
} else {
	println("Not found")
}

Note: The if syntax can have parenthesis but they are optional. However, the braces {} are mandatory unlike other languages.

Switch Statement

The switch statement in Swift is very versatile and has a lot of features. Some basic rules about the switch statement:

  • It doesn’t require a break statement after each case statement
  • The switch is not limited to integer values. You can match against any values such as: String, Int, Double or any object for that matter.
  • The switch statement must match against every value possible if not you must have a default case which makes your code safer. If you don’t provide a case for every value or a default then you will get a compiler error saying: “switch must be exhaustive”.
switch cardValue {
	case 11:
		println("Jack")
	case 12: 
		println("Queen")
	default:
		println("Not found")
}

Lets say you have a distance variable and you are trying to print a message based on distance. You can use multiple values for each case statement:

switch distance {
	case 0:
		println("not a valid distance")
	case 1,2,3,4,5:
		println("near")
	case 6,7,8,9,10:
		println("far")
	default:
		println("too far")
}

There are times when even multiple values are limiting. For those instances you can use ranges. What if any distance greater than 10 and less than 100 was considered far?

switch distance {
	case 0:
		println("not a valid distance")

	case 1..10:
		println("near")

	case 10..100 :
		println("far")

	default:
		println("too far")

}

Can you guess what the above code will print?

Functions

Finally, we have been using println in a lot of our examples which is an example of how to use a function. But how can you create your own function?

It is simple, you have to use the keyword func and provide it with a name.

func printCard() {
	println("Queen")
}

What good is a function if it always going to just print “Queen” as the card name. What if we want to pass it a parameter so it can print any card name?

func printCard(cardName: String) {
	println(cardName)
}

Of course, we are not restricted to just one parameter. We can pass in multiple parameters:

func printCard(cardName: String, cardValue: Int) {
	println("\(cardName) = \(cardValue)")
}

What if we simply wanted our function to build a string and return the value instead of printing it? Then we can specify a return it which is specified at the end of the function declaration followed by an array ->.

func buildCard(cardName: String, cardValue: Int) -> String {
	return "\(cardName) = \(cardValue)"
}

Above we are saying that we are creating a function named buildCard which takes in two parameters and returns a String.

Conclusion

If you have made it this far, then congratulations! You are now well-versed in the basics of Swift. That is a lot to take in, but it is only scratching the surface and what Swift is capable of. There is so much more to learn, and here at Treehouse we are working on courses to provide you with all the Swift learning that you need. Stay tuned for more!

If you want to learn the basics of Swift, take Amit’s Learn Swift courses on Treehouse.


Learn in-demand programming skills and become a certified iOS Developer with the Treehouse Techdegree Program. Learn more and enroll today.

GET STARTED NOW

Learning with Treehouse for only 30 minutes a day can teach you the skills needed to land the job that you've been dreaming about.

Get Started

25 Responses to “An Absolute Beginner’s Guide to Swift”

  1. hi when i key in print(cards[“ace”]) i get expression implicitly coerced from ‘int?’ to any? How do i fix it?

  2. The line …

    todo += “Get Grocery”

    …gives me the error “cannot convert value of type ‘[String]’ to expected argument type ‘inout String'” but…

    todo += [“Get Grocery”]

    …worked for me.

  3. Mohd Danish Khan on July 21, 2016 at 11:21 pm said:

    In easy, understandable language, precised tutorial

  4. Thanks for this precious tuto, i don’t have a Mac so,
    What are the limits of using swift on Ubuntu ? is it different ? can we develop the graphic of an iOS app on Ubuntu ?

  5. Reza Minakhanloo on February 18, 2016 at 4:35 am said:

    hello !

    how i can make a button an 2 text-box in XCODE

    when i click on Button sum 2 text-box numbers and print answer in a label

    sorry my english bad

    see it:
    http://uupload.ir/files/ehxb_screen_shot_2016-02-18_at_16.00.43.jpg

    • Faye Bridge on February 22, 2016 at 1:18 am said:

      Hi Reza! This is a great question to ask in the Treehouse Community, where our teachers and students are always happy to help.

    • Puneet Mahali on March 10, 2016 at 4:02 am said:

      Hi Reza! It is very simple Mr. Reza.
      only one line code is there and code is:-

      @IBAction func Add(sender: AnyObject)
      {
      lab.text = ((T1.text! as NSString).integerValue + (T2.text! as NSString).integerValue).description
      }

      ” lab is my label name, T1 and T2 are my textfields name”.
      Good luck……!

  6. Love this article! Most books/tutorials ‘for beginners’ don’t even bother to explain all the jargon and dive straight into the arrays, variables and floating points.

    I know finally know what that all of that means!

  7. Jawith on June 16, 2014 at 6:41 am said:

    Thank! Amit You have done wonderful work on writing this post, Any other tutorials or course to learn all the concepts in swift language.

    TIA

  8. Thanks Amit. Very well written because your explanations go deeper than just the syntax. They helped give a sense of why instead of only the what.

  9. Claire on June 14, 2014 at 5:36 am said:

    The link for Xcode 6 doesn’t have any Xcode 6 download links? Has something changed since this post – I only see and Xcode5 download option….
    This will be my first go at creating an app, any other helpful tips are appreciated.

  10. This is a great primer for those who are coming to Swift. After going through your Objective-C course, it’s even more understandable coming from Objective-C to Swift. Perhaps this notion will change but I still think that if you’re a developer in iOS, it is beneficial to know, read and understand Objective-C as it will provide you with an incredibly strong foundation for moving forward with Swift.

  11. When I use the println functions, nothing is displayed in the playground console. example: println(cards[“ace”]) shows nothing; however, cards [“Ace”] displays {some 1} in the playground console.

    Do I have something setup incorrectly or does the println command not show up in the playground but will show up on a physical console after it is compiled and run?

    Thanks for this write-up, extremely beneficial to a new programmer trying to get the basics.

    Cheers!!

    • Amit Bijlani on June 11, 2014 at 6:03 pm said:

      The playground is very buggy and I prefer using the REPL. Note that the println command does not show anything in the preview pane. It only displays in the console which is also displayed in the assistant editor so not sure if you have that pulled up. To display the assistant editor you can either use the shortcut Command+Shift+Enter or use the menu View -> Assistant Editor -> Show Assistant Editor.

  12. Very nice. This Swift cheat sheet is a good companion with your tutorial, too: http://grant.github.io/swift-cheat-sheet.

  13. Matthias on June 10, 2014 at 9:18 am said:

    Any ETA for the Swift course?

  14. thanks a lot, i am very impressed with it. it is very useful in today’s era of world wide web. keep it up.

  15. I wish you talked about optionals here, because to me that’s the most confusing part.

  16. patrick on June 10, 2014 at 12:40 am said:

    Oh well. It was nice being able to say I could write Swift at the same level as the best iOS developers in the world while it lasted.

  17. Nick Kohrn on June 9, 2014 at 7:03 pm said:

    Thanks, Amit! Great way to get people familiar with the basics!

  18. Great Tutorial! Love how you start from the very beginning! Just added it to:

    http://www.LearnSwift.tips

    Check it out for more great tutorials!

Leave a Reply

You must be logged in to post a comment.

man working on his laptop

Are you ready to start learning?

Learning with Treehouse for only 30 minutes a day can teach you the skills needed to land the job that you've been dreaming about.

Start a Free Trial
woman working on her laptop