Publishers of technology books, eBooks, and videos for creative people

Home > Articles

This chapter is from the book

WatchKit Controls

All interface objects (what we refer to as “controls”) in WatchKit are subclasses of WKInterfaceObject. Apps are limited to using and configuring the standard controls, so we can’t work with our own subclasses of WKInterfaceObject—or of any of its subclasses (which are the controls in the following sections). Any configuration is done in the storyboard editor or via @IBOutlet properties in your interface controllers.

WKInterfaceObject provides common methods for hiding and showing the control, changing its size, and setting its accessibility attributes. We’ll refer to hiding, showing, and changing size methods as you learn about the available controls, and we’ll look in detail at the accessibility options in Chapter 6.

Simple Display Controls

The following controls are for displaying data to the user. They do not accept user interaction.

Labels

Where would we be without labels in our user interfaces? The humble label is the first option to display text to the user in any iOS app, and it’s the first option in your Watch app as well.

The WKInterfaceLabel is analogous to UILabel and is configurable in some of the same ways: text (of course), text color, font, minimum scale and maximum number of lines (to handle long text values), and alignment. Additionally, text color can be set at run time with the label’s setTextColor(_:) method. The text displayed by the label can be updated with the setText(_:) and setAttributedText(_:) methods. The latter, as you’d expect, allows configuration of the text’s style.

WKInterfaceDate and WKInterfaceTimer (Figures 4.1 and 4.2) are two special label classes that are a new idea to WatchKit.

FIGURE 4.1

FIGURE 4.1 WKInterfaceDate

FIGURE 4.2

FIGURE 4.2 WKInterfaceTimer

WKInterfaceDate always displays the current date, the current time, or both. The storyboard editor is used to configure the format of the displayed date–time information, using setTextColor(_:), setTimeZone(_:), and setCalendar(_:), which are available at run time. This control makes it trivial to display the current date and time in your app.

WKInterfaceTimer is equally specialized. It manages, displays, and updates a countdown timer, with the format and displayed units configurable in the storyboard editor. The Enabled check box in the Timer (Figure 4.3) specifies whether the timer starts counting down immediately when the interface is initialized.

FIGURE 4.3

FIGURE 4.3 The timer’s Enabled setting

The timer label is managed programmatically using its setDate(_:), setTextColor(_:), start(), and stop() methods. Once started, the timer will count down to its target date without any further management from your app.

Images

The WKInterfaceImage is used to display an image, or an animation made up of a series of images, in your Watch app’s interface. Use the storyboard editor to configure the initial image, its content mode, the tint color for template images, and whether the control is able to animate. At run time, a number of methods are available to set the image or images, to set the tint color, and to start and stop animation.

As has been the case since the early days of the web (on iOS and other platforms), the humble image control is a very powerful tool for setting the look and feel of your app, communicating information, or even adding a little whimsy or delight for the user. We’ll spend significant time in Chapters 5 and 6 looking at how to get the best out of WKInterfaceImage.

Maps

The WKInterfaceMap control (Figure 4.4) takes much of the pain out of displaying a map to the user. Its output is essentially a specialized image—the map is not interactive. However, you can configure it to launch the Maps app to the location in the map control—simply set it to Enabled in the storyboard editor.

FIGURE 4.4

FIGURE 4.4 WKInterfaceMap

The Enabled property is the only configuration available in the storyboard editor—all other configuration must be made at run time from your interface controller.

The area covered by the map is set either with its setVisibleMapRect(_:) method or with setRegion(_:). Which you use depends on how your app defines its areas—with an MKMapRect or with an MKCoordinateRegion. In either case, the map control adjusts the area it displays and its zoom level to make sure the area specified is visible.

It is also possible to add image annotations to the map (addAnnotation(_:withImage:centerOffset:) and addAnnotation(_:withImageNamed:centerOffset:)) or to add pins (addAnnotation(_:withPinColor:)). The method removeAllAnnotations() does what it says, clears the map of annotations.

Interactive Controls

Displaying information to the user is, of course, only half the story. WatchKit offers buttons, switches, and sliders for all your users’ tapping needs.

Buttons

