TweetFollow Us on Twitter

Introduction to Core Data, Part II

Volume Number: 21 (2005)
Issue Number: 9
Column Tag: Programming

Introduction to Core Data, Part II

Diving More Deeply into Apple's New Persistence Framework

by Jeff LaMarche

Introduction

In the first part of this article we built a simple, but relatively complete application for keeping track of a collection of books. We wrote very little code to create that application, and leveraged an amazing amount of Core Data's "for free" functionality. There will inevitably be times, as you write Core Data applications, however, where you need to be able to create, change, and delete data programmatically and there will also certainly be times when you need to do things in your application that Core Data simply doesn't do for you.

You might, for example, need to do conditional validation of a field, or provide a default value for a new instance based on other data in your application. In this month's article, we are going to combine the simple book-tracking application from the first Core Data article with our code from the NSXML article that ran in the June issue to create an application that will both track information about books, as well as look up book information based on ISBN using Amazon's web services.

In order to implement this functionality, we're going to need to be able to create new entity instances and populate the attributes of those instances programmatically. We're also going to need to subclass NSManagedObject to implement validation and defaulting behavior that is too complex to be accommodated by using only the various fields of the data modeler.

We'll be using our project from the first part of this article (which ran in the July issue) as our starting point for this month. Also, If you haven't already read it, you may want to review the article on NSXML from the June issue, since I will be using, but not explaining, some code we wrote in that article. You can download the project from the first part of this article at ftp://ftp.mactech.com/src/mactech/volume21_200521.07.sit and use that as a starting point if you wish. You'll also need the two categories from the NSXML project in order to compile some code in this month's article, so you'll probably want to grab it at ftp://ftp.mactech.com/src/mactech/volume21_2005/21.06.sit if you plan on trying out this month's code.

Start Me Up

Open up the MTCoreData project from last month in Xcode. Single click on MTCoreData_DataModel.xcdatamodel so that the data model editor is showing. If the editor doesn't show up when you single-click the data model icon, select Zoom Editor In from the View menu, or press the Editor button on Xcode's toolbar.

Single-click on the Book entity in the Entity pane (the top left pane in the data model editor). Once you do that, a list of the book's attributes should appear in the top middle pane. There are two attributes to which I want to draw your attention. These attributes are dateRead and url. Now, wouldn't it be nice if we could default the dateRead field to the date on which the book was entered into the database, or find a way to validate that url is actually a valid internet URL? There's no way to do either of these things using just the entity or attribute inspectors available in the data modeler, but they can be done. In fact, we're going to do both of those things in this article.

If you look in the top right-most pane of the editor, you'll notice that the Book entity currently has specified a class of NSManagedObject. Go ahead and change that to MTBookEntity. What we've just done is specified a different class to represent the Book entity. At the moment, the class we specified doesn't exist, but we're going to create it.


Figure 1. Creating the files for MTBookEntity

Since NSManagedObject already does most of what we need done, our new class is going to be a subclass of it. Press ?N or select New File... from the File Menu. Select Objective-C Class from the New File Assistant and name the new file MTBookEntity.m. Before hitting return, make sure that Also Create "MTBookEntity.h" is selected (figure 1). After you hit return, you'll have two new files in your project. Single-click first on MTBookEntity.h, so that we can change the superclass from NSObject to NSManagedObject. This is absolutely necessary; although the modeler will let you specify any class, at runtime your application is only going to work if the class you specified responds to all the methods that NSManagedObject responds to.

MTBookEntity.h
The only change at this point is to make NSManagedObject rather than NSObject the superclass.

#import <Cocoa/Cocoa.h>

@interface MTBookEntity : NSManagedObject 
{

}
@end

Implementing Custom Default Behavior

You'll notice that we haven't added any new methods or instance variables at this point. NSManagedObject already provides us with a mechanism for validating and defaulting values, as well as methods to allow getting and setting attributes using Key Value Coding or KVC.

