core data tutorial for iphone os

40
Core Data Tutorial for iPhone OS Data Management 2009-09-09

Upload: jonkka

Post on 17-Oct-2014

263 views

Category:

Documents


2 download

TRANSCRIPT

Page 1: Core Data Tutorial for iPhone OS

Core Data Tutorial for iPhone OSData Management

2009-09-09

Page 2: Core Data Tutorial for iPhone OS

Apple Inc.© 2009 Apple Inc.All rights reserved.

No part of this publication may be reproduced,stored in a retrieval system, or transmitted, inany form or by any means, mechanical,electronic, photocopying, recording, orotherwise, without prior written permission ofApple Inc., with the following exceptions: Anyperson is hereby authorized to storedocumentation on a single computer forpersonal use only and to print copies ofdocumentation for personal use provided thatthe documentation contains Apple’s copyrightnotice.

The Apple logo is a trademark of Apple Inc.

Use of the “keyboard” Apple logo(Option-Shift-K) for commercial purposeswithout the prior written consent of Apple mayconstitute trademark infringement and unfaircompetition in violation of federal and statelaws.

No licenses, express or implied, are grantedwith respect to any of the technology describedin this document. Apple retains all intellectualproperty rights associated with the technologydescribed in this document. This document isintended to assist application developers todevelop applications only for Apple-labeledcomputers.

Every effort has been made to ensure that theinformation in this document is accurate. Appleis not responsible for typographical errors.

Apple Inc.1 Infinite LoopCupertino, CA 95014408-996-1010

Apple, the Apple logo, Cocoa, Mac, Objective-C,and Xcode are trademarks of Apple Inc.,registered in the United States and othercountries.

iPhone is a trademark of Apple Inc.

Simultaneously published in the United Statesand Canada.

Even though Apple has reviewed this document,APPLE MAKES NO WARRANTY OR REPRESENTATION,EITHER EXPRESS OR IMPLIED, WITH RESPECT TOTHIS DOCUMENT, ITS QUALITY, ACCURACY,MERCHANTABILITY, OR FITNESS FOR A PARTICULARPURPOSE. AS A RESULT, THIS DOCUMENT ISPROVIDED “AS IS,” AND YOU, THE READER, AREASSUMING THE ENTIRE RISK AS TO ITS QUALITYAND ACCURACY.

IN NO EVENT WILL APPLE BE LIABLE FOR DIRECT,INDIRECT, SPECIAL, INCIDENTAL, ORCONSEQUENTIAL DAMAGES RESULTING FROM ANYDEFECT OR INACCURACY IN THIS DOCUMENT, evenif advised of the possibility of such damages.

THE WARRANTY AND REMEDIES SET FORTH ABOVEARE EXCLUSIVE AND IN LIEU OF ALL OTHERS, ORALOR WRITTEN, EXPRESS OR IMPLIED. No Appledealer, agent, or employee is authorized to makeany modification, extension, or addition to thiswarranty.

Some states do not allow the exclusion or limitationof implied warranties or liability for incidental orconsequential damages, so the above limitation orexclusion may not apply to you. This warranty givesyou specific legal rights, and you may also haveother rights which vary from state to state.

Page 3: Core Data Tutorial for iPhone OS

Contents

Introduction Introduction 7

Organization of This Document 8

Chapter 1 Starting Out 9

Create the Project 10Understanding a Core Data–Based Project 10The Core Data Stack 11

Managed Objects and the Managed Object Context 11The Managed Object Model 12Persistent Store Coordinator 13

Chapter 2 The Table View Controller 15

Creating and Defining the RootViewController Class 15Implementing the RootViewController Class 16

Synthesize the Properties 16Writing the Accessor Method for the Core Location Manager 16Implementing viewDidLoad 17Implement Methods for Memory Management 18

Configuring the Application Delegate 18Add the Navigation Controller Property 18Implement the Application Delegate 18

Build and Test 19

Chapter 3 Managed Object and Model 21

Modeling Your Data 21Add the Entity 21Add the Attributes 22

Custom Managed Object Class 23Core Data Recap 24

Chapter 4 Adding Events 25

Implementing the addEvent Method 25Get the Current Location 25Create and Configure the Event object 25Save the New Event 26Handling Errors 26Update the Events Array and the Table View 27

32009-09-09 | © 2009 Apple Inc. All Rights Reserved.

Page 4: Core Data Tutorial for iPhone OS

Displaying Events in the Table View 27Build and Test 28Core Data Recap 29

Chapter 5 Fetching Events 31

Fetching Managed Objects 31Creating and Executing the Request 32

Create the Request 32Set the Sort Descriptor 32Execute the Request 33Finish Up 33

Build and Test 33Core Data Recap 33

Chapter 6 Deleting Events 35

Deleting Managed Objects 35Deleting an Event 35Build and Test 36Core Data Recap 36

Chapter 7 Next Steps 37

Where to Go from Here 37The Core Data Utility Tutorial 37Use a Fetched Results Controller 37Creating a Managed Object Model with Xcode 37A Drill-Down Interface 38Add an Add Sheet 38

Document Revision History 39

42009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CONTENTS

Page 5: Core Data Tutorial for iPhone OS

Figures

Chapter 1 Starting Out 9

Figure 1-1 A simple Core Data stack 11Figure 1-2 Managed objects in a context, and a table in the persistent store 12Figure 1-3 An entity description, a table in the database, and a managed object. 12Figure 1-4 A complex Core Data stack 14

52009-09-09 | © 2009 Apple Inc. All Rights Reserved.

Page 6: Core Data Tutorial for iPhone OS

62009-09-09 | © 2009 Apple Inc. All Rights Reserved.

FIGURES

Page 7: Core Data Tutorial for iPhone OS

Core Data is a schema-driven object graph management and persistence framework. Fundamentally, CoreData helps you to save model objects (in the sense of the model-view-controller design pattern) to a file andget them back again. This is similar to archiving (see Archives and Serializations ProgrammingGuide for Cocoa),but Core Data offers much more than that. Amongst other things, it:

■ Provides an infrastructure for managing all the changes to your model objects. This gives you automaticsupport for undo and redo, and for maintaining reciprocal relationships between objects.

■ Allows you to keep just a subset of your model objects in memory at any given time. This is especiallyimportant on iPhone where conserving memory is critical.

