The word notification gets a bit abused in the world of mobile development, especially in the world of Apple development. Notifications could mean internal notifications, where classes use observers to watch unrelated code. When a notification appears, the observer code executes special code for that event.
Another type of notification notifies a user that something has happened, even if they are not in the app the sent the notification – or the device is sleeping. That kind of user notification has two varieties: push notifications and local notifications. To the user, these two are the same. For the developer, the push notification uses an external server to push data from the outside world. The Messages app, Facebook and Twitter all use push messages. Due to using an external server, things get complicated with push notifications. There is a registration process with Apple, extra libraries to use them, and you have to write or import code to handle the server data.
The much simpler local notification needs none of that. With a few lines of code, you can fire off a notification. Often used on scheduling and timer applications, this can adapt for many other uses where external data isn’t necessary. In this lesson, we’ll look at the local notification. We’ll make a HIIT timer app to show aspects of the local notification.
Set Up a New Project.
Start a new single view project called SwiftLocalNotificationDemo with Swift as the language and a Universal device. Save the file, and then go to the story board. We’ll eventually use a navigation controller for this app. Select the existing view controller and from the menu select Editor>Embed in>Navigation Controller. You’ll have a navigation controller and a view controller on the storyboard.
On the storyboard add three buttons, three labels and a segmented control. Arrange them roughly like this.
Set the titles and text like this for the controls.
I added color an fancied it up. You don’t have to do this step, but it makes it a bit nicer to look at. I used a palette of #220066 for the dark and #FFDDFF for the light. I also changed up and down for symbols. Use the keyboard shortcut Control-Command-Space to get the symbol popup.
Using Stack Views
We’ll use some embedded stack views to align everything quickly. I’m not going to explain stack views here, but for those who have never used them, I’ll go step by step. If you are interested you can read this about them or go buy my book on auto layout. Select the Seconds and 00 labels On the bottom right of the story board, You’ll find the auto layout controls.
Click the stack view icon. It immediately makes a stack view of the two labels. Select the two arrows and the seconds stack view.
Click the stack view button again. The three combine into one stack view.
Select everything on the storyboard. Hit the stack view button again. Now everything is one stack view.
Find the pin button in the auto layout controls. In the popup that appears, pin all four sides 10 points in the popup. Also set the Update Frames with Items of New Constraints.
Add the 4 constraints. Depending on where your controls were, th storyboard now looks something like this.
You’ll notice in the attributes inspector the stack view attributes. Change them to An axis of Vertical, Alignment of Fill and Distribution of Fill Equally:
Open the document outline. Open up all the arrows so you can see the hierarchy of the stack views. It’s a lot easier to click on the document outline than the storyboard to select stack views. Select the second stack view down.
In the attributes inspector, change the stack view to this:
Select the last stack view.
Change the attributes to this:
You now have a storyboard looking like this:
Select the Seconds and 00 labels. Center align them.
We now have a fully aligned layout.
Setting Up the Code
Go to the ViewController.swift code. Add the following outlets and actions.
//MARK: - Outlets @IBOutlet weak var statusLabel: UILabel! @IBOutlet weak var workoutType: UISegmentedControl! @IBOutlet weak var secondsIndicator: UILabel! //MARK: - Actions @IBAction func upArrow(sender: UIButton) { } @IBAction func downArrow(sender: UIButton) { } @IBAction func setInterval(sender: UIButton) { }
Go back to the storyboard and open the assistant editor. Drag from the circle next to statusLabel
to The Quick HIIT Timer Label. Drag from the circle to the left of secondsIndicator
to the 00 label. In the same way Connect workoutType
to the segmented control, upArrow
to the up arrow(Up) button, downArrow
to the down arrow(Down) button, and setInterval
to the Set Interval button. Close the assistant editor and go to the Viewcontroller.swift code. Above the outlets, add a property:
//MARK: Properties var seconds:NSTimeInterval = 0.0
We’ll use the up and down buttons to change a counter seconds
. Change the actions upArrow
and downArrow
like this:
@IBAction func upArrow(sender: UIButton) { seconds += 1.0 secondsIndicator.text = displaySeconds() } @IBAction func downArrow(sender: UIButton) { seconds -= 1 if seconds < 0{ seconds = 0.0 } secondsIndicator.text = displaySeconds() }
In these actions, our last statement sends the current seconds to the label. It converts the time interval to a string in a function displaySeconds
. Add displaySeconds
to your code:
//MARK: Instance Methods func displaySeconds() -> String{ let mySeconds = String(format:"%02i",Int(seconds)) return mySeconds }
We now have a working counter in our app. Add the following code to setInterval
.
@IBAction func setInterval(sender: UIButton) { //make a status string let index = workoutType.selectedSegmentIndex let workout = workoutType.titleForSegmentAtIndex(index)! let status = displaySeconds() + " seconds " + workout statusLabel.text = status + " set" }
Nothing visible happens when we schedule a notification. We now have some feedback of what notification we just set.
Setting a Notification
We’re ready to set a local notification. Add some more code to the setInterval
action
@IBAction func setInterval(sender: UIButton) { //make a status string let index = workoutType.selectedSegmentIndex let workout = workoutType.titleForSegmentAtIndex(index)! let status = displaySeconds() + " seconds " + workout statusLabel.text = status + " set" //make the local notification let localNotification = UILocalNotification() localNotification.fireDate = NSDate(timeIntervalSinceNow:seconds) localNotification.alertBody = status + " complete" localNotification.timeZone = NSTimeZone.defaultTimeZone() //set the notification UIApplication.sharedApplication().scheduleLocalNotification(localNotification) }
Line 9 of this code makes an instance localNotification
of the UILocalNotification
class. Local notifications can be immediate or time based. We set the time we will launch the notification, its fireDate
, with an NSDate
object. If this was a scheduling app I’d set the scheduled time for the notification to fire. In line 10 I want a time seconds
in the future from now. The alertBody
property of line 11 sets the message that will appear on the notification. We show we completed that interval. While not mandatory, since we are using a time, we set the time zone the notification will use for its clock, usually the default time zone for the system.
Our last line of code in line 14 is the first of two tricky things about notifications. The notification isn’t running in our class. Instead, it’s part of a bigger structure within the device’s OS. If the app isn’t running in the foreground, we get our notification. The object UIApplication.sharedApplication()
is the application object we need to schedule this with. We schedule that notification with scheduleLocalNotification
.
The second tricky part is we tell the UIApplication
object we are using notifications and how we will be using them. We do that in its delegate, the often ignored AppDelegate
. Go to the AppDelegate.swift file in Xcode. Toward the top, you’ll find the application:didFinishLaunchingWithOptions:LaunchOptions:
method. Add the highlighted code:
func application(application: UIApplication, didFinishLaunchingWithOptions launchOptions: [NSObject: AnyObject]?) -> Bool { // Override point for customization after application launch. application.registerUserNotificationSettings( UIUserNotificationSettings( forTypes:[.Alert, .Sound, .Badge], categories: nil ) ) return true }
We register our notification with a UIUserNotificationSettings
object. We have two parameters to set in the UIUserNotificationSettings
object: the type of notification and the actions we might take. These actions are known as categories. We’ll discuss categories in our next lesson, so we set categories
to nil
and focus on types. There are four types available to us:
.Alert
sends an alert or banner.Sound
plays a sound.Badge
shows the small red dot with a counter on the app icon.None
which does not present a notification.
We set up all three notifications. We are ready to build and run. As soon as the launch screen disappears from the app we see the alert:
Notifications are one feature that the user chooses. Tap OK. Tap the up arrow until the counter reads 15 seconds.
Tap the Set Interval button. The status tells us we added an interval.
Press Command-Shift-H to go to the home screen. In a few seconds, the interval will fire and you’ll see the notification.
Swipe down to get the notification center, and you’ll see your notification there.
User Settings and Notifications
Go to the Settings app in the simulator. Scroll down towards the bottom and you’ll find our app.
Select the SwiftNotificationDemo entry in Settings and we find one entry for Notifications.
Click that and we get the standard notifications settings page. Currently it is at its default settings.
Toward the bottom you’ll find the Alert Style When Unlocked setting. Change it from Banners to Alerts.
Now go back to the app. Let’s do this and demonstrate one more feature of notifications. Swipe down from the top of the screen to get the notification center.
Tap the notification. You are back in the app. Notifications when tapped launch the app or bring the app to the foreground.
Tap the Set Interval again, then press Command-Shift-H to go back to the home screen. Wait, and you get an alert style notification.
Unlike the banner type, which will dismiss itself, the alert waits for a response. You can close the alert or open the app. Close the notification.
Are Notifications Allowed?
There is one user setting that all developers must be aware of. In the simulator go back to our apps notification settings. At the top you will find the Allow Notifications button.
Switch it off. All the other settings disappear.
Shut down the app in Xcode. Build and run. Set a 10 second Notification. The system will let you do this but you will be waiting a long time for that notification – it doesn’t exist. The system shuts down our request for a notification.
In an app where notifications have major functionality, such as this timer app, we may want to tell the user that this is a bad idea.
We’d first have to know ourselves that notifications are off. We told the application which ones to turn on in the AppDelegate
. There is a property that lets us look at those settings, currentUserNotificationSettings
. It has a property type
, which has a value of UIUserNotification
type. This type uses a bitmask. If you’ve never used a bitmask before, it’s a way of compressing several Bool
values into a single number. The three types we have each have one digit of a binary number. We thus can make an unsigned integer value from that value according to this table
Value | .Badge (4) |
.Sound (2) |
.Alert (1) |
---|---|---|---|
0 ( .None ) |
0 | 0 | 0 |
1 | 0 | 0 | 1 |
2 | 0 | 1 | 0 |
3 | 0 | 1 | 1 |
4 | 1 | 0 | 0 |
5 | 1 | 0 | 1 |
6 | 1 | 1 | 0 |
7 | 1 | 1 | 1 |
Notice the zero row. Remember we had four, not three options for UIUserNotification
. The fourth option is .None
. That is when all three of the others are off. When a user has notifications off in the user settings, the system always preempts our currentUserNotificationSettings.type
setting it to .None
. For an easy comparison, it often best to change this to a rawValue
which gives us direct access to that integer value. Add this line under the one you just added:
let noNotifications = UIUserNotificationType.None.rawValue
This is just assigning a constant to the value 0, but for good documentation we write the longer way.
All this gets us to a simple if
. If the user notifications is off, the type will be zero, otherwise it is on. Change the setInterval
action to this:
@IBAction func setInterval(sender: UIButton) { //make a status string let index = workoutType.selectedSegmentIndex let workout = workoutType.titleForSegmentAtIndex(index)! let status = displaySeconds() + " seconds " + workout statusLabel.text = status + " set" let notificationTypes = UIApplication.sharedApplication().currentUserNotificationSettings()?.types let noNotifications = UIUserNotificationType.None.rawValue if notificationTypes!.rawValue == noNotifications { statusLabel.text = "Turn on notifications in settings" } else{ //make the local notification let localNotification = UILocalNotification() localNotification.fireDate = NSDate(timeIntervalSinceNow:seconds) localNotification.alertBody = status + " complete" localNotification.timeZone = NSTimeZone.defaultTimeZone() //set the notification UIApplication.sharedApplication().scheduleLocalNotification(localNotification) }
We check if notifications are turned off. If off we send a message to the status label to tell the user the app doesn’t work. In a more sophisticated app I’d use an alert, explaining that the app doesn’t work without notifications, and include an action in the alert to take the user to the settings app.
Go back to the simulator, and make sure notifications are turned off.
Build and run. Make a notification, and you get a message
While it give us the right message, It runs off the screen. Exit the app, and go to the storyboard. Select the status label. In the attributes, change Lines to 0, Line Breaks to Word Wrap.
This sets the number of lines in the label to automatic.
Change the message to be a bit more verbose:
statusLabel.text = "Please turn on notifications in Settings"
Build and run. When we try to set a notification, we get this:
Enable notifications in the settings app. Go back to the app and it works.
Listing Notifications
We may want to see all notifications currently waiting to fire. There is an array scheduledLocalNotifications
that lets us see this. We’ll set up a quick table view to display these. If you are not familiar with table views you might want to read this. Shut down the app in Xcode, and go to the storyboard. Add a UIBarButtonItem to the right side of the navigation bar. Title it List. Drag out a table view controller to the storyboard. Control drag from the List bar button to the view controller to get a segue. Make it a Show segue.
In the document outline, Select the Table View Cell
In the attributes inspector set the Identifier to cell and the Style to Basic.
We need to make the controller. I usually avoid the table view template. Press Command-N to make a new file. Make a new Cocoa Touch Class file subclassing UIViewController
. Name the file NotificationsTableViewController. When the file appears, change the view controller to this:
class NotificationsTableViewController: UITableViewController { override func viewDidLoad() { super.viewDidLoad() // Do any additional setup after loading the view. } }
Go to the storyboard and select the table view controller. In the identity inspector, Change the class to NotificationsTableViewController.
Go to the NotificationsTableViewController class. Add two of the three data sources and a constant to the code like this:
class NotificationsTableViewController: UITableViewController { var notifications = UIApplication.sharedApplication().scheduledLocalNotifications override func numberOfSectionsInTableView(tableView: UITableView) -> Int { return 1 } override func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int { return notifications!.count } override func viewDidLoad() { super.viewDidLoad() // Do any additional setup after loading the view. } }
Our constant notifications
contains an array of the scheduled notifications. We’ll use one section in the table, and our number of rows will be the number of scheduled notifications. Now add the last method we need to the class:
override func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell { let cell = tableView.dequeueReusableCellWithIdentifier("cell", forIndexPath: indexPath) let row = indexPath.row let fireDate = (notifications![row].fireDate)! let dateString = NSDateFormatter.localizedStringFromDate(fireDate, dateStyle: .ShortStyle, timeStyle: .LongStyle) cell.textLabel?.text = "Notification at " + dateString if row % 2 == 0 {cell.backgroundColor = UIColor.lightGrayColor()} return cell }
This sets up each cell of the table. Since notifications
is an array of UILocalNotificaton
,s we go down the array getting the fireDate
from the notification. We format the fireDate
as a string and return it as a cell. I added a line to alternate the colors of the rows to make it slightly more readable.
Build and run. Add several notifications of 30 seconds or more. Press the List button, and you will see your notifications.
Deleting Notifications
You may need to delete notifications. We’ll delete any selected notification. Add the following code to the NotificationsTableViewController
class.
override func tableView(tableView: UITableView, didSelectRowAtIndexPath indexPath: NSIndexPath) { let row = indexPath.row if let notification = notifications?[row]{ UIApplication.sharedApplication().cancelLocalNotification(notification) notifications = UIApplication.sharedApplication().scheduledLocalNotifications tableView.reloadData() }
To delete a notification, you use the UIApplication
method cancelLocalNotification
. We get that by row
, cancel it, then refresh our notifications list and table. While I’m usually a bit careless about optionals to make the code easier to understand here’s one exception we need to be careful. Our table is not refreshing itself when a notification occurs. Between the time we look at the table and select a notification to delete, it may have already fired and dismissed itself. We check to make sure it is still there. Build and run. Add a few notifications and try deleting them.
The Local Notification Limit
There is one limitation to local notifications: you can only have 64 waiting to fire at one time. The most recent 64 will remain in the scheduledLocalNotifications
, the rest are cancelled.
We’ve made an app that’s supposed to be a HIIT app. If you are not familiar with HIIT, it stands for High Intensity Interval Training. Usually for cardio training, you do a very intense exercise for a short amount of time then rest for a short amount of time to recover, then repeat several times. However, there’s a problem. If I do run/walk/run intervals for HIIT I might have over a hundred intervals. Other apps have nagging modes which remind you every minute or every hour to do something. Both of these would kill the 64 notification limit quickly.
A Solution: presentLocalNotificationsNow
We’ve used scheduleLocalNotification
to schedule our notifications. If we don’t schedule them we don’t run up against the 64 notification limit. Instead we use presentLocalNotificationNow
and let our code do the timing. We’ll use an NStimer
to do this. If you are not familiar with NSTimer
and the timing loop we will use, you might refer to my post on them
Go to the ViewController
class. Add the following properties:
var timer = NSTimer() let timeInterval:NSTimeInterval = 10.0 var workout = false var workoutIntervalCount = 5
The variable timer
will be our timer with a firing time of every 15 seconds, which I set in a constant timeInterval
. The code will alternate between working out and resting for a set number of intervals found in workoutIntervalCount
. To set up the timer we’ll use this function:
//MARK: - NSTimer based notifications func startTimer(){ if !timer.valid{ //prevent more than one timer on the thread timer = NSTimer.scheduledTimerWithTimeInterval( timeInterval, target: self, selector: #selector(timerDidEnd), userInfo: nil, repeats: true) } }
The timer will repeat every 15 seconds, executing the selector timerDidEnd
. We now have to add that function:
func timerDidEnd(timer:NSTimer){ if workoutIntervalCount == 0 { //finished intervals timer.invalidate() statusLabel.text = "Workout complete" } else { workout = !workout if !workout { statusLabel.text = String(format:"Interval %i Rest",workoutIntervalCount) workoutIntervalCount -= 1 }else{ statusLabel.text = String(format:"Interval %i Work Out",workoutIntervalCount) } } }
This figures out which kind of notification we need to give, alternating between a workout and a rest. At each workout, we decrease workoutIntervalCount
by one until we are at zero, where we shut off the timer. Under this code in the function timerDidEnd
place the following to make our notification:
//make the local notification let localNotification = UILocalNotification() localNotification.alertBody = statusLabel.text! localNotification.timeZone = NSTimeZone.defaultTimeZone() localNotification.applicationIconBadgeNumber = workoutIntervalCount //set the notification UIApplication.sharedApplication().presentLocalNotificationNow(localNotification) }
Line 7 in this code uses presentLocalNotificationNow
to immediately send the notification. Since this notification sends immediately, it ignores fireDate
so we didn’t assign it this time. We did include line 5 however. Notifications are also badges, those little numbers on the corners of some icons, such as the one for mail. Using the property applicationIconBadgeNumber
, We set it to the current workout interval count.
Instead of making a new button for this , we’ll run the code when seconds = 0
. Change setInterval
to this:
@IBAction func setInterval(sender: UIButton) { //make a status string if seconds > 0 { let index = workoutType.selectedSegmentIndex let workout = workoutType.titleForSegmentAtIndex(index)! let status = displaySeconds() + " seconds " + workout statusLabel.text = status + " set" let notificationTypes = UIApplication.sharedApplication().currentUserNotificationSettings()?.types let noNotifications = UIUserNotificationType.None.rawValue if notificationTypes!.rawValue == noNotifications { statusLabel.text = "Please turn on notifications in Settings." } else{ //make the local notification let localNotification = UILocalNotification() localNotification.fireDate = NSDate(timeIntervalSinceNow:seconds) localNotification.alertBody = status + " complete" localNotification.timeZone = NSTimeZone.defaultTimeZone() //set the notification UIApplication.sharedApplication().scheduleLocalNotification(localNotification) } }else{ workoutIntervalCount = 5 startTimer() } }
Now when we have a value of 0 for seconds
our automatic interval counter will send notifications every 15 seconds. Build and run using the simulator. Tap the set interval button. Press Command-Shift-H and watch the results:
You’ll also notice the badge on the icon.
Running on an iPhone: Using the Background
Up to this point we have been running this application on a simulator. You may get different results on an iPhone for the NSTimer
based notifications. You may get nothing. Real devices suspend background operations unless you state otherwise. Fortunately, we can do that with a few more lines of code.
Add the highlighted line of code.
//NSTimer executed functions func startTimer(){ if !timer.valid{ //prevent more than one timer on the thread backgroundTask = UIApplication.sharedApplication().beginBackgroundTaskWithExpirationHandler(nil) timer = NSTimer.scheduledTimerWithTimeInterval( timeInterval, target: self, selector: #selector(timerDidEnd), userInfo: nil, repeats: true) } }
The beginBackgroundTaskWithExpirationHandler
method registers our code as a background task. iOS gives this background task an amount of time to finish. If it expires, the code in the closure runs. You can then gracefully shout down things. We’ll keep our app simple and leave the closure nil
, which will end the app. This is only for simplicity. It is much better to write a handler.
The beginBackgroundTaskWithExpirationHandler
method returns a unique ID as an Int
. We’ll store this ID as a property of our classbackgroundTask
. At the top of our class, add this
var backgroundTask = 0
When our timer loop completes, we dismiss our app from the background. Add the highlighted line to timerDidEnd
func timerDidEnd(timer:NSTimer){ //decrement the counter if workoutIntervalCount == 0 { //finshed intervals timer.invalidate() statusLabel.text = "Workout complete" UIApplication.sharedApplication().endBackgroundTask(backgroundTask)
This deregisters the background task using the ID of the task.
With this code, you can build and run a a iPhone and get the same results as the simulator.
Local Notifications and Apple WatchOS
If you have an Apple Watch and run this App on a phone, try running the app on your phone for the five intervals. Once started, put your phone to sleep by tapping the sleep switch. If your phone is asleep, your watch will display the notifications that were going to your phone.
Notifications to on the Apple Watch are completely free and automatic. No extra programming is required.
However, you may have noticed that notification in some apps give you haptics and sounds. Some notifications have extra buttons. These are controlled by more actions we can add to both iOS and WatchOS. In the next lesson, we’ll look at how to make more buttons on your notification first in iOS and then in Watch OS.
The Whole Code
ViewController.swift
// // ViewController.swift // SwiftNotificationDemo // // Created by Steven Lipton on 4/20/16. // Copyright © 2016 MakeAppPie.Com. All rights reserved. // import UIKit class ViewController: UIViewController { //MARK: Properties var seconds:NSTimeInterval = 0.0 var backgroundTask = 0 //MARK: - Outlets @IBOutlet weak var statusLabel: UILabel! @IBOutlet weak var workoutType: UISegmentedControl! @IBOutlet weak var secondsIndicator: UILabel! //MARK: - Actions @IBAction func upArrow(sender: UIButton) { seconds += 1.0 secondsIndicator.text = displaySeconds() } @IBAction func downArrow(sender: UIButton) { seconds -= 1 if seconds < 0{ seconds = 0.0 } secondsIndicator.text = displaySeconds() } @IBAction func setInterval(sender: UIButton) { //make a status string if seconds > 0 { let index = workoutType.selectedSegmentIndex let workout = workoutType.titleForSegmentAtIndex(index)! let status = displaySeconds() + " seconds " + workout statusLabel.text = status + " set" let notificationTypes = UIApplication.sharedApplication().currentUserNotificationSettings()?.types let noNotifications = UIUserNotificationType.None.rawValue if notificationTypes!.rawValue == noNotifications { statusLabel.text = "Please turn on notifications in Settings." } else{ //make the local notification let localNotification = UILocalNotification() localNotification.fireDate = NSDate(timeIntervalSinceNow:seconds) localNotification.alertBody = status + " complete" localNotification.timeZone = NSTimeZone.defaultTimeZone() //set the notification UIApplication.sharedApplication().scheduleLocalNotification(localNotification) } }else{ workoutIntervalCount = 5 startTimer() } } //MARK: - Instance Methods func displaySeconds() -> String{ let mySeconds = String(format:"%02i",Int(seconds)) return mySeconds } //MARK: - NSTimer based notifications var timer = NSTimer() let timeInterval:NSTimeInterval = 5.0 var workout = false var workoutIntervalCount = 5 //NSTimer executed functions func startTimer(){ if !timer.valid{ //prevent more than one timer on the thread backgroundTask = UIApplication.sharedApplication().beginBackgroundTaskWithExpirationHandler(nil) timer = NSTimer.scheduledTimerWithTimeInterval( timeInterval, target: self, selector: #selector(timerDidEnd), userInfo: nil, repeats: true) } } func timerDidEnd(timer:NSTimer){ //decrement the counter if workoutIntervalCount == 0 { //finshed intervals timer.invalidate() statusLabel.text = "Workout complete" UIApplication.sharedApplication().endBackgroundTask(backgroundTask) } else { workout = !workout if !workout { statusLabel.text = String(format:"Interval %i Rest",workoutIntervalCount) workoutIntervalCount -= 1 }else{ statusLabel.text = String(format:"Interval %i Work Out",workoutIntervalCount) } } //make the local notification let localNotification = UILocalNotification() localNotification.alertBody = statusLabel.text! localNotification.timeZone = NSTimeZone.defaultTimeZone() localNotification.applicationIconBadgeNumber = workoutIntervalCount //set the notification UIApplication.sharedApplication().presentLocalNotificationNow(localNotification) } //MARK: - Life Cycle override func viewDidLoad() { super.viewDidLoad() // Do any additional setup after loading the view, typically from a nib. } }
AppDelegate.swift
// // AppDelegate.swift // SwiftNotificationDemo // // Created by Steven Lipton on 4/20/16. // Copyright © 2016 MakeAppPie.Com. All rights reserved. // import UIKit @UIApplicationMain class AppDelegate: UIResponder, UIApplicationDelegate { var window: UIWindow? //methods not overridden not included. func application(application: UIApplication, didFinishLaunchingWithOptions launchOptions: [NSObject: AnyObject]?) -> Bool { // Override point for customization after application launch. application.registerUserNotificationSettings( UIUserNotificationSettings( forTypes:[.Alert, .Sound, .Badge], categories: nil ) ) return true } }
NotificationsTableViewController.swift
// // NotificationsTableViewController.swift // SwiftNotificationDemo // // Created by Steven Lipton on 4/22/16. // Copyright © 2016 MakeAppPie.Com. All rights reserved. // import UIKit class NotificationsTableViewController: UITableViewController { var notifications = UIApplication.sharedApplication().scheduledLocalNotifications override func numberOfSectionsInTableView(tableView: UITableView) -> Int { return 1 } override func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int { return notifications!.count } override func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell { let cell = tableView.dequeueReusableCellWithIdentifier("cell", forIndexPath: indexPath) let row = indexPath.row let fireDate = (notifications![row].fireDate)! let dateString = NSDateFormatter.localizedStringFromDate(fireDate, dateStyle: .ShortStyle, timeStyle: .LongStyle) cell.textLabel?.text = "Notification at " + dateString if row % 2 == 0 {cell.backgroundColor = UIColor.lightGrayColor()} return cell } override func tableView(tableView: UITableView, didSelectRowAtIndexPath indexPath: NSIndexPath) { let row = indexPath.row if let notification = notifications?[row]{ UIApplication.sharedApplication().cancelLocalNotification(notification) notifications = UIApplication.sharedApplication().scheduledLocalNotifications tableView.reloadData() } } override func viewDidLoad() { super.viewDidLoad() // Do any additional setup after loading the view. } }
Leave a Reply