Switch now to MTBookEntity.m so we can implement the defaulting behavior for the dateRead attribute. There is a method in NSManagedObject that is specifically designed to be overridden by subclasses in order to set default attribute values. That method is called awakeFromInsert. To set the default value of dateRead to the current date, all we have to do is override awakeFromInsert, and set the attribute using key value coding, like so:

MTBookEntity.m
This method is called when an entity instance is first created. It is where 
customized default values for attributes should be set.

#import "MTBookEntity.h"

@implementation MTBookEntity
- (void) awakeFromInsert
{
	[self setValue:[NSCalendarDate date] forKey:@"dateRead"];
}
@end

Yep, that's all there is to it. We don't even need to call [super awakeFromInsert]; we just implement the method if we need it and do any custom defaulting that we need to do. Notice that we didn't use a mutator to set the value, but rather used setValue:forKey: and passed in the name of the attribute we're setting as the key value.

Custom Attribute Validation

As you just saw, adding custom defaulting to a custom managed object couldn't be easier. Custom validation is not quite as straightforward. The obvious and, unfortunately, wrong way to do it would be to subclass NSManagedObject's validateValue:forKey:error: and implement your validation there. Apple strongly suggests that developers implement custom validation methods and leave validateValue:forKey:error: alone. Your custom methods will be called instead of validateValue:forKey:error: if your method name conforms to the naming convention validate:error:, where is replaced with the name of the attribute for which you wish to implement validation (i.e. validateFoo:Error:). Implementing the method is relatively simple; you just return YES if the value is okay to be saved, and NO if it isn't. If you return NO, you should also allocate an NSError with more detailed information about why validation failed. Let's create a custom validation method for url, shall we?