■ Uses a schema to describe the model objects. You define the principal features of your modelclasses—including the relationships between them—in a GUI-based editor. This provides a wealth ofbasic functionality “for free,” including setting of default values and attribute value validation.

■ Allows you to maintain disjoint sets of edits of your objects. This is useful if you want to, for example,allow the user to make edits in one view that may be discarded without affecting data displayed inanother view.

■ Has an infrastructure for data store versioning and migration. This lets you easily upgrade an old versionof the user’s file to the current version.

Core Data is available on iPhone OS v3.0 and later. This document describes tools and techniques foriPhone OS v3.0.

You should read this document to learn how to use Core Data on iPhone, including:

■ The fundamental design patterns and techniques that underlie Core Data

■ The basics of using the Xcode data modeling tool

■ How to create, update, and delete objects managed by Core Data, and how to commit changes to a datastore

72009-09-09 | © 2009 Apple Inc. All Rights Reserved.

INTRODUCTION

Introduction

Page 8: Core Data Tutorial for iPhone OS

Important: Core Data is not an entry-level technology. Before starting to use Core Data, you must understandthe basics of iPhone application development, including:

■ How to use Xcode and Interface Builder

■ Fundamental design patterns such as model-view-controller and delegation

■ How to use view controllers, navigation controllers, and table views

None of these tools and techniques are explained in this tutorial, so that the content can focus on Core Dataitself.

Documents you should read to gain adequate experience include:

■ Your First iPhone Application

■ Xcode Workspace Guide

■ Cocoa Fundamentals Guide

■ View Controller Programming Guide for iPhone OS

■ Table View Programming Guide for iPhone OS

Organization of This Document

This tutorial comprises the following chapters:

■ “Starting Out” (page 9)

■ “The Table View Controller” (page 15)

■ “Managed Object and Model” (page 21)

■ “Adding Events” (page 25)

■ “Fetching Events” (page 31)

■ “Deleting Events” (page 35)

■ “Next Steps” (page 37)

The source code for the tutorial is provided in the Locations sample code.

8 Organization of This Document2009-09-09 | © 2009 Apple Inc. All Rights Reserved.

INTRODUCTION

Introduction

Page 9: Core Data Tutorial for iPhone OS

The goals of this chapter are to describe the application that you will build, then to create the Xcode projectand to understand the basics of what the Xcode project template gives you.

The goal of this tutorial is to provide a practical introduction to the Core Data framework and how you useit.

The aim here is not to create a polished application, but rather to illustrate the fundamental classes, tools,and techniques you’ll use in any Core Data–based program. It doesn’t provide in-depth explanations of allthe features the framework offers, but it does give references to other documents you can read to gain adeeper understanding.

To add a bit more interest, the tutorial also makes use of the Core Location framework. The Core Locationmanager is a very straightforward object, and for the purposes of this project, you don’t need to understandit in any detail.

The application you create is conceptually simple—it lets you record your location at any time as an “event,”and uses a table view to show the time, latitude, and longitude of all the events you’ve recorded. It has anAdd button to add a new event, and an Edit button that allows you to delete events from the list.

In this tutorial, you use Core Data primarily to represent the Event objects and store them in an external fileso that they can be displayed when the application launches.

92009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 1

Starting Out

Page 10: Core Data Tutorial for iPhone OS

Note: As a convention,>> denotes the beginning of a paragraph (sometimes including the following bulletedlist) that contains steps that you must perform in the tutorial.

In code listings, comments included in Xcode template files are not shown.

Create the Project

The only steps in this chapter are to create the project itself and link against the Core Location framework.

>> In Xcode, create a new project using the Window-Based Application template in the iPhone OS section.In the Options section, select the switch to use Core Data for storage. Call the project “Locations”.

It’s important that you call the project “Locations” so that you can copy and paste code required later in thetutorial.

>> Link the project against the Core Location framework. (Use the General pane of the Info window for theapplication’s target.)

Understanding a Core Data–Based Project

Together with various other supporting files, the template provides you with:

■ An application delegate class

■ A MainWindow interface (.xib) file

■ A Core Data model (.xcdatamodel) file—typically referred to as the managed object model

The application also links against the Core Data framework.

Of the resources, the first two should be familiar, although the details of the delegate class will be new. Themodel file is described later in “Managed Object and Model” (page 21). For now, examine the header file ofthe application delegate class. In addition to the standard window and view controller, it provides four otherproperties and a new method:

- (IBAction)saveAction:sender;

@property (nonatomic, retain, readonly) NSManagedObjectModel *managedObjectModel;@property (nonatomic, retain, readonly) NSManagedObjectContext *managedObjectContext;@property (nonatomic, retain, readonly) NSPersistentStoreCoordinator *persistentStoreCoordinator;

@property (nonatomic, readonly) NSString *applicationDocumentsDirectory;

As its name implies, the applicationDocumentsDirectory property simply returns the path to theapplication’s documents directory, which is where the file containing the application’s data will be located.Similarly, the save action method saves the application’s data to disk. Saving is discussed in greater detailthroughout this document. The remaining properties provide access to what’s called the Core Data stack.

10 Create the Project2009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 1

Starting Out

Page 11: Core Data Tutorial for iPhone OS

The Core Data Stack

Stack is the term used to describe a collection of Core Data framework objects that work together to getmodeled objects from and save data to a persistent store—the file where your data is stored. Conceptually,a persistent store is like a database, with tables and records. (One of the store types you can use with CoreData is SQLite, but the store doesn’t have to be an actual database.)

Figure 1-1 (page 11) shows the simplest—and most common—configuration of the stack.

Figure 1-1 A simple Core Data stack

StoreFile

Persistent Object Store

A collection of object data

Managed Object Model

A collection of entity descriptions

Managed Object Context

A collection of managed objects

Persistent Store Coordinator

A collection of stores

The objects you usually work directly with are at the top of the stack—the managed object context and themanaged objects it contains.

Managed Objects and the Managed Object Context

A managed object is an instance of NSManagedObject or of a subclass of NSManagedObject. Conceptually,it’s an object representation of a record in a table in a database, so it’s a model (in the sense of themodel-view-controller design pattern) object that is managed by Core Data. Managed objects represent thedata you operate on in your application—for example departments and employees in a human resourcesapplication; shapes, text areas, and groups in a drawing application; albums, artists, and tracks in a musicmanagement application. A managed object is always associated with a managed object context.