WKInterfaceButton is a tappable control that should be connected to an @IBAction method in an interface controller. The signature of this method is slightly different from the equivalent on iOS, taking no parameters:

@IBAction func buttonTapped()

The other notable difference is that a button can contain multiple other interface objects, acting as a group (see the “Control Groups” section later in this chapter for a discussion of WKInterfaceGroup), as well as the expected single text label. This is configured using the Content property in the storyboard editor.

You can configure buttons with different fonts, text colors, background colors, and background images, as well as with the title text itself. You may also enable or disable the button. These properties can be set programmatically as well as in the storyboard—title color and font being managed via the setAttributedTitle(_:) method, whereas the background is updated using the setBackgroundColor(_:), setBackgroundImage(_:), setBackgroundImageData(_:), and setBackgroundImageNamed(_:) methods. Figure 4.5 shows examples of how a button can be configured.

FIGURE 4.5

FIGURE 4.5 Examples of differently configured buttons

Switches

WKInterfaceSwitch is a control that displays the familiar on/off switch with a label beside it. The class and its properties manage both the switch itself and the label for you (Figure 4.6).

FIGURE 4.6

FIGURE 4.6 A switch and its title

Because it’s not possible to query controls for their state, the switch’s action method takes the following form:

@IBAction func switchSwitched(value: Bool)

When the method is called, your interface controller should stash the state of the switch in a property if necessary. When creating the switch in the storyboard editor, you may configure its initial state, the color of the switch’s On state, whether it is initially enabled, and the text, color, and font for the switch’s label.

At run time you can use setTitle(_:) or setAttributedTitle(_:) to update the switch’s label, setOn(_:) and setEnabled(_:) to update its state and whether it’s active, and setColor(_:) to update its On color.

Sliders

WKInterfaceSlider allows the user to select a value within a defined range—think of the volume slider in iPhone’s Music app or the volume control in the Watch’s Now Playing glance (Figure 4.7).

FIGURE 4.7

FIGURE 4.7 The slider in the Now Playing glance

The minus and plus buttons visible in Figure 4.7 are provided by default. They can be replaced with custom images, which must be part of the WatchKit App bundle when distributed.

The value of the slider is represented as a Float and is delivered to your interface controller via an action method with the following signature:

@IBAction func sliderSlid(value: Float)

As with the switch control, your interface controller should store the state value as necessary.

The slider presents quite a number of configuration options, most of which must be managed in the storyboard editor:

  • The value of the slider is initially set in the storyboard and can be updated at run time with the setValue(:_) method.
  • The minimum and maximum possible values.
  • The number of steps the slider recognizes between those two values. This can also be set in code with setNumberOfSteps(_:).
  • Whether the slider displays as a continuous, solid bar or as a row of segments.
  • The color of the slider bar, also configurable with the setColor(_:) method at run time.
  • Custom min image and max image for the slider’s minus and plus buttons.
  • Whether or not the slider is enabled. You can update this state at run time with setEnabled(_:).

Movies

Your app can play video via a WKInterfaceMovie control. This control displays a poster image and a play button for the video file (Figure 4.8); tapping the play button plays the video in a modal presentation.

FIGURE 4.8

FIGURE 4.8 A WKInterfaceMovie control

We’ll demonstrate using WKInterfaceMovie when exploring the media capabilities of Apple Watch in Chapter 12.

Structural Controls

A WKInterfaceController’s user interface is arranged quite differently from a view hierarchy on iOS in that it takes a series of controls and flows them down the screen. If you’ve ever written HTML for a webpage, this might feel familiar. As with HTML, there are options (although not nearly as many as on the web) for managing this flow by using some structure controls.

Control Groups

WKInterfaceGroup is an interface object designed to contain other interface objects, and although it may not sound very exciting (it’s a box!), this control enables a great deal of customization for how its members are displayed (Figure 4.9).

FIGURE 4.9

FIGURE 4.9 An interface group in the storyboard

Figure 4.10 shows the configuration options available for an interface group. A group can display a background of a solid color or an image—the image can even be animated! If used, the background has a default corner radius of 6 points. Modifying the group’s edge insets and spacing will vary how much of the background is visible around and between items in the group. The interface group’s layout can also be configured to flow its contained items horizontally or vertically.

