Tutorial: A Simple iOS Stopwatch App in Swift

In this tutorial, we will create a single view iOS application using the Swift programming language. The tutorial will provide some insight into basic usage of the Apple Xcode integrated programming environment, as well as the model/view/controller software architectural pattern. Our target audience are people who have some prior experience in application development and programming but who are relatively new to Xcode and iOS development. The project goal is to build a simple iOS stopwatch-style timer application designed for iPhone using Swift.

The app will contain two labels (one for our title and one for our numeric timer display), and two buttons (a start/stop button, and a reset button). We will first lay out our main view, which will contain these elements and then use the interface builder (i.e. storyboard) to hook our view into the controller (IBOutlets and IBActions). Finally, we will turn to the business logic of the app. In the end, we will have two imports and a view controller. We will add three methods to the view controller class: two actions methods and one helper method. The tutorial will be broken down into a series of just over thirty steps with screen caps to provide a quick visual aid.

The first thing you'll need to do, if you haven't already, is download the latest version of Xcode 6 (currently in beta as of this writing). If you are completely new to Xcode, you may find it difficult to navigate the interface. There are tons of great guides to Xcode that can be found online such as this one.

On initial startup, Xcode will present you with its ‘Welcome’ screen and offer several options. Select the “Create a New Xcode Project” panel from the window (see figure 1). If it does not present you with this screen, select File->New->Project from the menu bar.

Figure 1
On the following screen, select “Single View Application” and press the “Next” button (see figure 2).

Figure 2

Next, choose the options for your new project (see figure 3) and fill in the necessary fields as you wish, ex. project and organization names, and select “iPhone” as the device, since we are creating an iPhone app.

Figure 3
The following screen will then prompt you to provide a destination directory for your project. I like to keep current projects in a folder on my Desktop. There is also an option on the bottom of the screen to place your project under source control. If you don’t know what source control is or how to use it, then simply uncheck this box. (However, it is highly recommended that you invest some time learning about source control systems such as git.) Click “Next” once you have made your selections.

Your project should have opened to a screen similar to the one in figure 4.

Figure 4
From the device dropdown menu, located in the upper left corner, select iPhone 5s (notice also the other options that could have been selected here if we were planning to create a different app). See figure 5.

Figure 5

Now that we have our project’s initial setup completed, let’s get down to business! From the Project Navigator, select the Main.storyboard file. See figure 6.

Figure 6
In the Storyboard, select any view, then go to the File Inspector in Xcode’s right panel. Uncheck “Use Size Classes”, and you will be asked to keep size class data for: iPhone/iPad. Then click the “Disable Size Classes” button. Doing this will make the storyboard’s view automatically size with the selected device. See figure 7.

Figure 7
In the top left corner of Xcode, locate the “Play” button and press it to build and run your project for the first time. See figure 8. Upon a successful first launch of the project, you should see something like the image in figure 9, an iOS simulator. If you get any errors and the project does not build correctly, read the error report(s) carefully and see if you can troubleshoot the problem.


From the Object Library toward the bottom of the right panel in Xcode, select Label (figure 10) and then drag and drop it at the left style guide, but vertically centered into your single storyboard scene/view. See figure 11. The style guides are temporary visual placement lines that appear as you position view elements into your scene. This label will eventually provide the numeric display of our running stopwatch.

Figure 10

Figure 11

In order to make the label wider, we will select and drag the trailing edge of our Label element to the right of your scene until it meets the right most style guide. See figure 12.

Figure 12
From the Attribute Inspector panel in the right panel of Xcode, toggle the text alignment to center so our text appears in the middle of the label. See figure 13.

Figure 13
Go back to the object library and place two Buttons equally spaced apart about midway between the label and the bottom of our scene. See figure 14. These will function as our reset button and our start/stop button on the stopwatch.

Figure 14

From the Size Inspector in Xcode’s right panel change, the width of each button to 60 points. See figure 14.1.

Figure 14.1
Run your project to see what it looks like. Again, if you get any errors and the project does not build correctly, read the error report(s) carefully and see if you can troubleshoot the problem.

Select the Assistant Editor from the top right corner of Xcode to display the storyboard and associated Swift file side-by-side. Now hide both the Navigator and Utilities panels by clicking on the appropriate panel buttons in the top right corner of Xcode. See figure 15.
Figure 15
Now let’s connect up our storyboard elements to our controller, which will connect our interface to our code, that way all the relevant interface elements can communicate events to the controller.