The managed object context is an instance of NSManagedObjectContext. A context represents a singleobject space, or scratch pad, in an application. Its primary responsibility is to manage a collection of managedobjects. These objects form a group of related model objects that represent an internally consistent view ofone or more persistent stores. The context is a powerful object with a central role in your application, withresponsibilities from life-cycle management to validation, relationship maintenance, and undo/redo.

When you create a new managed object, you insert it into a context. You fetch existing records in the databaseinto the context as managed objects. (Fetching is discussed in greater detail in “Fetching Events” (page 31).)Any changes you make (whether insertion or deletion of complete objects, or manipulation of propertyvalues) are kept in memory until you actually commit them to the store by saving the context.

The Core Data Stack 112009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 1

Starting Out

Page 12: Core Data Tutorial for iPhone OS

Figure 1-2 (page 12) illustrates a managed object context that contains two managed objects correspondingto two records in an external database. In one of the objects, a property value has been changed in memory,but the change has not been committed to the database.

Figure 1-2 Managed objects in a context, and a table in the persistent store

Managed Object Context

Employeenamesalary

Fred90000

Employeenamesalary

Nigel60000 Unsaved data

nameFred

salary9000097000

Nigel 50000Tanya 56000

Employee

JuliCurrent data

The Managed Object Model

A managed object model is an instance of NSManagedObjectModel. It’s an object representation of a schemathat describes your database, and so the managed objects you use in your application. A model is a collectionof entity description objects (instances of NSEntityDescription). An entity description describes an entity(a table in a database) in terms of its name, the name of the class used to represent the entity in yourapplication, and what properties (attributes and relationships) it has.

Figure 1-3 (page 12) illustrates the relationship between an entity description in a model, a table in thedatabase, and a managed object corresponding to a single record in the table.

Figure 1-3 An entity description, a table in the database, and a managed object.

Managed Objectnamesalary

Fred97000

entityDescription

Entity DescriptionNameManaged Object ClassAttributeAttribute

“Employee”NSManagedObjectnamesalary

Every managed object has a reference to the entity of which it is an instance.

12 The Core Data Stack2009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 1

Starting Out

Page 13: Core Data Tutorial for iPhone OS

Core Data uses the model to map between managed objects in your application and records in the database.It’s important to be aware that if you change the schema in your application, Core Data won’t be able to readstores you created using the previous model. (This is something common to many persistence mechanisms.Core Data, though, does also provide an infrastructure for managing such changes—see the CoreDataModelVersioning and Data Migration Programming Guide.)

Persistent Store Coordinator

The persistent store coordinator plays a central role in how Core Data manages data; however, you don’toften interact with the coordinator directly when you use the framework. This section describes the persistentstore coordinator in detail, so if you prefer you can skip it and refer to it later as necessary. (The persistentstore coordinator is also described in Core Data Basics in the Core Data Programming Guide.)

A persistent store coordinator is an instance of NSPersistentStoreCoordinator. It manages a collectionof persistent object stores. A persistent object store represents an external store (file) of persisted data. It’sthe object that actually maps between objects in your application and records in the database. There aredifferent classes of persistent object store for the different file types that Core Data supports. You can alsoimplement your own if you want to support a custom file type—see Atomic Store Programming Topics. Tolearn more about persistent stores and the different types, see Persistent Store Features in Core DataProgramming Guide.

In an iPhone application, you usually just have a single store, but in complex desktop applications there maybe several, each potentially containing different entities. The persistent store coordinator’s role is to managethese stores and present to its managed object contexts the façade of a single unified store. When you fetchrecords, Core Data retrieves results from all of them (unless you specify which store you’re interested in).

In any application, you might have multiple managed object contexts. You might want to maintain discretesets of managed objects and edits to those objects; or you might want to perform a background operationusing one context while allowing the user to interact with objects in another. Each of these would be connectedto the same coordinator.

Figure 1-4 (page 14) illustrates the role the coordinator plays. Stacks aren’t usually this complicated.

The Core Data Stack 132009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 1

Starting Out

Page 14: Core Data Tutorial for iPhone OS

Figure 1-4 A complex Core Data stack

Managed Object Context Managed Object Context

Persistent Object Store Persistent Object Store Persistent Object Store

Managed Object ModelPersistent Store CoordinatorA collection of

entity descriptions

DepartmentEmployee

Customer Contractor

DepartmentEmployee

Customer

14 The Core Data Stack2009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 1

Starting Out

Page 15: Core Data Tutorial for iPhone OS

The goal of this chapter is to create an initial implementation of the table view controller, and to update theapplication delegate to create and configure an instance of the table view controller.

This chapter sets up the table view, creating an instance of a navigation controller and a table view controller,and configuring the Core Location manager. This provides the architecture for the application. In the nextchapter, you’ll use Core Data to manage the actual data.

It’s assumed that you’re already familiar with view controllers and table views; this chapter does not providesignificant detail or explanation beyond that you need to understand the role of each of the components inthe application. If any of this is too challenging, you should stop here and practice writing some moreapplications before continuing.

The application delegate is responsible for creating, configuring, and displaying a navigation controller anda table view controller.

The table view controller displays the array of event objects. To support this, the controller adds four propertiesto the basic table view controller:

■ A mutable array, which contains the collection of event objects that the table view controller displays.It’s populated from the application’s persistent store when the application starts up, and updated as theuser adds and removes events.

■ A managed object context, which serves as your gateway to the Core Data stack.

■ A Core Location manager, which provides location information to the application. The user can addnew events only when this is active (the iPhone Simulator simulates activity so you don’t need to installthe application on a device to test it).

■ A bar button item, which the user needs to add events. You need a reference to the button so you canconditionally enable and disable it in response to changes in the Core Location manager’s state.

Creating and Defining the RootViewController Class

First, create files for the new class.

>> In Xcode, create a new UITableViewController subclass; call it RootViewController.

Next, add four properties, for the events array, the managed object context, the Core Location manager, andan Add button. The root view controller serves as the Core Location manager’s delegate, so it must adoptthe CLLocationManagerDelegate protocol.

>> Replace the contents of the RootViewController header file with the following:

#import <CoreLocation/CoreLocation.h>

Creating and Defining the RootViewController Class 152009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 2

The Table View Controller

Page 16: Core Data Tutorial for iPhone OS

@interface RootViewController : UITableViewController <CLLocationManagerDelegate> {

NSMutableArray *eventsArray; NSManagedObjectContext *managedObjectContext;

CLLocationManager *locationManager; UIBarButtonItem *addButton;}