Custom validation methods (and, as we'll see later, custom accessors and mutators) must be declared in your subclass' header file because they do not exist in the superclass (NSManagedObject). Therefore, we have to add a method declaration to MTBookEntity.h:

MTBookEntity.h
Add this declaration just before @end

-(BOOL)validateUrl:(NSString **)urlString 
   error:(NSError **)error;

After creating the method declaration, we need to switch to the implementation file and write the actual validation. There is a bit of a gotcha here. See those double astericks (**) on the method's parameters? That's not a typo; both parameters for custom validation methods are passed as pointers to pointers (sometimes called a handle), so you have to de-reference them before trying to access them as Objective-C objects.

MTBookEntity.m

-(BOOL)validateUrl:(NSString **)urlString 
   error:(NSError **)error
{  

   // Create a local de-referenced variable to make code more readable
   // You can skip this and just use *urlstring anywhere I use val
   // if you prefer not to allocate a stack variable unnecessarily
	
NSString *val = *urlString;

   // Not a required attribute, so bail without validating if empty or nil
	
if (val == nil || [val length] == 0)
      return YES;
    
   // Create an NSURL. If unable to instantiate, populate error and return NO
	
NSURL *url = [NSURL URLWithString:val];
   if (url == nil)
   {

      // If we create a dictionary containing a string using one of the 
      // following keys:
      //    NSLocalizedDescriptionKey
      //    NSLocalizedFailureReasonErrorKey
      // that message will be displayed when validation failed.
      // Otherwise, it will use the error code and error domain
      // to determine what to display to the user. Since we don't
      // have an error code that corresponds to our error, we'll
      // do it this way and pass a generic -1 error code

   NSDictionary *userInfoDict = [NSDictionary 
         dictionaryWithObject:@"Not a valid URL"
         forKey:NSLocalizedDescriptionKey];

      // There are a number of error domains that correspond to 
      // where the error was originally generated. Most of the 
      // time you'll use the first
      //    NSCocoaErrorDomain
      //       NSPOSIXErrorDomain
      //       NSOSStatusErrorDomain
      //    NSMachErrorDomain

   *error = [[[NSError alloc] initWithDomain:
         NSCocoaErrorDomain code:-1 userInfo:userInfoDict] 
         autorelease];
      return NO;
   }
   return YES;
}

Other than the fact that we're being passed a handle rather than a pointer to an Objective-C object, this is a fairly straight forward chunk of code. We return YES if the value can be turned into an NSURL, NO if it can't. If the URL doesn't validate, we allocate an NSError and populate it with an error domain, an error code, and a dictionary containing a string that explains why validation failed.

Please note that you should avoid making changes to the object being passed in for validation. Since you're given a handle to it, you actually can change the actual object that's stored in Core Data's object graph, but doing so could potentially cause data consistency problems. Although it does seems like they wouldn't pass you the data in this manner unless they expected you to sometimes change it, Apple's documentation is very clear in stating that you should not. So don't, okay?

When Core Data goes to validate an attribute, it will first look for a custom validation method like the one we just created. If such a method exists, it gets called. If no such method exists, Core Data will then call the generic validateValue:forKey:error:. In that situation, we let our superclass handle the validation.

Custom Accessors & Mutators

Before we dive into creating, modifying, and deleting objects programmatically, let's look at implementing custom accessors and mutators (the methods used to get and set the value of instance variables) for our subclass. Now, this is a purely optional step: You never need to implement accessors or mutators for subclasses of NSManagedObject. The standard way of accessing attributes of an entity is to use Key Value Coding, like so:

name = [entity valueForKey:@"name"];

This method of getting data from an entity works perfectly well, regardless of whether you are using NSManagedObject or a custom subclasss. When you do subclass NSManagedObject, however, you have the option of implementing custom accessors and mutators so that your subclass can be use in a more intuitive fashion, like this:

name = [entity name];

Doing this generally makes for code that's a touch shorter, and which most people find to be a bit more readable. The tradeoff, of course, is that you have to actually do the work to implement these custom methods. Now choosing to implement them is not an all-or-nothing proposition. If you want to implement accessors and mutators just for the attributes you use most often rather than for all of the entity's attributes, that's perfectly acceptable. In the interest of space, we'll implement accessors and mutators for just one attribute - title - to show how it's done.

Just as with custom validation methods, you should declare custom accessors and mutators in your header file.

MTBookEntity.h
Add the following declarations before the @end directive

-(NSString *)title;
-(void)setTitle(NSString *)newTitle;

To implement these methods, we use NSManagedObject's key-kalue methods to get and set the attribute values, but there's a little more to it than that because we have to let Core Data know that we are accessing data that it manages. Core Data is very savvy about keeping its data context consistent even when it's being accessed from different places in your application, but we have to help it do its job right by telling it when we're going to start, and then again when we're done accessing an attribute.

Outside of your NSManagedObject subclass, it is generally not necessary or even advisable to do this, but you must do it here because we are directly accessing the data primitives. To implement these methods correctly, we have to access and set the primitive values using primitiveValueForKey: and setPrimitiveValue:forKey:. These two methods function identically to the standard valueForKey: and setValue:forKey: methods with which you are probably already familiar, but these two must be used when creating custom accessors and mutators, and no place else. Here are our implemented custom methods:

MTBookEntity.m

- (NSString *)title
{
   [self willAccessValueForKey:@"title"];
   id title = [self primitiveValueForKey:@"title"];
   [self didAccessValueForKey:@"title"];
   return title;
}
- (void)setTitle:(NSString *)newTitle
{
   [self willChangeValueForKey:@"title"];
   [self setPrimitiveValue:newTitle forKey:@"title"];
   [self didChangeValueForKey:@"title"];
}

At this point, you should be able to run the application, and it will work exactly as before, except that the dateRead field will default to today's date, and only valid URLs will be accepted in the url field.

Virtual Accessors

Another handy thing that you can do when subclassing NSManagedObject is to create virtual accessors. A virtual accessor is a method that functions just like an accessor, meaning you can bind interface elements to it in Interface Builder. What's being accessed is not an actual entity, however. Typically, you would do this with data calculated from actual attributes.

In our case, let's say we wanted to display the title of our books in the left-hand column just as we do now, but we wanted to include the year the book was released in parenthesis after the title. We don't want to add a column to the table, but just show it as a single column as it is now. Obviously, we want to keep these two data fields separate in the data context. This is an ideal place for a virtual accessor. Go ahead and declare a new accessor method called displayTitle: that returns an NSString.

MTCoreAppDelegate.h
Add this declaration before the @end directive

-(NSString *)displayTitle;

Now implement this method just as we would a "real" accessor.

MTCoreAppDelegate.m
-(NSString *)displayTitle
{
   NSString *displayTitle = nil;
   [self willAccessValueForKey:@"title"];
   [self willAccessValueForKey:@"dateReleased"];
   NSString *title = [self primitiveValueForKey:@"title"];
   NSDate *dateReleased = [self 
      primitiveValueForKey:@"dateReleased"];
   if (dateReleased)
      displayTitle = [NSString stringWithFormat:@"%@ (%@)", 
         title, [dateReleased 
         descriptionWithCalendarFormat:@"%Y" timeZone:nil 
         locale:nil]];
   [self didAccessValueForKey:@"title"];
   [self didAccessValueForKey:@"dateReleased"];
   return (displayTitle == nil) ? title : displayTitle; 
}

Since we're accessing multiple attributes, we have to tell Core Data about every attribute that we're using, and then again tell it when we're done with them. If there is no dateReleased field, we return just the title by itself, otherwise return the title followed by the year from the date in parenthesis.

Okay, now that we have our very own virtual accessor, what do we do with it? Well, fire up Interface Builder by double-clicking MainMenu.nib, and I'll show you. Once Interface Builder is launched, double-click on the table on the left hand side of your application's main window--the one that displays the list of books--and then single-click the column header. Press ?4 to bring up the bindings inspector, and expand the value binding. The current Model Key Path, you'll see, is set to title. Change that to read displayTitle, which will point it to our virtual accessor, and then save.

You can go ahead back to Xcode now and run the program if you want. You'll see that instead of just the titles in the left hand column, there will now be the titles followed by the year the book was published in parenthesis. Since the interface and data storage in Core Data applications are totally independent of one another, the table column doesn't know and doesn't care that displayTitle is not a real attribute.

Creating and Editing Core Data Entities

You may recall that we put a button on the interface last month, but didn't put any code behind that button. Well, it's now time for the main event; let's put some code behind it. The first thing we need to do is to declare a new IBOutlet method so that we have something to which we can bind the Lookup button.

MTCoreAppDelegate.h
Add a new method declaration to the existing application delegate header.

- (IBAction)doLookup:(id)sender;

And, of course, we need to implement this new method. The comments explain what's going on.

MTCoreAppDelegate.m
Here is the implementation of our new action method. This method retrieves the 
information about a book from Amazon based on the entered ISBN value, creates a new 
MTBookEntity instance, and then sets the various fields from the retrieved data.

- (IBAction)doLookup:(id)sender
{
 
   // Grab the currently selected item in the left-hand table 
   // - the one that's currently displayed
	
MTBookEntity *book = [[books selectedObjects] 
      objectAtIndex:0];

   // Retrieve the ISBN number typed in by the user

   NSString *isbn = [[book valueForKey:@"isbn"] 
      removeCharacters:@" -_/\\*."];
      
   // Use the ISBN the user typed in to create an Amazon URL
	
   NSString *urlBase = @"http://xml.amazon.com/onca/xml3?t=
                       1&dev-t=%@&AsinSearch=%@&type=heavy&f=xml";
   NSString	*urlString = [NSString stringWithFormat:urlBase, 
      AMAZON_DEV_TOKEN, isbn];
   NSURL *theURL = [NSURL URLWithString:urlString];
   NSError *err=nil;
    
   // Initialize our document with the XML data in our URL
	
   NSXMLDocument *xmlDoc = [[NSXMLDocument alloc] 
      initWithContentsOfURL:theURL options:nil error:&err];
    
   // Get a reference to the root node
	
   NSXMLNode *rootNode = [xmlDoc rootElement];
    
   // In case of an error, Amazon includes a node called "ErrorMsg", its 
   // presence tells us that an error happened, so we check for it
	
   NSXMLNode *errorNode = [rootNode childNamed:@"ErrorMsg"];
    
   if (rootNode == nil || errorNode != nil)
   {
		
      // Nothing retrieved or error, throw up alert
		

NSRunAlertPanel(@"Error",@"Error retrieving XML data 
         about this book. Are you sure that's a valid 
         ISBN and you're connected to the 
         internet?",@"OK",nil,nil);
      return;
   }
   else
   {
	
   // Grab the details node
		
      NSXMLElement *detailsNode = [rootNode 
         childNamed:@"Details"];
	
      // Here's how we set a value using a custom mutator
		
NSString *bookTitle = [[detailsNode childNamed:
         @"ProductName"] stringValue];		
      [book setTitle:bookTitle];
	
      // Setting value using KVC
		
      NSString *publisher = [[detailsNode childNamed:
         @"Manufacturer"] stringValue];
      [book setValue:publisher forKey:@"publisher"];

      [book setValue:[[detailsNode childNamed:@"Asin"] 
         stringValue] forKey:@"isbn"];

      // We have to convert this number which is stored as a
      // string into an NSNumber before setting value. Core
      // Data number fields will not accept NSStrings even
      // if they contain a valid number
		
      NSNumber *rank = [NSNumber numberWithInt:[[[detailsNode 
         childNamed:@"SalesRank"] stringValue] intValue]];
      [book setValue:rank forKey:@"salesRank"];

      [book setValue:[[detailsNode attributeForName:@"url"] 
         stringValue] forKey:@"url"];
	
      // Get an enumerator that contains all the authors 
      // listed in the XML 

      NSXMLNode *authorsNode = [detailsNode 
         childNamed:@"Authors"];
      NSEnumerator *e = [[authorsNode childrenAsStrings] 
         objectEnumerator];
      NSString *oneAuthor;
  
      // Get the Mutable Set that corresponds to the authors 
      // relationship - this will allow us to add Author entities 
      // to this Book entity

      NSMutableSet *authorSet = [book mutableSetValueForKey:
         @"authors"];

      // Loop through retrieved authors enumerator

      while (oneAuthor = [e nextObject]) 
      {

         // Create and insert a new Author entity for each author found

         NSManagedObject *author = [NSEntityDescription 
            insertNewObjectForEntityForName:@"Author" 
            inManagedObjectContext:[self 
            managedObjectContext]];
            
         // Set the author's name attribute

         [author setValue:oneAuthor forKey:@"name"];

         // Add the new author to the Book entity's authors relationship

         [authorSet addObject:author];

         // Note: Core Data automatically populates the Inverse relationship
      }

      // Get the image data from URL then store it

      NSURL *imageURL = [NSURL URLWithString:[[detailsNode 
         childNamed:@"ImageUrlLarge"] stringValue]];
      [book setValue:[NSData dataWithContentsOfURL:imageURL] 
         forKey:@"coverImage"];

   }
}

That listing may look a little daunting, but don't be scared off by it; Core Data entities are actually very easy to work with. You use valueForKey: and setValue:forKey: to get and set the values for any given instance or, if you choose to implement them, you can call custom accessors and mutators instead. To add an existing entity to the relationship of another entity, you use mutableSetValueForKey: to retrieve the NSMutableSet that represents that relationship. Then when you add or delete items from the returned NSMutableSet instance, what you are actually doing is adding or deleting them from the entity's relationship.

Creating new objects, as you saw, is done by calling one of NSEntityDescription's class methods called insertNewObjectForEntityForName:inManagedObjectContext:, supply the name of the type of entity you want to create along with the context in which you want it created, and it will create the instance and return a reference to it.

Now that we have our code in place, go to Interface Builder and make sure that the Lookup button's target outlet is bound to the doLookup: method, and then go try it out.

Deleting Objects

One useful task that we didn't undertake in the code above was deleting an Entity. In our application, the only place where we need to delete entities is really better handled as it currently is: by using NSArrayController's remove: outlet. Just for grins and giggles, let's take a quick look at how we would delete a book programmatically if we needed to. This is really, insanely hard, so if you don't grasp it at first, it's okay. Just take a few deep breaths and re-read the code sample a few times until it makes sense. I'm confident you can grasp it if you try hard enough.

Deleting a Core Data Entity
[[self managedObjectContext] deleteObject:book];

Still with me? Are you sure? Great!


Figure 2. The final application in action.

This is the End

That's all there is for this month. We looked at subclassing NSManagedObject in order to implement conditional defaulting and validation for our entity. We also took a look at how we create, edit, and delete managed objects programmatically. Core Data is really an amazing technology and a huge productivity booster for Mac application developers; these two articles have only scratched the surface of what it can do for you. They should, however, have you enough of a foundation to get in there and start making Core Data applications that really dance the Fandango. Now, what are you waiting for? Go to it!


Jeff LaMarche wrote his first line of code in Applesoft Basic on a Bell & Howell Apple //e in 1980 and he's owned at least one Apple computer at all times since. Though he currently makes his living consulting in the Mac-unfriendly world of "Enterprise" software, his Macs remain his first and greatest computer love. You can reach him at jeff_lamarche@mac.com.

 

Community Search:
MacTech Search:

Software Updates via MacUpdate

Latest Forum Discussions

See All

Summon your guild and prepare for war in...
Netmarble is making some pretty big moves with their latest update for Seven Knights Idle Adventure, with a bunch of interesting additions. Two new heroes enter the battle, there are events and bosses abound, and perhaps most interesting, a huge... | Read more »
Make the passage of time your plaything...
While some of us are still waiting for a chance to get our hands on Ash Prime - yes, don’t remind me I could currently buy him this month I’m barely hanging on - Digital Extremes has announced its next anticipated Prime Form for Warframe. Starting... | Read more »
If you can find it and fit through the d...
The holy trinity of amazing company names have come together, to release their equally amazing and adorable mobile game, Hamster Inn. Published by HyperBeard Games, and co-developed by Mum Not Proud and Little Sasquatch Studios, it's time to... | Read more »
Amikin Survival opens for pre-orders on...
Join me on the wonderful trip down the inspiration rabbit hole; much as Palworld seemingly “borrowed” many aspects from the hit Pokemon franchise, it is time for the heavily armed animal survival to also spawn some illegitimate children as Helio... | Read more »
PUBG Mobile teams up with global phenome...
Since launching in 2019, SpyxFamily has exploded to damn near catastrophic popularity, so it was only a matter of time before a mobile game snapped up a collaboration. Enter PUBG Mobile. Until May 12th, players will be able to collect a host of... | Read more »
Embark into the frozen tundra of certain...
Chucklefish, developers of hit action-adventure sandbox game Starbound and owner of one of the cutest logos in gaming, has released their roguelike deck-builder Wildfrost. Created alongside developers Gaziter and Deadpan Games, Wildfrost will... | Read more »
MoreFun Studios has announced Season 4,...
Tension has escalated in the ever-volatile world of Arena Breakout, as your old pal Randall Fisher and bosses Fred and Perrero continue to lob insults and explosives at each other, bringing us to a new phase of warfare. Season 4, Into The Fog of... | Read more »
Top Mobile Game Discounts
Every day, we pick out a curated list of the best mobile discounts on the App Store and post them here. This list won't be comprehensive, but it every game on it is recommended. Feel free to check out the coverage we did on them in the links below... | Read more »
Marvel Future Fight celebrates nine year...
Announced alongside an advertising image I can only assume was aimed squarely at myself with the prominent Deadpool and Odin featured on it, Netmarble has revealed their celebrations for the 9th anniversary of Marvel Future Fight. The Countdown... | Read more »
HoYoFair 2024 prepares to showcase over...
To say Genshin Impact took the world by storm when it was released would be an understatement. However, I think the most surprising part of the launch was just how much further it went than gaming. There have been concerts, art shows, massive... | Read more »

Price Scanner via MacPrices.net

Apple Watch Ultra 2 now available at Apple fo...
Apple has, for the first time, begun offering Certified Refurbished Apple Watch Ultra 2 models in their online store for $679, or $120 off MSRP. Each Watch includes Apple’s standard one-year warranty... Read more
AT&T has the iPhone 14 on sale for only $...
AT&T has the 128GB Apple iPhone 14 available for only $5.99 per month for new and existing customers when you activate unlimited service and use AT&T’s 36 month installment plan. The fine... Read more
Amazon is offering a $100 discount on every M...
Amazon is offering a $100 instant discount on each configuration of Apple’s new 13″ M3 MacBook Air, in Midnight, this weekend. These are the lowest prices currently available for new 13″ M3 MacBook... Read more
You can save $300-$480 on a 14-inch M3 Pro/Ma...
Apple has 14″ M3 Pro and M3 Max MacBook Pros in stock today and available, Certified Refurbished, starting at $1699 and ranging up to $480 off MSRP. Each model features a new outer case, shipping is... Read more
24-inch M1 iMacs available at Apple starting...
Apple has clearance M1 iMacs available in their Certified Refurbished store starting at $1049 and ranging up to $300 off original MSRP. Each iMac is in like-new condition and comes with Apple’s... Read more
Walmart continues to offer $699 13-inch M1 Ma...
Walmart continues to offer new Apple 13″ M1 MacBook Airs (8GB RAM, 256GB SSD) online for $699, $300 off original MSRP, in Space Gray, Silver, and Gold colors. These are new MacBook for sale by... Read more
B&H has 13-inch M2 MacBook Airs with 16GB...
B&H Photo has 13″ MacBook Airs with M2 CPUs, 16GB of memory, and 256GB of storage in stock and on sale for $1099, $100 off Apple’s MSRP for this configuration. Free 1-2 day delivery is available... Read more
14-inch M3 MacBook Pro with 16GB of RAM avail...
Apple has the 14″ M3 MacBook Pro with 16GB of RAM and 1TB of storage, Certified Refurbished, available for $300 off MSRP. Each MacBook Pro features a new outer case, shipping is free, and an Apple 1-... Read more
Apple M2 Mac minis on sale for up to $150 off...
Amazon has Apple’s M2-powered Mac minis in stock and on sale for $100-$150 off MSRP, each including free delivery: – Mac mini M2/256GB SSD: $499, save $100 – Mac mini M2/512GB SSD: $699, save $100 –... Read more
Amazon is offering a $200 discount on 14-inch...
Amazon has 14-inch M3 MacBook Pros in stock and on sale for $200 off MSRP. Shipping is free. Note that Amazon’s stock tends to come and go: – 14″ M3 MacBook Pro (8GB RAM/512GB SSD): $1399.99, $200... Read more

Jobs Board

*Apple* Systems Administrator - JAMF - Syste...
Title: Apple Systems Administrator - JAMF ALTA is supporting a direct hire opportunity. This position is 100% Onsite for initial 3-6 months and then remote 1-2 Read more
Relationship Banker - *Apple* Valley Financ...
Relationship Banker - Apple Valley Financial Center APPLE VALLEY, Minnesota **Job Description:** At Bank of America, we are guided by a common purpose to help Read more
IN6728 Optometrist- *Apple* Valley, CA- Tar...
Date: Apr 9, 2024 Brand: Target Optical Location: Apple Valley, CA, US, 92308 **Requisition ID:** 824398 At Target Optical, we help people see and look great - and Read more
Medical Assistant - Orthopedics *Apple* Hil...
Medical Assistant - Orthopedics Apple Hill York Location: WellSpan Medical Group, York, PA Schedule: Full Time Sign-On Bonus Eligible Remote/Hybrid Regular Apply Now Read more
*Apple* Systems Administrator - JAMF - Activ...
…**Public Trust/Other Required:** None **Job Family:** Systems Administration **Skills:** Apple Platforms,Computer Servers,Jamf Pro **Experience:** 3 + years of Read more
All contents are Copyright 1984-2011 by Xplain Corporation. All rights reserved. Theme designed by Icreon.