Place your mouse pointer over the Label; then press and hold the control button while clicking and holding down your mouse button as you pan your mouse pointer across the screen and into the right side of Xcode where your Swift file is located. You should see a blue line follow your mouse pointer. See figure 16.

Figure 16

Once in the class area, as shown, release the mouse button and the control as well.  You will see a dialogue box prompting you for the name of your outlet. Name it ‘numericDisplay’. See figure 17. This will add the necessary outlet code to your Swift controller class. An outlet is a reference pointer to an element inside your storyboard. Creating outlets allows for easy access to objects in your storyboard. After naming the outlet, your screen should look like figure 18.

Figure 17


Figure 18

Go ahead and connect the buttons as outlets as well. Name the left button ‘resetButton’ and the right button ‘startStopButton’.

In a similar fashion to the newly created outlets, we will now create action methods for each button. This time we will drag the blue line toward the bottom of the file but inside the class body. Name the left button resetButtonPressed and startStopButtonPressed for the right button. In the dialog box, make sure you select 'Action' from the Connection drop down menu. See figure 19. Action methods are the functions in your class that get messaged/called when the button that is associated with the connected method is triggered by an event. An event is initiated when the user interacts with any of your buttons.
Figure 19
Your interface should now look like the screencap in figure 20.

Figure 20

To accurately update our numeric display label, we need to tie it in to a mechanism that will update at very precise time intervals. To access this functionality, we need to import the appropriate class library. From Xcode’s menu bar, select the Window tab drop down menu then select Documentation and API Reference. See figure 21. The documentation search window should appear. In the search bar type CADisplayLink and locate the appropriate documentation. Read through the documentation and familiarize your self with the CADisplayLink class. This class is very useful when your code needs precise timing control.

Figure 21

Notice that the CADisplayLink requires the QuartzCore framework. A framework is a set of classes with predefined functionality so that you don’t have to reinvent the wheel; it's code packaged for re-use, so use it!  With Swift you no longer need to define an interface(.h) and an implementatin(.m) file to define a class which is nice. Also, when importing different frameworks into your project you no longer have to go Xcode's build setting and explicitly add that framework; it automatically loads when you use the keyword import followed by the desired framework like so: import {SomeFramework} but without the curly braces.  And my favorite addition is the fact that semicolons are no longer required! WhooHoo! There are also a ton of outher features of Swift that I have yet to discover. In your ViewController.swift file add the line of code importing QuartzCore:


Importing a framework into your file gives you access to its classes and functionality. In your ViewController class, add the following var properties just below the @IBOutlet properties. Add the code in lines 5 and 6 below:



‘var’ is short for variable and displayLink is our object pointer of type CADisplayLink. We use this pointer to hold a strong reference to an instantiated CADisplayLink object that we will create in a few moments. We want a strong reference to an instance of CADisplayLink to be able to access it throughout the various parts of our class. We also define a lastDisplayLinkTimeStamp of type CFTimeInterval. This variable will store a running tally of the total elapsed time.

Now let’s set the default view element values for our numeric display label and our two buttons. Add the code below to our viewDidLoad() method:



In your viewDidLoad() method now add the lines of code from the snippet below:



The first new line of code above (line 16) creates an instance of a CADisplayLink object, and assigns this class, i.e. “self,” as the target for messages that inform us of a display refresh rate update. This occurs in the first parameter of the CADisplayLink(<first parameter>, <second parameter>) method call. In the second parameter we pass the name of the method that we would like to be called when there is a display refresh rate update. We will define this method shortly. The second new line of code (line 9) ensures that the display link does not begin its updates until we press the Start button in our user interface. The third new line of code (line 12) schedules the display link to begin sending notifications to our instance method about display refresh rate updates. The fourth new line of code (line 15) simply initializes our elapsed time running tally variable.

The next step is to define the method that will be called when the display link has an update. Add this code to the bottom of the viewController.swift class, i.e. inside the final class curly brace:



Now for the logic—we are almost there! In the newly created function add the following lines of code:



The first new line of code (line 3) updates our running tally. The second (line 6) formats our running tally into a string that only shows the last two significant digits. The third (line 9) updates our numeric display label.

Let’s move over to the startStopButtonPressed(…) method. This method is called anytime the user presses the button situated to the right in our stop watch scene. When this button is pressed we want to toggle the display link’s “paused” Boolean value. Add the following line of code to this method.



At this point you can run your project and press the start button to see your stop watch in action! Woohoo! Again, if you get any errors and the project does not build correctly, read the error message(s) carefully and see if you can troubleshoot the problem.