FIGURE 4.10

FIGURE 4.10 Interface group configuration

The properties that can be updated at run time are

  • Background color, with setBackgroundColor(_:).
  • Background image, with setBackgroundImage(_:), setBackgroundImageData(_:), and setBackgroundImageNamed(_:).
  • Corner radius, with setCornerRadius(_:).
  • Background image animation can be controlled with methods that mirror those on WKInterfaceImage: startAnimating(), startAnimatingWithImagesInRange(_:duration:repeatCount:), and stopAnimating().

Separators

After the whirl of options available on an interface group, WKInterfaceSeparator is delightfully simple. It’s a horizontal line to separate controls, and you can set its color in the storyboard editor and in code via its setColor(_:) method. That’s it.

Tables

Working with table views is the bread and butter of many iOS developers. WKInterfaceTable is different enough from UITableView that we’ll take some time to work with it and its API.

  1. In Xcode, create a new iOS project, and add a WatchKit App target.
  2. In the WatchKit App’s storyboard, add a table to the interface controller scene (Figures 4.11 and 4.12).

    FIGURE 4.11

    FIGURE 4.11 The table in the storyboard editor

    FIGURE 4.12

    FIGURE 4.12 The table in the interface controller scene

  3. Add the source file for a class named RowController to the WatchKit extension. It should be a subclass of NSObject (Figure 4.13).

    FIGURE 4.13

    FIGURE 4.13 Creating a row controller

  4. Update the contents of RowController.swift to the following:

    import WatchKit
    
    class RowController: NSObject {
        @IBOutlet weak var listLabel: WKInterfaceLabel! {
            didSet(oldValue) {
                listLabel.setTextColor(UIColor.greenColor())
            }
        }
    }
  5. In the WatchKit App’s Interface.storyboard, select the table’s table row controller in the left sidebar. Open the Identity inspector and set the table row controller’s Class setting to RowController (Figure 4.14). The Module setting will update automatically.

    FIGURE 4.14

    FIGURE 4.14 Setting the table row controller’s class

  6. Open the table row controller’s Attribute inspector, and set its Identifier to RowController.
  7. Add a label to the row controller’s group, and connect it to the row controller’s listLabel property (Figure 4.15).

    FIGURE 4.15

    FIGURE 4.15 The interface controller’s hierarchy of interface objects

  8. Replace the contents of InterfaceController.swift with the following:

    import WatchKit
    import Foundation
    
    class InterfaceController: WKInterfaceController {
        @IBOutlet weak var listTable: WKInterfaceTable!
    }
  9. Connect the table in the storyboard to the @IBOutlet you have just defined.
  10. Add the following two methods to the InterfaceController class:

    override func awakeWithContext(context: AnyObject?) {
        super.awakeWithContext(context)
        updateTableItems()
    }
    
    func updateTableItems() {
        let listOfThings = [
            "Apple", "Banana", "Pear", "Orange", "Lemon",
            "Guava", "Melon", "Starfruit", "Grape"
        ]
        let numberOfThings = listOfThings.count
    
        listTable.setNumberOfRows(numberOfThings, withRowType: "RowController")
    
        for i in 0..<numberOfThings {
            let rowController = listTable.rowControllerAtIndex(i) as! RowController
            rowController.listLabel.setText(listOfThings[i])
        }
    }
  11. Add the following method to the same class:

    override func table(table: WKInterfaceTable, didSelectRowAtIndex rowIndex:
    Int) {
        let rowController = listTable.rowControllerAtIndex(rowIndex) as!
    RowController
        rowController.listLabel.setTextColor(UIColor.redColor())
    }
  12. Run the WatchKit App, you should see a list of fruit (Figure 4.16). Tapping a row will turn its label red.

    FIGURE 4.16

    FIGURE 4.16 The table in the Watch simulator

This example demonstrates the basics of setting up and populating a WKInterfaceTable. Note the following details of using a table:

  • The table is populated all at once when the data is available. This is in contrast to the approach taken on iOS, where the UITableView asks its data source for each cell to display in turn as needed.
  • Access to an individual row, perhaps to update some property of its UI, is simple using rowControllerAtIndex(_:).
  • The idea of a “row controller” is implemented in two parts. First, in the storyboard, the row controller is created and its UI is defined. Then, it’s necessary to create a custom class (RowController in our example) to associate with that UI. Instances of this class are how you interact with the interface items of a given row. The table identifies the row controller types by their Identifier properties and instantiates them according to their Class settings.

