Josh Carsell
Josh Carsell

Reputation: 13

Core data issue Swift

Hello I am currently following a Swift tutorial which uses the old version of Swift and I am not able to follow this as I believe the syntax has changed in the newer version of Swift.

class ViewController: UIViewController {

override func viewDidLoad() {
    super.viewDidLoad()
    // Do any additional setup after loading the view, typically from a nib.

    var appDel:AppDelegate = UIApplication.sharedApplication().delegate as! AppDelegate

    var context:NSManagedObjectContext = appDel.managedObjectContext

    var newUser = NSEntityDescription.insertNewObjectForEntityForName("users", inManagedObjectContext: context) as NSManagedObject

    newUser.setValue("Joe", forKey: "username")

    newUser.setValue("pass", forKey: "password")

    do {
     try context.save()
    } catch let error {
        print("Couldn't save user data")
        print(error)
    }

    let request = NSFetchRequest(entityName: "Users")
        request.returnsObjectsAsFaults = false
      //  var results = context.executeFetchRequest(request)

    do {
        var results =
            try context.executeFetchRequest(request)
        results = results as! [NSManagedObject]
    } catch let error as NSError {
        print(error)
    }

    for result: AnyObject in results {
        print(results)
    }
}

The error I am receiving is to do with the results on the line for result: AnyObject in results and the error is unresolved identifier 'results' which is giving me the impression that this should be declared somewhere as a variable as it is currently unresolved but I cannot figure out how to fix this, any help would be greatly appreciated, thanks!

Upvotes: 0

Views: 165

Answers (2)

netdigger
netdigger

Reputation: 3789

With the new API's against CoreData (in Swift 3.0) you should do:

let request = NSFetchRequest<Users>(entityName: "Users")
request.returnsObjectsAsFaults = false

do {
    var results =
        try context.fetch(request)
    // `results` will here be [Users]
} catch let error as NSError {
    print(error)
}

The new signature of fetch is fetch<T : NSFetchRequestResult>(_ request: NSFetchRequest<T>) throws -> [T] where T is the same as provided in <HERE> (ex. NSFetchRequest<Users>)

Upvotes: 0

jrturton
jrturton

Reputation: 119232

do {
    var results = try context.executeFetchRequest(request)
    results = results as! [NSManagedObject]
} catch let error as NSError {
    print(error)
}

for result: AnyObject in results {
    print(results)
}

results only has scope inside the do block there. You need to move the processing of the array inside the do:

do {
    var results = try context.executeFetchRequest(request)
    results = results as! [NSManagedObject]
    for result in results {
        print(results)
    }
} catch let error as NSError {
    print(error)
}

Also there's no need to lose information by casting as AnyObject.

Upvotes: 1

Related Questions