Let’s shift our focus to the Reset button. What do you think this button should logically do? It should pause the display link to prevent it from  sending us any further updates, then set the numeric display label to zero, and update our Start/Stop button state. In the resetButtonPressed(…) method add the following lines of code:



Let’s now complete our code project by adding the last few lines of code for our Start/Stop button. In startStopButtonPressed(…) add the code in bold:



Our label text string will not be modified if our code does not fall through our first conditional if statement. If, however, the display link is paused, then we check the running display link tally. If this tally is greater than zero, then we display the resume button since pressing this button again will not reset our running tally. If it’s equal to zero then we display the start text. The button text is set in the last line of code.

Your final ViewController file should look like this.

Finally, let’s add a title label. Go back to the main storyboard. From the object list at the bottom of the File Inspector in the right pane of Xcode, drag a Label to the center/top of your main view. Size it as you like, and provide it with a text title such as “Stopwatch”.  The final product should look something like the three screencaps below, showing the default, running and paused states:

Default State



Running

Paused

And that concludes our simple Stopwatch app tutorial! We leave you off with a question for further reflection.  Notice that our chronometer output is not formatted for standard time. Our implementation increments our minor units, values to the right of the decimal point, from .00 to .99 before increasing the the major unit by one. Although this is a correct unit of measurement, it is not in the ubiquitous standard time format. In the standard format the minor unit, a.k.a the second, is incremented from .00 to .59 before the next major unit, i.e. a minute, is increased by one. Since there are many ways to implement this, some being more efficient than others, we leave this consideration to the reader as an exercise. Post your own solution below. And, as always, feedback, suggestions, and angry tirades are welcome in the comments.

This project can be found on GitHub.

The Stopwatch app and tutorial was originally authored by Stefan Agapie, a Senior iOS Software Engineer, and then adapted for the present piece.

Scammed By A Skimmer: Watch Out For ATM-Based Info Theft Devices

Crafty criminals have used technology to streamline their operations since the word "hacking" only meant to slash off someone's limb.  Recently, their methods have been getting trickier and less obtrusive, so much so that you may be robbed without even knowing about it.

Who needs to be a stickup artist when a simple, slim ATM skimmer can do all the work for you?  According to gizmodo.com, that's what's troubling police in southern Europe this week, after this insidious little interloper was pulled from a bank machine.

It's efficient, but sure doesn't look as badass as old bank robbers used to.

Powered by a mere watch battery and a small magnetic reader, the heist device was also equipped with a small data storage unit.  The skimmer was likely used alongside an external camera that monitored customers pressing PIN numbers, although this was missing from the crime scene.  One bank employee explained that mystery well, stating they "didn't capture any hidden camera [because the criminals] probably took it. There were definitely no PIN pad [overlays]. In all skimming cases lately we see through the videos that fraudsters capture the PIN through [hidden] cameras."

This trend could easily go unnoticed in busy commercial centers where people need cash quickly, but if you aren't paying attention, you may end up paying through the nose. Keep your eyes peeled and your wallets sealed around shady ATMs!
A.T.Ummmm...



Microneedles: Big Development, Little Pain

The best technology is the type that makes life easier for people in places where it seemed difficult or impossible to create a more user-friendly interface. If successful, one new development in India is set to aid medical technology tremendously: near-painless needle arrays for syringes.

Researchers at the Indian Institute of Sciences have been working on a new invention, called "microneedles." Instead of a standard stainless-steel jab, these are small arrays of microscopic-sized silicon filaments which are still able to pass medication on to the user, sans any of the traditional pain.

As any screaming child who's gone through an impalement of inoculations can attest to, this could be very important in the healthcare field. Those who require frequent injections, such as diabetics, could have their ordeal made immensely more simple. At a mere 130 microns apiece, the tiny silicon snippets would barely sting, even in an array.

The biocompatibility of silicon was augmented by researchers using a simple and easily mass-produced method. K.B. Vinayakumar, lead author on the project, explained to thehindu.com that, "...we coated the needle with very thin layers of titanium and gold through electroplating.” This is to prevent negative reactions with blood plasma and degradation through repeat use (which is important to maintain the microneedles' strength enough to break the skin's "resistive force.")

The microneedles are currently still being tested on animals, but may soon be seen (though not felt) in use for humans.

If you still cry about needles after this, you're a huge wuss.


Space Station Sunday: Extremeophile Edition

It may be that not all the life aboard the ISS is human. This week, after a spacewalk, it was reported by cosmnauts Olek Artemyev and Alexander Skvortsov that plankton is growing on the exterior of the spacecraft.