In this example, we have used only a single type of row in the table. However, you can define multiple row controllers on a table by increasing its Rows attribute in the storyboard editor. Interface controller code can then reference the different row controller types by their differing Identifier attributes.

Three methods on WKInterfaceTable allow you to specify which row types to use:

  • setNumberOfRows(_:withRowType:), the method used in the example, specifies the number of rows in the table and assigns the same row type to each of them.
  • setRowTypes(_:) takes an array of strings that are the identifiers for the row controllers. The array should contain one string for each row that should be displayed in the table.
  • insertRowsAtIndexes(_:withRowType:) takes the identifier of the row controller to use for the inserted rows.

In each case, as seen in the example, you access the row controller object for a given row using the table’s rowControllerAtIndex(_:) method.

It’s possible to add and remove table rows without re-creating the row set for the whole table. This is done using the methods insertRowsAtIndexes(_:withRowType:) and removeRowsAtIndexes(_:). The interface controller can trigger a scroll to a specified row by calling scrollToRowAtIndex(_:) on the table.

Finally, it’s possible to define segues in the storyboard that are triggered by taps on table rows. (This will be familiar to you if you’ve ever configured a UITableView to trigger a segue on iOS.) When one of these segues is triggered, the table’s interface controller receives one of the table segue callbacks asking for the context to be received by the incoming interface controller’s awakeWithContext(_:) method. These callback methods are contextForSegueWithIdentifier(_:inTable:rowIndex:) and contextsForSegueWithIdentifier(_:inTable:rowIndex:). Which is called depends on the target and type of the segue, the latter being the method called when transitioning to a modal presentation of paged interface controllers.

Pickers

One of the features of Apple Watch most talked about when it was announced was its digital crown, which provides a smooth, intuitive hardware interface for the user to scroll onscreen content. Developer access to the digital crown’s scrolling action is via the WKInterfacePicker control.

WKInterfacePicker allows your app to define a series of options (represented by instances of the class WKPickerItem), providing text, an image, or both for each. The user selects the picker by tapping it. They can then use the digital crown to scroll through the available options, and then tap the control again to select the current option.

There are three types of picker your app can use:

  • The List picker (Figure 4.17) displays a list of options and allows the user to scroll through them and select one. Each item may have an accessory image, a title, both an accessory image and a title, or a content image.

    FIGURE 4.17

    FIGURE 4.17 A List picker with a focus highlight

  • The Stacked picker animates through a virtual stack of cards, displaying one at a time onscreen, with a whimsical transition between items. Each item should be assigned a content image.
  • The Image Sequence picker cycles through a series of images according to the user’s scrolling of the digital crown, displaying one at a time. The images are supplied via the picker items’ contentImage properties. This picker type differs from the behavior of the Stacked picker in that the transition isn’t animated. If the picker’s focus highlight (the green outline visible in Figure 4.17) is disabled and the sequence of images is constructed with care, this option might give you all kinds of ideas for custom UI. (See Chapter 6 for another approach to using a picker to control an animation: with its setCoordinatedAnimations(_:) method.)

Note that the Stacked and Image Sequence pickers (Figures 4.18 and 4.19) look identical. The difference is in the transition—or lack of transition, in the Image Sequence picker—between the items.

FIGURE 4.18

FIGURE 4.18 A Stacked picker with a focus highlight

FIGURE 4.19

FIGURE 4.19 An Image Sequence picker with a focus highlight

Each type of picker is configurable in two ways in the storyboard editor:

  • The Focus property of the picker in the storyboard editor controls whether the picker is outlined to show when it is in focus (responding to digital crown input), whether it shows its caption in addition to its focus ring (Figure 4.20), or whether there is no indication that the picker has focus.

    FIGURE 4.20

    FIGURE 4.20 A List picker with a caption

  • The Indicator property specifies whether or not the picker gives an indication of its current display in the list of items. The indicator can be seen in Figure 4.17, and is reminiscent of UIScrollView’s scroll indicators on iOS.