@property (nonatomic, retain) NSMutableArray *eventsArray;@property (nonatomic, retain) NSManagedObjectContext *managedObjectContext;

@property (nonatomic, retain) CLLocationManager *locationManager;@property (nonatomic, retain) UIBarButtonItem *addButton;

@end

Implementing the RootViewController Class

There are several parts to the initial implementation; you need to:

■ Synthesize the properties you declared.

■ Implement viewDidLoad to set up the Core Location manager and the Add and Edit buttons.

■ Write the accessor method for the Core Location manager and implement two of its delegate methods.

■ Implement methods to take care of memory management.

All the code described in the following sections goes into the @implementation block of theRootViewController class, replacing implementations provided by the template as appropriate.

Synthesize the Properties

>> Add these lines:

@synthesize eventsArray;@synthesize managedObjectContext;@synthesize addButton;@synthesize locationManager;

Writing the Accessor Method for the Core Location Manager

>> Create an accessor method to dynamically create the Core Location manager on demand:

- (CLLocationManager *)locationManager {

if (locationManager != nil) { return locationManager; }

16 Implementing the RootViewController Class2009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 2

The Table View Controller

Page 17: Core Data Tutorial for iPhone OS

locationManager = [[CLLocationManager alloc] init]; locationManager.desiredAccuracy = kCLLocationAccuracyNearestTenMeters; locationManager.delegate = self;

return locationManager;}

Next, implement two delegate methods to enable and disable the Add button as appropriate. If the CoreLocation manager is generating updates, then enable the button; if the Core Location manager is failing,then disable the button.

>> Add the following two Core Location manager delegate methods:

- (void)locationManager:(CLLocationManager *)manager didUpdateToLocation:(CLLocation *)newLocation fromLocation:(CLLocation *)oldLocation { addButton.enabled = YES;}

- (void)locationManager:(CLLocationManager *)manager didFailWithError:(NSError *)error { addButton.enabled = NO;}

Implementing viewDidLoad

The viewDidLoad method needs to set up the Core Location manager and the Add and Edit buttons.

>> Replace the implementation of viewDidLoad with the following:

- (void)viewDidLoad {

[super viewDidLoad];

// Set the title. self.title = @"Locations";

// Set up the buttons. self.navigationItem.leftBarButtonItem = self.editButtonItem;

addButton = [[UIBarButtonItem alloc] initWithBarButtonSystemItem:UIBarButtonSystemItemAdd target:self action:@selector(addEvent)]; addButton.enabled = NO; self.navigationItem.rightBarButtonItem = addButton;

// Start the location manager. [[self locationManager] startUpdatingLocation];}

Implementing the RootViewController Class 172009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 2

The Table View Controller

Page 18: Core Data Tutorial for iPhone OS

Implement Methods for Memory Management

>> Replace the existing implementations of viewDidUnload and dealloc. The implementation ofviewDidUnload should relinquish ownership of anything created in viewDidLoad that can be recreated.

- (void)viewDidUnload { self.eventsArray = nil; self.locationManager = nil; self.addButton = nil;}

- (void)dealloc { [managedObjectContext release]; [eventsArray release]; [locationManager release]; [addButton release]; [super dealloc];}

Configuring the Application Delegate

The application delegate is responsible for creating and configuring the root view controller and a navigationcontroller to contain it.

Add the Navigation Controller Property

You need to add a property for the navigation controller.

>> In the application delegate’s header file (LocationsAppDelegate.h), add an instance variable:

UINavigationController *navigationController;

>> Add the property declaration:

@property (nonatomic, retain) UINavigationController *navigationController;

Implement the Application Delegate

In the application delegate’s implementation file (LocationsAppDelegate.m), you need to:

■ Import the RootViewController’s header file.

■ Synthesize the navigationController property.

■ In the applicationDidFinishLaunching: method, create an instance of RootViewControllerand a navigation controller to contain it.

You also need to pass the application’s managed object context to the new root view controller.

18 Configuring the Application Delegate2009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 2

The Table View Controller

Page 19: Core Data Tutorial for iPhone OS

>>Before the @implementation block of the application delegate class, import the RootViewControllerclass’s header file:

#import "RootViewController.h"

>> In the @implementation block of the application delegate class, synthesize the navigation controllerproperty:

@synthesize navigationController;

>> Replace your application delegate’s applicationDidFinishLaunching: method with the followingimplementation:

- (void)applicationDidFinishLaunching:(UIApplication *)application {

// Configure and show the window.

RootViewController *rootViewController = [[RootViewController alloc] initWithStyle:UITableViewStylePlain];

NSManagedObjectContext *context = [self managedObjectContext]; if (!context) { // Handle the error. } // Pass the managed object context to the view controller. rootViewController.managedObjectContext = context;

UINavigationController *aNavigationController = [[UINavigationController alloc] initWithRootViewController:rootViewController]; self.navigationController = aNavigationController;

[window addSubview:[navigationController view]]; [window makeKeyAndVisible];

[rootViewController release]; [aNavigationController release];}

Build and Test

At this stage you should build and test the project to make sure that it all works. It should display a blanktable view with a navigation bar. The navigation bar should contain the Edit and Add buttons:

Build and Test 192009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 2

The Table View Controller

Page 20: Core Data Tutorial for iPhone OS

The Add button will initially be disabled, but after a few seconds it should become enabled (as the locationmanager starts sending events). If you tap it, the application will of course crash since you haven’t yetimplemented the addEvent method. Before you can add an event, though, you need to define the Evententity. That’s what you’ll do next.

20 Build and Test2009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 2

The Table View Controller

Page 21: Core Data Tutorial for iPhone OS

The goal of this chapter is to allow users to create a new event when they tap the Add button. To do this,you need to define the Event entity in the managed object model, implement the corresponding class, andcreate an instance of the class in the add method.

Modeling Your Data

As noted in “The Managed Object Model” (page 12), the model is a collection of entity and property descriptionobjects that tell Core Data about the managed objects in your application. You can create the modelprogrammatically, or use the Xcode modeling tool to create the model graphically, in a similar way to thatin which you create a user interface using Interface Builder.

There are actually several ways to edit the constituent parts of the model; these steps typically describe justone. To learn more about the modeling tool, and other ways to edit the model, see Xcode Tools for Core Data.

This application has just a single entity, an Event, with three attributes—creation date, latitude, and longitude.

Add the Entity

First, add an Event entity.

>> In Xcode, in the Resources group select the model file (Locations.xcdatamodel) to display the modeleditor.

>> Choose Design > Data Model > Add Entity to add a new entity to the model.

You can also use the Add button (+) at the lower left of the entity pane, or use the shortcut menu within thediagram view in the model editor.

You should see a new entry for the entity (called “Entity”) appear in the entity pane at the top left of thedocument editor, and a graphical representation of the entity (a rounded rectangle) appear in the diagramview. Now you can set the name for the new entity.

>>Make sure you have the new entity selected in the entity pane so that you see information about theentity in the detail pane at the right. Change the name of the entity to Event. (Don’t change the class name.)

Your model should look similar to this:

Modeling Your Data 212009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 3

Managed Object and Model

Page 22: Core Data Tutorial for iPhone OS

There’s an important difference between the name of the entity and the name of the Objective-C class usedto represent instances of the entity. Core Data uses the entity description to find out about the data objectsit manages, so the class name doesn’t have to be the same as the entity name. Indeed, in some cases severalentities may be represented by the same class—NSManagedObject. Core Data is able to differentiate theinstances on the basis of their associated entity description.

Add the Attributes

First, add the attribute for the creation date.

>>Make sure you have selected Event in the entity pane, then choose Design > Data Model > Add Attribute.

You should see a new attribute (called newAttribute) appear in the property pane. You need to set itsname and type.

>>Make sure you have selected the new attribute in the property pane, then in the detail pane change thename of the attribute to creationDate, and select Date from the Type pop-up menu.

You don’t need to set any of the other values.

Now add attributes for latitude and longitude.

>>Make sure you have selected Event in the entity browser, then choose Design > Data Model > Add Attributetwice (to add two attributes).

22 Modeling Your Data2009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 3

Managed Object and Model

Page 23: Core Data Tutorial for iPhone OS

>> Select both the new attributes in the property pane, then in the detail pane select Double from the Typepop-up menu.

>> Select just the first new attribute in the property pane, and in the detail pane change the Name of theattribute to latitude.

>> Select just the second new attribute in the property pane, and in the detail pane change the Name of theattribute to longitude.

Your model should look similar to this:

Custom Managed Object Class

You can now use Xcode to generate the files for a custom class to represent the Event entity.

>>In Xcode, in the model, select the Event entity (the selection is used to indicate which items to createsubclasses for).

>>Choose File > New File. In the New File dialog, select Managed Object Class.

Depending on the version of Xcode you’re using, the Managed Object Class may be available in the iPhoneOS section under Cocoa Touch Classes, or you may need to choose the template in the Mac OS X section,under Cocoa—either will work correctly.

>>Click Next. The correct location and targets should have been selected for you. Click Next to accept them.

Custom Managed Object Class 232009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 3

Managed Object and Model

Page 24: Core Data Tutorial for iPhone OS

You should see the Entity selection pane, with the Event entity selected. The “Generate accessors” and“Generate Objective-C 2.0 properties” options should also be selected.

>>Click Finish to generate the files.

The Event class interface and implementation files are created and added to your project. There are a fewthings to notice:

■ In the interface file (Event.h), all the attributes are represented by object values.

Although you specified the latitude and longitude attribute types as Double, the property values atruntime are instances of NSNumber. Core Data uses objects to represent values.

■ In the implementation file (Event.m), the properties are implemented as dynamic.

Normally you might expect to see synthesized, however Core Data generates the accessor methodsat runtime.

■ In the implementation file (Event.m), there is no dealloc method.

Normally you might expect to see a dealloc method to release instance variables, however Core Datais responsible for the life-cycle of all modeled properties of a managed object. (If you add your owninstance variables that do not have corresponding properties in the managed object model, then youneed to manage those yourself as normal.)

■ The model is also updated—the Event entity is now represented by the Event class.

Because the model was changed, you need to save it.

>>Save the model file.

Finally, because the table view controller is going to make use of the new class, import its header file in thetable view controller’s implementation file.

>>In the table view controller’s implementation file (RootViewController.m), after the initial importstatement, add:

#import "Event.h"

Core Data Recap

You used the Xcode data modeling tool to create a new entity. You then created a custom class to representthat entity. In the next chapter, you’ll create instances of the entity.

If you want to learn more about the modeling tools, see Xcode Tools for Core Data.

24 Core Data Recap2009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 3

Managed Object and Model

Page 25: Core Data Tutorial for iPhone OS

The goal of this chapter is to create the application logic to allow the user to create new event objects anddisplay them in the user interface.

Implementing the addEvent Method

You create new Event objects in the addEvent method. Recall that it’s invoked when the user taps the Addbutton (see “Implementing viewDidLoad” (page 17)). There are several parts to the method. It has to:

■ Get the current location

■ Create an Event object and configure it using the current location information

■ Save the Event object

■ Update the events array and the user interface

First, though, declare the addEvent method.

>> Add a declaration of the addEvent method to the RootViewController header file:

- (void)addEvent;

Get the Current Location

When you create a new Event object, you need to set its location. You get the location from the locationmanager. If it’s not able to provide a location, then don’t continue.

>> Add the following to RootViewController implementation file:

- (void)addEvent {

CLLocation *location = [locationManager location]; if (!location) { return; }}

Create and Configure the Event object

You typically create a managed object using a conveniencemethod—insertNewObjectForEntityForName:inManagedObjectContext:—ofNSEntityDescription, which returns a properly initialized instance of the correct class for the entity you

Implementing the addEvent Method 252009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 4

Adding Events

Page 26: Core Data Tutorial for iPhone OS

specify, inserted into the managed object context. (For more about the initialization process , see ManagedObjects in Core Data Programming Guide). After you’ve created the object, you can set its property valuesusing accessor methods, just as you would any other object.

You get the latitude and longitude from the location as scalar values, so you need to convert these toNSNumber objects for the Event object. You could get the time stamp from the location as well, but this isa constant value on the simulator. Instead, here you can use date method of NSDate to get a date objectrepresenting the current date and time.

>> Add the following code at the end of the current implementation of addEvent:

// Create and configure a new instance of the Event entityEvent *event = (Event *)[NSEntityDescription insertNewObjectForEntityForName:@"Event" inManagedObjectContext:managedObjectContext];

CLLocationCoordinate2D coordinate = [location coordinate];[event setLatitude:[NSNumber numberWithDouble:coordinate.latitude]];[event setLongitude:[NSNumber numberWithDouble:coordinate.longitude]];[event setCreationDate:[NSDate date]];

Save the New Event

Remember that the managed object context acts like a scratch pad (see “Managed Objects and the ManagedObject Context” (page 11)). Whatever changes you make—whether editing property values or adding ordeleting whole objects—aren’t actually committed to the persistent store (file) until you save the context.Typically, in an iPhone application, you save changes as soon as the user has made them.

>> Add the following code at the end of the current implementation of addEvent:

NSError *error;if (![managedObjectContext save:&error]) { // Handle the error.}

In common with several Core Data methods, the NSManagedObjectContext save: method takes an errorparameter and returns a Boolean value to indicate success or failure. The situation is really no different fromthat in any other application; it’s just that the return value from the save: method and the error parametertend to bring into sharper focus the possibility of a problem occurring.

Handling Errors

It’s up to you to decide how you handle a Core Data error.

In a scenario as simple as that described in “Save the New Event” (page 26)—where the only change youexpect is the addition of a single object—if the data can’t be saved it’s likely to be indicative of some sort ofcatastrophic failure from which recovery might be difficult or impossible. In this situation you might justpresent an alert sheet telling the user to restart the application.

26 Implementing the addEvent Method2009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 4

Adding Events

Page 27: Core Data Tutorial for iPhone OS

In a more complex scenario, the user might have changed property values, or added or deleted managedobjects in such a way that either an individual object is in an inconsistent state (validation fails) or the objectgraph as a whole is inconsistent. If you have more than one managed object context, it’s also possible thatthe persistent store was updated when changes made in a different context were committed and so theobjects in the current context are inconsistent with the corresponding records in the store.

In general, you can interrogate the error object to find out what went wrong.

You should think carefully about what the user experience should be in the event of an error occurring. Whatinformation should you present to the user? What options might you give them for recovering from theproblem? These are not questions that Core Data is able to answer.

Update the Events Array and the Table View

Finally, you need to add the new Event object to the events array, then update the table view. Since this isa new Event, and Events are displayed with most recent events at the top of the list, add the new object tothe beginning of the events array, add a corresponding row to the top of the table view, then scroll the tableview to show the new row.

>> Add the following code at the end of the current implementation of addEvent:

[eventsArray insertObject:event atIndex:0];NSIndexPath *indexPath = [NSIndexPath indexPathForRow:0 inSection:0];[self.tableView insertRowsAtIndexPaths:[NSArray arrayWithObject:indexPath] withRowAnimation:UITableViewRowAnimationFade];[self.tableView scrollToRowAtIndexPath:[NSIndexPath indexPathForRow:0 inSection:0] atScrollPosition:UITableViewScrollPositionTop animated:YES];

The next task is to complete the implementation of the table view data-source methods to display the events.

Displaying Events in the Table View

You need to update two table view data-source methods to display the events.

First simply tell the table view how many events to display.

>>Update the implementation of tableView:numberOfRowsInSection: to return the number of objectsin the events array (there’s only one section, so you don’t need to test the section number):

- (NSInteger)tableView:(UITableView *)tableView numberOfRowsInSection:(NSInteger)section { return [eventsArray count];}

Next, you need to configure the table view cells to display information about each event. You’ll see there isa nontrivial amount of code, but most of it is related to user interface and display rather than datamanagement.

>>Replace the implementation oftableView:(UITableView *)tableView cellForRowAtIndexPath:with the following:

Displaying Events in the Table View 272009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 4

Adding Events

Page 28: Core Data Tutorial for iPhone OS

- (UITableViewCell *)tableView:(UITableView *)tableView cellForRowAtIndexPath:(NSIndexPath *)indexPath {

// A date formatter for the time stamp static NSDateFormatter *dateFormatter = nil; if (dateFormatter == nil) { dateFormatter = [[NSDateFormatter alloc] init]; [dateFormatter setTimeStyle:NSDateFormatterMediumStyle]; [dateFormatter setDateStyle:NSDateFormatterMediumStyle]; }

// A number formatter for the latitude and longitude static NSNumberFormatter *numberFormatter = nil; if (numberFormatter == nil) { numberFormatter = [[NSNumberFormatter alloc] init]; [numberFormatter setNumberStyle:NSNumberFormatterDecimalStyle]; [numberFormatter setMaximumFractionDigits:3]; }

static NSString *CellIdentifier = @"Cell";

// Dequeue or create a new cell UITableViewCell *cell = [tableView dequeueReusableCellWithIdentifier:CellIdentifier]; if (cell == nil) { cell = [[[UITableViewCell alloc] initWithStyle:UITableViewCellStyleSubtitle reuseIdentifier:CellIdentifier] autorelease]; }

Event *event = (Event *)[eventsArray objectAtIndex:indexPath.row];

cell.textLabel.text = [dateFormatter stringFromDate:[event creationDate]];

NSString *string = [NSString stringWithFormat:@"%@, %@", [numberFormatter stringFromNumber:[event latitude]], [numberFormatter stringFromNumber:[event longitude]]]; cell.detailTextLabel.text = string;

return cell;}

Build and Test

If you build the project, it should compile without errors. The application should also launch and run correctly,until you tap the Add button—at which point it will crash. This is because the events array hasn’t been createdyet.

>> Solely for testing purposes, add the following line to the end of the RootViewController object’simplementation of viewDidLoad:

eventsArray = [[NSMutableArray alloc] init];

28 Build and Test2009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 4

Adding Events

Page 29: Core Data Tutorial for iPhone OS

If you build and run now, you should find that if you tap the Add button new events are displayed in thetable view. If you quit and relaunch the application, though, you won’t see the list of Events when it startsup. To remedy this, you need to populate the events array on launch with the existing Event objects. Thisis your task in the next chapter. Before doing that, restore the project to its pre-testing state.

>> Delete the line you added for testing.

Core Data Recap

There was a lot of code in this chapter, and not much related directly to Core Data. The important points arethat:

■ You typically create a new managed object using the convenience methodinsertNewObjectForEntityForName:inManagedObjectContext: of NSEntityDescription.

This method ensures that you get a properly initialized instance of the class that represents the entityyou specify.

■ To commit changes to the persistent store, you need to save the managed object context.

The context acts as a scratch pad; if you add or modify objects, the changes are held in memory untilyou invoke save:. It’s up to you to decide how to deal with any error that might occur during a saveoperation.

■ You get and set a managed object’s property values using accessor methods, just as you would anyother object.

You can also use key-value coding, just as you would any other object, but using accessor methods ismuch more efficient (see Using Managed Objects in Core Data Programming Guide).

Core Data Recap 292009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 4

Adding Events

Page 30: Core Data Tutorial for iPhone OS

30 Core Data Recap2009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 4

Adding Events

Page 31: Core Data Tutorial for iPhone OS

The goal of this chapter is to fetch existing Event objects when the application launches.

Fetching Managed Objects

To fetch objects from a persistent store, you need a managed object context and a fetch request. A fetchrequest is an instance of NSFetchRequest. As a minimum, it specifies the entity you’re interested in. It mayalso specify any constraints on the values that the objects should have and what order you want them backin. For example, in a corporate information application, you might create a fetch request to retrieve Employeeobjects, ordered by name, whose salary is greater than a certain amount. The constraints are represented bya predicate—an instance of NSPredicate. (For more about predicates see Predicate Programming Guide.)The sort order is represented by an array of NSSortOrdering objects.

Managed Object Context

Execute fetch request

Response

Query

Returns

Persistent Store Coordinator

Array

Persistent Object Store

Entity (table name)

Predicate (optional)

Sort orderings (optional)

Employee

salary > 60000

name: ascending alphabetical

Fetch Request

Managed Objectnamesalary

Fred97000

Managed Objectnamesalary

Juli90000

Unless you really need all the objects of a particular entity, you should use a predicate to limit the numberof objects returned to those you’re actually interested in. (If you’re displaying objects in a table view, youcan also use a fetched results controller—NSFetchedResultsController—to manage a result set for you.It works hard to ensure that as little data as possible is held in memory.)

Fetching Managed Objects 312009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 5

Fetching Events

Page 32: Core Data Tutorial for iPhone OS

Note that you don’t always need to execute a fetch to retrieve objects. Core Data, if necessary, automaticallyretrieves objects that are at the destination of a relationship. For example, if you execute a fetch to retrievean Employee object, then ask it for its related Department, then Core Data fetches the Department for youif it hadn’t already been fetched.

Creating and Executing the Request

When the table view controller loads its view, it should fetch the Event objects and keep them in the eventsarray so that they can be displayed later. The events array needs to be mutable since the user can add andremove events.

Create the Request

Create a fetch request and set the entity.

>> Add the following code at the end of the current implementation of viewDidLoad:

NSFetchRequest *request = [[NSFetchRequest alloc] init];NSEntityDescription *entity = [NSEntityDescription entityForName:@"Event" inManagedObjectContext:managedObjectContext];[request setEntity:entity];

The method of interest here is NSEntityDescription’s entityForName:inManagedObjectContext:.You provide the name of the entity you want and the managed object context you’re dealing with; themethod then asks for the (managed object) context’s (persistent store) coordinator’s (managed object) modeland retrieves from that the entity with the name you specified (you can refer back to “The Core DataStack” (page 11) to see a pictorial representation). Conceptually it’s not very difficult (you just navigate downthe stack), and you could do it yourself easily enough, but it’s much more convenient to use the class method.

Set the Sort Descriptor

If you don’t specify a sort descriptor, the order in which objects are returned from a fetch is undefined. Toretrieve the Events in chronological order, you therefore need to specify a sort descriptor for the fetch. Becauseyou might want to specify multiple sort orderings (for example, you might want to sort employees bydepartment, last name, and first name), you need to put the sort descriptor in an array.

>>At the end of the current implementation of viewDidLoad, create a sort descriptor to order Event objectsby creation date—most recent first—and a mutable array. Add the sort descriptor to the array, and set thearray as the fetch request’s sortDescriptors array:

NSSortDescriptor *sortDescriptor = [[NSSortDescriptor alloc] initWithKey:@"creationDate" ascending:NO];NSArray *sortDescriptors = [[NSArray alloc] initWithObjects:sortDescriptor, nil];[request setSortDescriptors:sortDescriptors];[sortDescriptors release];[sortDescriptor release];

32 Creating and Executing the Request2009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 5

Fetching Events

Page 33: Core Data Tutorial for iPhone OS

(It’s often useful to use the initWithObjects: method of NSArray in case you want to add more sortdescriptors later.)

Execute the Request

Having created a fetch request, you now execute it. The events array needs to be mutable, so make a mutablecopy of the result.

>> Add the following code at the end of the current implementation of viewDidLoad:

NSError *error;NSMutableArray *mutableFetchResults = [[managedObjectContext executeFetchRequest:request error:&error] mutableCopy];if (mutableFetchResults == nil) { // Handle the error.}

As previously, this example leaves it up to you to decide how to handle any error (see “Handling Errors” (page26)).

Finish Up

The final steps are to set the view controller’s events array instance variable and to release objects that wereallocated.

>> Add the following code at the end of the current implementation of viewDidLoad:

[self setEventsArray:mutableFetchResults];[mutableFetchResults release];[request release];

Build and Test

If you build and run the application, you should find that it compiles correctly and that existing Event objectsare displayed when the application launches.

Core Data Recap

The important points from this chapter are that:

■ You fetch managed objects by creating a fetch request.

As a minimum, you need to specify an entity. You get the entity using the convenience methodentityForName:inManagedObjectContext: of NSEntityDescription. You might also specify apredicate and an array of sort orderings.

Build and Test 332009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 5

Fetching Events

Page 34: Core Data Tutorial for iPhone OS

To ensure that you retrieve no more objects than necessary (and so keep memory usage down), youshould typically try to constrain your request as narrowly as possible using a predicate.

■ You don’t always need to explicitly fetch managed objects.

This wasn’t addressed directly in code, since there are no relationships in this tutorial. To repeat the pointmade earlier, though: Core Data, if necessary, automatically retrieves objects that are at the destinationof a relationship. For example, if you execute a fetch to retrieve an Employee object, then ask it for itsrelated Department, Core Data fetches the Department for you if it hasn’t already been fetched.

34 Core Data Recap2009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 5

Fetching Events

Page 35: Core Data Tutorial for iPhone OS

The goal of this chapter is to allow the user to delete events from the list.

Deleting Managed Objects

As you saw when you created a new managed object, the lifetime of a record in the database is not tied tothe lifetime of a given managed object. If you create a managed object, it doesn’t mean a record automaticallyis created for that object in the database—you need to save the context. Similarly, simply because an objectis deallocated does not mean that the corresponding record itself is destroyed.

To delete a record, you tell the managed object context to mark an object as deleted, using thedeleteObject: method of NSManagedObjectContext. Then to actually destroy the record, you committhe action using save:.

Deleting an Event

To handle deletion, you implement the table view data source methodtableView:commitEditingStyle:forRowAtIndexPath:. It needs to do three things:

1. Delete the selected object.

2. Update the table view.

3. Save the changes.

It should do this only if the action is a delete.

>> In the RootViewController implementation file, implement thetableView:commitEditingStyle:forRowAtIndexPath: method as follows:

- (void)tableView:(UITableView *)tableView commitEditingStyle:(UITableViewCellEditingStyle)editingStyle forRowAtIndexPath:(NSIndexPath *)indexPath {

if (editingStyle == UITableViewCellEditingStyleDelete) {

// Delete the managed object at the given index path. NSManagedObject *eventToDelete = [eventsArray objectAtIndex:indexPath.row]; [managedObjectContext deleteObject:eventToDelete];

// Update the array and table view. [eventsArray removeObjectAtIndex:indexPath.row];

Deleting Managed Objects 352009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 6

Deleting Events

Page 36: Core Data Tutorial for iPhone OS

[tableView deleteRowsAtIndexPaths:[NSArray arrayWithObject:indexPath] withRowAnimation:YES];

// Commit the change. NSError *error; if (![managedObjectContext save:&error]) { // Handle the error. } }}

Build and Test

Build and test the application. You should find that it compiles and runs without error. If you tap Edit, thetable view should enter edit mode. If you delete a row, it should be properly deleted from the table view. Ifyou quit and relaunch the application, the row you deleted should no longer be visible.

You’ve now completed the tutorial. You can start investigating ways to enhance your knowledge andunderstanding of Core Data. Some suggestions are given in the next chapter.

Core Data Recap

You’ve now performed the basic tasks you need to be familiar with to use Core Data—you:

■ Created an entity in a managed object model. You also created a custom class to represent the entity.

■ Created an instance of a managed object. You also changed some of its property values.

■ Fetched managed objects.

■ Deleted a managed object.

You may have noticed that, in performing these tasks, the only object in the Core Data stack (see “The CoreData Stack” (page 11)) with which you interacted directly was the managed object context. Although youhave access to the other objects in the stack, you often don’t need to use them directly. Either the Xcodetemplate takes care of setting them up, or you use a convenience class method to accomplish a particulartask that would otherwise require you to access them.

36 Build and Test2009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 6

Deleting Events

Page 37: Core Data Tutorial for iPhone OS

The goal of this chapter is to suggest what steps you might take next to enhance your understanding of CoreData and how you can use it in future applications.

Where to Go from Here

Here are some suggestions for ways in which you can enhance your understanding of Core Data and howyou can integrate it in your applications. As you explore, you can turn to the Core Data Programming Guidefor help.

One important item to remember is that, if you change the schema in your managed object model, yourapplication typically won’t be able to open files you created with an earlier version. This is an issue that youmight address as your experience grows (see Core Data Model Versioning and Data Migration ProgrammingGuide). First, though, there are some easier steps to take.

The Core Data Utility Tutorial

It’s worth turning away from the iPhone for a short while and working through Core Data Utility Tutorial. It’ssimilar in many respects to this tutorial, but it’s freed from the distraction of a user interface. It introduces acouple of new concepts regarding the lifecycle of a managed object, and reinforces the idea of the managedobject model being just a collection of objects—by having you create one programatically.

Use a Fetched Results Controller

Turning back to iPhone, try to update the Locations application to use an NSFetchedResultsControllerobject. A fetched results controller is intended primarily to make fetching large numbers of objects muchmore efficient, but it’s worth practicing using one with a smaller data set. For comparison, look at theCoreDataBooks example.

Creating a Managed Object Model with Xcode

Work through the tutorial Creating aManaged Object Model with Xcode. You will learn more about the Xcodetools for Core Data, and in particular how to establish relationships between entities. This will be essential ifyou want to create applications that contain entities that are related to each other, as suggested in “ADrill-Down Interface” (page 38).

Where to Go from Here 372009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 7

Next Steps

Page 38: Core Data Tutorial for iPhone OS

A Drill-Down Interface

Extend the Locations application to provide a drill-down interface to allow users to inspect an event—perhapsto edit comments or a add photograph. You need to add more properties to the Event entity, and perhapsa second entity. The TaggedLocations sample provides an example of using a second entity with a to-manyrelationship.

If you add a photograph, consider the memory management implications of fetching a photograph withevery Event you retrieve from the store. Core Data has a feature called faulting (see Managed Objects in CoreDataProgrammingGuide) which means that it doesn’t have to complete the object graph. You would typicallymodel the photograph as a separate entity, with a relationship from the Event entity to the Photo entity (anda reciprocal relationship from the photo to the event) When you retrieve just a single Event object, the photorelationship may be represented by a fault. If you ask an event for its photo, Core Data automatically fulfillsthe fault and retrieves the corresponding data for you. See PhotoLocations for an example.

Add an Add Sheet

An Add sheet allows you to enter more information about an event when you create it. Think about whatinformation you might pass to the Add sheet controller. Think also about how you might keep the editsmade to the Event object in the Add sheet discrete from edits made in the rest of the application. (Hint: youmight consider using two managed object contexts—see the CoreDataBooks example.)

38 A Drill-Down Interface2009-09-09 | © 2009 Apple Inc. All Rights Reserved.

CHAPTER 7

Next Steps

Page 39: Core Data Tutorial for iPhone OS

This table describes the changes to Core Data Tutorial for iPhone OS.

NotesDate

Corrected links to sample applications.2009-09-09

Corrected typographical errors.2009-06-04

Added a missing line of code to the implementation ofapplicationDidFinishLaunching:.

2009-03-19

First version of a tutorial that introduces application development for iPhoneusing Core Data.

2009-03-15

392009-09-09 | © 2009 Apple Inc. All Rights Reserved.

REVISION HISTORY

Document Revision History

Page 40: Core Data Tutorial for iPhone OS

402009-09-09 | © 2009 Apple Inc. All Rights Reserved.

REVISION HISTORY

Document Revision History