According to the telegraph.co.uk, it was reported that the two spacefarers were conducting a cleanup operation outside the station when the extreme-living organisms were discovered. Samples were taken for analysis from among the other residue that coats the ISS as a result of its 6,000-odd days in orbit.

This may not be as alien as it sounds. Other organisms may live deeply beneath ice shelves, far below the ocean, or even in the vacuum of space. Theories on the space plankton include ideas that it has been carried up aboard another flight (although the material is inconsistent with growths found around Roscosmos, the Kazakh cosmodrome responsible for most of the space launches to the ISS), or that tiny frozen molecules containing the organisms wafted up from the atmosphere.

NASA has not yet confirmed these findings. Their spokeman, Dan Huot, told space.com that, “As far as we're concerned, we haven't heard any official reports from our Roscosmos colleagues that they've found sea plankton." Russian ISS orbital mission chief Vladimir Solovyev pushed the claim, and was quoted in forbes.com stating, “Results of the experiment are absolutely unique. We have found traces of sea plankton and microscopic particles on the illuminator surface. This should be studied further.”

It could be something out of a horror movie...or it could just be a case of the ISS needing a good wash. More news as this story develops...watch this space (station.)

Plankton or planetary invasion?

Serendipitous Songs? New App Maps Where And When People Play Similar Songs

Do you ever wonder if you share a "soundtrack" with other people, perhaps during a certain time, or in a certain vicinity? If you do, now there's a way to find out what your fellow music fans are jamming to at the same time or place you are.

According to techtimes.com, Spotify's new Serendipity app tracks your tunes as you rock out, then shows users if someone else, anywhere in the world, is grooving to the same song. As Spotify describes this, "If you're listen[ing] to a popular song, there's a good chance someone else is listening to it in sync with you." You can watch the results on a map and allow yourself to be happy that someone, somewhere is also crying along to Air Supply's "All Out Of Love."

The fascinating part about this is that Spotify has deduced that every second, ten people begin listening to the same song within a tenth of a second. So yeah, it could be implied that every time you're blasting the Bee Gees' "Stayin' Alive", ten other people may be doing the Travolta dance along with you...somewhere.  
Ha, ha, ha, ha - oh sweet, some dude in Belgium is jamming it too!  Intercontinental dance party! 


Where're You At? New App Monitors Missed Connections

Have you ever passed a certain someone on the street and, for whatever reason, have not been able to get them out of your head? Now, a new app can help you find them without having to deal with all the weirdos in the "Missed Connections" forums.

Happn, a new app created by a hacker, an entrepreneur, and a computer engineer, seeks to play e-matchmaker with those who have perchance crossed your path. As their website exclaims, Happn is, "An app that loves coincidences and boosts luck again!"

Prospective users make profiles which are invisible to other users, except in the event that their paths cross...at parties, concerts or bars, on hikes on or the street. Maybe it's even just someone in the same hallway at work as you who you've never mustered up the courage or a reason to talk to. Now, thanks to Happn, you can happen upon their real identity.

The creators claim the app does not share information and has easy features to flag or block those who would use this app for stalking or other unsavory recon. So get out there and find that mystery man or woman!

One of these people could be the one for you, and now, you don't even have to talk to them to meet!




Gorgeous New Electric Coupe Charges Forth

Now that Tesla has officially proven it isn't going to pack up shop just because the oil lobbyists cry about it, it's time for the competition to heat up among the electric car creators. Enter the Renovo coupe, a hot new electric model set to debut in 2015.

According to acquiremag.com, the classically-styled Renovo coupe clocks in at 0-60 in 3.4 seconds and boasts 500 horsepower. Not bad for a car that you fuel in nearly the same manner that one would charge their cellphone. The car's Twin Sequential Axial Flux engine runs on three lithium ion batteries that require just 30 minutes, or which can attain a stronger "level 2" charge after five hours.

USA Today reports that the Renovo will be priced considerably higher than its Tesla competitors, with the coupe costing $529,000. The price coupled with the fact that its maximum range is 100 miles may hinder some interest in the vehicle. However, its light frame allows for superior handling. Jason Stinson, Chief Technical Officer, developed the car alongside other "performance junkies" like himself, and caters to a similar clientele. And while the Renovo isn't really a racecar (it tops off at 129 m.p.h.), it certainly looks like a champion. The drool-inducing chassis is based off of a design from Shelby American, a company created by racing legend Carroll Shelby.

Could a new golden age of American automobile enthusiasm soon start kicking the tires and lighting (well, charging) the fires?
Ride on.