As with other controls, WKInterfacePicker has a setEnabled(_:) method to set whether or not it is available for the user to interact with. It can be given focus programmatically with a call to its regally named focusForCrownInput() method.

The picker’s items are set via its setItems(_:) method, which accepts an array of WKPickerItem instances. The currently selected item is specifiable by its index, via the setSelectedItemIndex(_:) method. Each picker item has the following properties available for configuration:

  • contentImage is available to all three types of picker: it’s the only property used by Stacked and Image Sequence pickers, and if it’s set in the WKPickerItems to be consumed by a List picker, then the other properties should not be set.
  • title is the text used by a List picker.
  • accessoryImage is the small image used by a List picker, displayed next to its title.
  • caption is the text used in the picker’s caption area, if it’s enabled (Figure 4.20).

Finally, to let your app respond to the changing selection of the picker, the picker can send an action method to its interface controller. The method takes the form @IBAction func pickerAction(index: Int) and receives the index of the picker item selected by the user.

Alerts

It’s possible to display an alert, with options for the user, in much the same way as using UIAlertController (or the older, deprecated API UIAlertView) on iOS. Although alerts don’t involve subclasses of WKInterfaceObject, we include them here because they are a natural fit in our tour of UI controls.

An alert is triggered with a call to WKInterfaceController’s method presentAlertControllerWithTitle(_:message:preferredStyle:actions:). The actions parameter takes an array of WKAlertAction instances.

To see the alerts in action, carry out the following steps:

  1. Create a new iOS App with WatchKit App project (File > New > Project).
  2. In the WatchKit App’s Interface.storyboard, add a button as shown in Figure 4.21.

    FIGURE 4.21

    FIGURE 4.21 The DANGER! button

  3. Update your InterfaceController.swift file to have an empty implementation, as follows:

    import WatchKit
    import Foundation
    
    class InterfaceController: WKInterfaceController {
    
    }

    The button will be updated depending on the option chosen by the user when the alert is presented.

  4. Add the following enum and property inside (since Swift allows nested types, and this enum is of interest only inside the class—yay!) the curly brackets of the InterfaceController class:

    enum ButtonState {
        case OutOfDanger, Danger, Exploded
    }
    
    var buttonState = ButtonState.Danger
  5. Create the following @IBAction and @IBoutlet in InterfaceController, and connect both to the button in the storyboard:

    @IBOutlet var dangerButton: WKInterfaceButton!
    
    @IBAction func dangerTapped() {
        presentAlertControllerWithTitle("Danger!",
            message: "What will you do?",
            preferredStyle: .Alert,
            actions: alertActions())
    }

    We then need to define the actions for the alert.

  6. Define the method referenced in the previous call:

    func alertActions() -> [WKAlertAction] {
        return [
            WKAlertAction.init(title: "Deal with it",
                style: .Default) {self.buttonState = .OutOfDanger},
            WKAlertAction.init(title: "Ignore it",
                style: .Cancel) {self.buttonState = .Danger},
            WKAlertAction.init(title: "Explode it",
                style: .Destructive) {self.buttonState = .Exploded}
        ]
    }

    Next, the button needs to be updated according to the value of the buttonState property. The time to do this is in the willActivate() method.

  7. Add the following code to the interface controller:

    override func willActivate() {
        super.willActivate()
        updateButton()
    }
    
    func updateButton() {
        switch buttonState {
        case .OutOfDanger: outOfDanger()
        case .Danger: danger()
        case .Exploded: exploded()
        }
    }
  8. Add the following three methods to set the different button states:

    func outOfDanger() {
        dangerButton.setTitle("Phew")
        dangerButton.setEnabled(false)
    }
    
    func danger() {
        dangerButton.setTitle("DANGER!")
        dangerButton.setEnabled(true)
    }
    
    func exploded() {
        dangerButton.setTitle("BOOM!")
        dangerButton.setBackgroundColor(.redColor())
        dangerButton.setEnabled(false)
    }
  9. Run the app and tap the button. You should see the alert appear, as in Figure 4.22.

    FIGURE 4.22

    FIGURE 4.22 An alert, asking the important question

The preferredStyle parameter in the call to presentAlertControllerWithTitle(_:message:preferredStyle:actions:) in step 5 is a case of the WKAlertControllerStyle enumeration. The available cases are

  • Alert dispays a simple, flexible alert with a variable number of actions. This is the style used in the example.
  • SideBySideButtonsAlert accepts only two actions and displays their buttons side by side (Figure 4.23).

    FIGURE 4.23

    FIGURE 4.23 An alert of style SideBySideButtonsAlert

  • ActionSheet accepts either one or two custom actions and comes with a standard Cancel button in its top corner (Figure 4.24).

    FIGURE 4.24

    FIGURE 4.24 An alert of style ActionSheet

As an exercise, we suggest you try modifying the previous example to display alerts matching those in Figures 4.23 and 4.24.

User Input

You might have noticed that none of the interface objects is anything like our old friends UITextField or UITextView from iOS. Textual input on the Watch is a very different proposition from other devices. We’ll look at it in detail in Chapter 11.

Peachpit Promotional Mailings & Special Offers

I would like to receive exclusive offers and hear about products from Peachpit and its family of brands. I can unsubscribe at any time.

Overview


Pearson Education, Inc., 221 River Street, Hoboken, New Jersey 07030, (Pearson) presents this site to provide information about Peachpit products and services that can be purchased through this site.

This privacy notice provides an overview of our commitment to privacy and describes how we collect, protect, use and share personal information collected through this site. Please note that other Pearson websites and online products and services have their own separate privacy policies.

Collection and Use of Information


To conduct business and deliver products and services, Pearson collects and uses personal information in several ways in connection with this site, including:

Questions and Inquiries

For inquiries and questions, we collect the inquiry or question, together with name, contact details (email address, phone number and mailing address) and any other additional information voluntarily submitted to us through a Contact Us form or an email. We use this information to address the inquiry and respond to the question.

Online Store

For orders and purchases placed through our online store on this site, we collect order details, name, institution name and address (if applicable), email address, phone number, shipping and billing addresses, credit/debit card information, shipping options and any instructions. We use this information to complete transactions, fulfill orders, communicate with individuals placing orders or visiting the online store, and for related purposes.

Surveys

Pearson may offer opportunities to provide feedback or participate in surveys, including surveys evaluating Pearson products, services or sites. Participation is voluntary. Pearson collects information requested in the survey questions and uses the information to evaluate, support, maintain and improve products, services or sites; develop new products and services; conduct educational research; and for other purposes specified in the survey.

Contests and Drawings

Occasionally, we may sponsor a contest or drawing. Participation is optional. Pearson collects name, contact information and other information specified on the entry form for the contest or drawing to conduct the contest or drawing. Pearson may collect additional personal information from the winners of a contest or drawing in order to award the prize and for tax reporting purposes, as required by law.

Newsletters

If you have elected to receive email newsletters or promotional mailings and special offers but want to unsubscribe, simply email ask@peachpit.com.

Service Announcements

On rare occasions it is necessary to send out a strictly service related announcement. For instance, if our service is temporarily suspended for maintenance we might send users an email. Generally, users may not opt-out of these communications, though they can deactivate their account information. However, these communications are not promotional in nature.

Customer Service

We communicate with users on a regular basis to provide requested services and in regard to issues relating to their account we reply via email or phone in accordance with the users' wishes when a user submits their information through our Contact Us form.

Other Collection and Use of Information


Application and System Logs

Pearson automatically collects log data to help ensure the delivery, availability and security of this site. Log data may include technical information about how a user or visitor connected to this site, such as browser type, type of computer/device, operating system, internet service provider and IP address. We use this information for support purposes and to monitor the health of the site, identify problems, improve service, detect unauthorized access and fraudulent activity, prevent and respond to security incidents and appropriately scale computing resources.

Web Analytics

Pearson may use third party web trend analytical services, including Google Analytics, to collect visitor information, such as IP addresses, browser types, referring pages, pages visited and time spent on a particular site. While these analytical services collect and report information on an anonymous basis, they may use cookies to gather web trend information. The information gathered may enable Pearson (but not the third party web trend services) to link information with application and system log data. Pearson uses this information for system administration and to identify problems, improve service, detect unauthorized access and fraudulent activity, prevent and respond to security incidents, appropriately scale computing resources and otherwise support and deliver this site and its services.

Cookies and Related Technologies

This site uses cookies and similar technologies to personalize content, measure traffic patterns, control security, track use and access of information on this site, and provide interest-based messages and advertising. Users can manage and block the use of cookies through their browser. Disabling or blocking certain cookies may limit the functionality of this site.

Do Not Track

This site currently does not respond to Do Not Track signals.

Security


Pearson uses appropriate physical, administrative and technical security measures to protect personal information from unauthorized access, use and disclosure.

Children


This site is not directed to children under the age of 13.

Marketing


Pearson may send or direct marketing communications to users, provided that

  • Pearson will not use personal information collected or processed as a K-12 school service provider for the purpose of directed or targeted advertising.
  • Such marketing is consistent with applicable law and Pearson's legal obligations.
  • Pearson will not knowingly direct or send marketing communications to an individual who has expressed a preference not to receive marketing.
  • Where required by applicable law, express or implied consent to marketing exists and has not been withdrawn.

Pearson may provide personal information to a third party service provider on a restricted basis to provide marketing solely on behalf of Pearson or an affiliate or customer for whom Pearson is a service provider. Marketing preferences may be changed at any time.

Correcting/Updating Personal Information


If a user's personally identifiable information changes (such as your postal address or email address), we provide a way to correct or update that user's personal data provided to us. This can be done on the Account page. If a user no longer desires our service and desires to delete his or her account, please contact us at customer-service@informit.com and we will process the deletion of a user's account.

Choice/Opt-out


Users can always make an informed choice as to whether they should proceed with certain services offered by Adobe Press. If you choose to remove yourself from our mailing list(s) simply visit the following page and uncheck any communication you no longer want to receive: www.peachpit.com/u.aspx.

Sale of Personal Information


Pearson does not rent or sell personal information in exchange for any payment of money.

While Pearson does not sell personal information, as defined in Nevada law, Nevada residents may email a request for no sale of their personal information to NevadaDesignatedRequest@pearson.com.

Supplemental Privacy Statement for California Residents


California residents should read our Supplemental privacy statement for California residents in conjunction with this Privacy Notice. The Supplemental privacy statement for California residents explains Pearson's commitment to comply with California law and applies to personal information of California residents collected in connection with this site and the Services.

Sharing and Disclosure


Pearson may disclose personal information, as follows:

  • As required by law.
  • With the consent of the individual (or their parent, if the individual is a minor)
  • In response to a subpoena, court order or legal process, to the extent permitted or required by law
  • To protect the security and safety of individuals, data, assets and systems, consistent with applicable law
  • In connection the sale, joint venture or other transfer of some or all of its company or assets, subject to the provisions of this Privacy Notice
  • To investigate or address actual or suspected fraud or other illegal activities
  • To exercise its legal rights, including enforcement of the Terms of Use for this site or another contract
  • To affiliated Pearson companies and other companies and organizations who perform work for Pearson and are obligated to protect the privacy of personal information consistent with this Privacy Notice
  • To a school, organization, company or government agency, where Pearson collects or processes the personal information in a school setting or on behalf of such organization, company or government agency.

Links


This web site contains links to other sites. Please be aware that we are not responsible for the privacy practices of such other sites. We encourage our users to be aware when they leave our site and to read the privacy statements of each and every web site that collects Personal Information. This privacy statement applies solely to information collected by this web site.

Requests and Contact


Please contact us about this Privacy Notice or if you have any requests or questions relating to the privacy of your personal information.

Changes to this Privacy Notice


We may revise this Privacy Notice through an updated posting. We will identify the effective date of the revision in the posting. Often, updates are made to provide greater clarity or to comply with changes in regulatory requirements. If the updates involve material changes to the collection, protection, use or disclosure of Personal Information, Pearson will provide notice of the change through a conspicuous notice on this site or other appropriate way. Continued use of the site after the effective date of a posted revision evidences acceptance. Please contact us if you have questions or concerns about the Privacy Notice or any objection to any revisions.

Last Update: November 17, 2020