iOS CoreData 增删改查详解_IOS

最近在学习CoreData, 因为项目开发中需要,特意学习和整理了一下,整理出来方便以后使用和同行借鉴。目前开发使用的Swift语言开发的项目。所以整理出来的是Swift版本,OC我就放弃了。 虽然Swift3 已经有了,目前整理的这个版本是Swift2 的。Swift 3 的话有些新特性。 需要另外调整,后续有时间再整理。 

继承CoreData有两种方式: 

创建项目时集成

 

这种方式是自动继承在AppDelegate里面,调用的使用需要通过UIApplication的方式来获取AppDelegate得到Conext。本人不喜欢这种方式,不喜欢AppDelegate太多代码堆在一起,整理了一下这种方式

将CoreData继承的代码单独解耦出来做一个单例类 

项目结构图

 

项目文件说明 
CoreData核心的文件就是 
1.XPStoreManager(管理CoreData的单例类) 
2.CoredataDemo.xcdatamodeld (CoreData数据模型文件)
 3.Student+CoreDataProperites.swift和Student.swift (学生对象) 
4.ViewController.swift 和Main.storyboard是示例代码

细节代码 

1. XPStoreManager.swift
CoreData数据管理单例类

//

// XPStoreManager.swift

// CoreDataDemo

//

// Created by xiaopin on 16/9/16.

// Copyright  2016年 xiaopin.cnblogs.com. All rights reserved.

//

import CoreData

/// 本地数据库管理类:默认是写在AppDelegate的,可以这样分离出来

class XPStoreManager {

 //单例写法

 static let shareInstance = XPStoreManager()

 private init() {

 }

 // MARK: - Core Data stack

 lazy var applicationDocumentsDirectory: NSURL = {

  // The directory the application uses to store the Core Data store file. This code uses a directory named "com.pinguo.CoreDataDemo" in the application's documents Application Support directory.

  let urls = NSFileManager.defaultManager().URLsForDirectory(.DocumentDirectory, inDomains: .UserDomainMask)

  print("\(urls[urls.count-1])")

  return urls[urls.count-1]

 }()

 lazy var managedObjectModel: NSManagedObjectModel = {

  // The managed object model for the application. This property is not optional. It is a fatal error for the application not to be able to find and load its model.

  let modelURL = NSBundle.mainBundle().URLForResource("CoreDataDemo", withExtension: "momd")!

  return NSManagedObjectModel(contentsOfURL: modelURL)!

 }()

 lazy var persistentStoreCoordinator: NSPersistentStoreCoordinator = {

  // The persistent store coordinator for the application. This implementation creates and returns a coordinator, having added the store for the application to it. This property is optional since there are legitimate error conditions that could cause the creation of the store to fail.

  // Create the coordinator and store

  let coordinator = NSPersistentStoreCoordinator(managedObjectModel: self.managedObjectModel)

  let url = self.applicationDocumentsDirectory.URLByAppendingPathComponent("SingleViewCoreData.sqlite")

  var failureReason = "There was an error creating or loading the application's saved data."

  do {

   try coordinator.addPersistentStoreWithType(NSSQLiteStoreType, configuration: nil, URL: url, options: nil)

  } catch {

   // Report any error we got.

   var dict = [String: AnyObject]()

   dict[NSLocalizedDescriptionKey] = "Failed to initialize the application's saved data"

   dict[NSLocalizedFailureReasonErrorKey] = failureReason

   dict[NSUnderlyingErrorKey] = error as NSError

   let wrappedError = NSError(domain: "YOUR_ERROR_DOMAIN", code: 9999, userInfo: dict)

   // Replace this with code to handle the error appropriately.

   // abort() causes the application to generate a crash log and terminate. You should not use this function in a shipping application, although it may be useful during development.

   NSLog("Unresolved error \(wrappedError), \(wrappedError.userInfo)")

   abort()

  }

  return coordinator

 }()

 lazy var managedObjectContext: NSManagedObjectContext = {

  // Returns the managed object context for the application (which is already bound to the persistent store coordinator for the application.) This property is optional since there are legitimate error conditions that could cause the creation of the context to fail.

  let coordinator = self.persistentStoreCoordinator

  var managedObjectContext = NSManagedObjectContext(concurrencyType: .MainQueueConcurrencyType)

  managedObjectContext.persistentStoreCoordinator = coordinator

  return managedObjectContext

 }()

 // MARK: - Core Data Saving support

 func saveContext () {

  if managedObjectContext.hasChanges {

   do {

    try managedObjectContext.save()

   } catch {

    // Replace this implementation with code to handle the error appropriately.

    // abort() causes the application to generate a crash log and terminate. You should not use this function in a shipping application, although it may be useful during development.

    let nserror = error as NSError

    NSLog("Unresolved error \(nserror), \(nserror.userInfo)")

    abort()

   }

  }

 }

}

2.AppDelegate.swift 

在这个行数中加入一句代码,退出后执行保存一下

func applicationWillTerminate(application: UIApplication) {
  // Called when the application is about to terminate. Save data if appropriate. See also applicationDidEnterBackground:.
  // Saves changes in the application's managed object context before the application terminates.
  XPStoreManager.shareInstance.saveContext()

 }

3.Student.swift 

编写了针对这个学生对象的增删改查 

//

// Student.swift

// CoreDataDemo

//

// Created by cdmac on 16/9/12.

// Copyright  2016年 xiaopin.cnblogs.com. All rights reserved.

//

import Foundation

import CoreData

class Student: NSManagedObject {

 // Insert code here to add functionality to your managed object subclass

 /*

  一般涉及到的情况有:增删改,单对象查询,分页查询(所有,条件查询,排序),对象是否存在,批量增加,批量修改

  */

 /// 判断对象是否存在, obj参数是当前属性的字典

 class func exsitsObject(obj:[String:String]) -> Bool {

  //获取管理数据对象的上下文

  let context = XPStoreManager.shareInstance.managedObjectContext

  //声明一个数据请求

  let fetchRequest = NSFetchRequest(entityName: "Student")

  //组合过滤参数

  let stuId = obj["stuId"]

  let name = obj["name"]

  //方式一

  let predicate1 = NSPredicate(format: "stuId = %@", stuId!)

  let predicate2 = NSPredicate(format: "name = %@", name!)

  //合成过滤条件

  //or ,and, not , 意思是:或与非,懂数据库的同学应该就很容易明白

  let predicate = NSCompoundPredicate(orPredicateWithSubpredicates: [predicate1,predicate2])

  //let predicate = NSCompoundPredicate(andPredicateWithSubpredicates: [predicate1,predicate2])

  fetchRequest.predicate = predicate

  //方式二

  //fetchRequest.predicate = NSPredicate(format: "stuId = %@ or name = %@", stuId!, name!)

  //fetchRequest.predicate = NSPredicate(format: "stuId = %@ and name = %@", stuId!, name!)

  do{

   let fetchObjects:[AnyObject]? = try context.executeFetchRequest(fetchRequest)

   return fetchObjects?.count > 0 ? true : false

  }catch {

   fatalError("exsitsObject \(error)")

  }

  return false

 }

 /// 添加对象, obj参数是当前属性的字典

 class func insertObject(obj: [String:String]) -> Bool {

  //如果存在对象了就返回

  if exsitsObject(obj) {

   return false

  }

  //获取管理的数据上下文 对象

  let context = XPStoreManager.shareInstance.managedObjectContext

  //创建学生对象

  let stu = NSEntityDescription.insertNewObjectForEntityForName("Student",

                  inManagedObjectContext: context) as! Student

  //对象赋值

  let sexStr:String

  if obj["sex"] == "男"{

   sexStr = "1"

  }else{

   sexStr = "0"

  }

  let numberFMT = NSNumberFormatter()

  numberFMT.numberStyle = .NoStyle

  stu.stuId = numberFMT.numberFromString(obj["stuId"]!)

  stu.name = obj["name"]

  stu.createtime = NSDate()

  stu.sex = numberFMT.numberFromString(sexStr)

  stu.classId = numberFMT.numberFromString(obj["classId"]!)

  //保存

  do {

   try context.save()

   print("保存成功!")

   return true

  } catch {

   fatalError("不能保存:\(error)")

  }

  return false

 }

 /// 删除对象

 class func deleteObject(obj:Student) -> Bool{

  //获取管理的数据上下文 对象

  let context = XPStoreManager.shareInstance.managedObjectContext

  //方式一: 比如说列表已经是从数据库中获取的对象,直接调用CoreData默认的删除方法

  context.deleteObject(obj)

  XPStoreManager.shareInstance.saveContext()

  //方式二:通过obj参数比如:id,name ,通过这样的条件去查询一个对象一个,把这个对象从数据库中删除

  //代码:略

  return true

 }

 /// 更新对象

 class func updateObject(obj:[String: String]) -> Bool {

  //obj参数说明:当前对象的要更新的字段信息,唯一标志是必须的,其他的是可选属性

  let context = XPStoreManager.shareInstance.managedObjectContext

  let oid = obj["stuId"]

  let student:Student = self.fetchObjectById(Int(oid!)!)! as! Student

  //遍历参数,然后替换相应的参数

  let numberFMT = NSNumberFormatter()

  numberFMT.numberStyle = .NoStyle

  for key in obj.keys {

   switch key {

   case "name":

    student.name = obj["name"]

   case "classId":

    student.classId = numberFMT.numberFromString(obj["classId"]!)

   default:

    print("如果有其他参数需要修改,类似")

   }

  }

  //执行更新操作

  do {

   try context.save()

   print("更新成功!")

   return true

  } catch {

   fatalError("不能保存:\(error)")

  }

  return false

 }

  /// 查询对象

 class func fetchObjects(pageIndex:Int, pageSize:Int) -> [AnyObject]? {

  //获取管理的数据上下文 对象

  let context = XPStoreManager.shareInstance.managedObjectContext

  //声明数据的请求

  let fetchRequest:NSFetchRequest = NSFetchRequest(entityName: "Student")

  fetchRequest.fetchLimit = pageSize //每页大小

  fetchRequest.fetchOffset = pageIndex * pageSize //第几页

  //设置查询条件:参考exsitsObject

  //let predicate = NSPredicate(format: "id= '1' ", "")

  //fetchRequest.predicate = predicate

  //设置排序

  //按学生ID降序

  let stuIdSort = NSSortDescriptor(key: "stuId", ascending: false)

  //按照姓名升序

  let nameSort = NSSortDescriptor(key: "name", ascending: true)

  let sortDescriptors:[NSSortDescriptor] = [stuIdSort,nameSort]

  fetchRequest.sortDescriptors = sortDescriptors

  //查询操作

  do {

   let fetchedObjects:[AnyObject]? = try context.executeFetchRequest(fetchRequest)

   //遍历查询的结果

   /*

   for info:Student in fetchedObjects as! [Student]{

    print("id=\(info.stuId)")

    print("name=\(info.name)")

    print("sex=\(info.sex)")

    print("classId=\(info.classId)")

    print("createTime=\(info.createtime)")

    print("-------------------")

   }

    */

   return fetchedObjects

  }

  catch {

   fatalError("不能保存:\(error)")

  }

  return nil

 }

  /// 根据ID查询当个对象

 class func fetchObjectById(oid:Int) -> AnyObject?{

  //获取上下文对象

  let context = XPStoreManager.shareInstance.managedObjectContext

  //创建查询对象

  let fetchRequest:NSFetchRequest = NSFetchRequest(entityName: "Student")

  //构造参数

  fetchRequest.predicate = NSPredicate(format: "stuId = %@", String(oid))

  //执行代码并返回结果

  do{

   let results:[AnyObject]? = try context.executeFetchRequest(fetchRequest)

   if results?.count > 0 {

    return results![0]

   }

  }catch{

   fatalError("查询当个对象致命错误:\(error)")

  }

  return nil

 }

}

4.ViewController.swift 

具体使用: 

//

// ViewController.swift

// CoreDataDemo

//

// Created by cdmac on 16/9/11.

// Copyright  2016年 pinguo. All rights reserved.

//

import UIKit

let cellIdentifiler = "ReuseCell"

class ViewController: UIViewController {

 @IBOutlet weak var txtNo: UITextField!

 @IBOutlet weak var txtName: UITextField!

 @IBOutlet weak var txtSex: UITextField!

 @IBOutlet weak var txtClassId: UITextField!

 @IBOutlet weak var tableView: UITableView!

 var dataArray:[AnyObject]?

 override func viewDidLoad() {

  super.viewDidLoad()

  // Do any additional setup after loading the view, typically from a nib.

  self.dataArray = Student.fetchObjects(0, pageSize: 20)

  self.tableView.reloadData()

 }

 override func didReceiveMemoryWarning() {

  super.didReceiveMemoryWarning()

  // Dispose of any resources that can be recreated.

 }

 @IBAction func addAction(sender: AnyObject) {

  var dic = [String:String]()

  dic["stuId"] = txtNo.text

  dic["name"] = txtName.text

  dic["sex"] = txtSex.text

  dic["classId"] = txtClassId.text

  if Student.insertObject(dic) {

   print("添加成功")

   self.dataArray = Student.fetchObjects(0,pageSize: 20)

   self.tableView.reloadData()

  }else{

   print("添加失败")

  }

 }

 @IBAction func updateAction(sender: AnyObject) {

  var dic = [String:String]()

  dic["stuId"] = txtNo.text

  dic["name"] = txtName.text

  //dic["sex"] = txtSex.text

  dic["classId"] = txtClassId.text

  if Student.updateObject(dic) {

   print("更新成功")

   self.dataArray = Student.fetchObjects(0,pageSize: 20)

   self.tableView.reloadData()

  }else{

   print("更新失败")

  }

 }

}

extension ViewController:UITableViewDelegate,UITableViewDataSource{

 //表格有多少组

 func numberOfSectionsInTableView(tableView: UITableView) -> Int {

  return 1

 }

 //每组多少行

 func tableView(tableView: UITableView, numberOfRowsInSection section: Int) -> Int {

  if self.dataArray != nil && self.dataArray?.count > 0 {

   return self.dataArray!.count

  }

  return 0

 }

 //高度

 func tableView(tableView: UITableView, heightForRowAtIndexPath indexPath: NSIndexPath) -> CGFloat {

  return 50

 }

 //单元格加载

 func tableView(tableView: UITableView, cellForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCell {

  let cell = tableView.dequeueReusableCellWithIdentifier(cellIdentifiler)

  let stu:Student = self.dataArray![indexPath.row] as! Student

  let label1:UILabel = cell?.contentView.viewWithTag(10001) as! UILabel

  let label2:UILabel = cell?.contentView.viewWithTag(10002) as! UILabel

  var sexStr = "男"

  if stu.sex?.intValue != 1 {

   sexStr = "女"

  }

  label1.text = "\(stu.stuId!) \(stu.name!) \(sexStr) \(stu.classId!)"

  label2.text = "http://xiaopin.cnblogs.com"

  return cell!

 }

 //选中

 func tableView(tableView: UITableView, didSelectRowAtIndexPath indexPath: NSIndexPath) {

 }

 func tableView(tableView: UITableView, canEditRowAtIndexPath indexPath: NSIndexPath) -> Bool {

  return true

 }

 func tableView(tableView: UITableView, commitEditingStyle editingStyle: UITableViewCellEditingStyle, forRowAtIndexPath indexPath: NSIndexPath) {

  if editingStyle == .Delete {

   //获取当前对象

   let student:Student = self.dataArray![indexPath.row] as! Student

   //删除本地存储

   Student.deleteObject(student)

   //刷新数据源

   self.dataArray?.removeAtIndex(indexPath.row)

   //self.dataArray = Student.fetchObjects(0, pageSize: 20)

   //删除单元格

   tableView.deleteRowsAtIndexPaths([indexPath], withRowAnimation: .Automatic)

  }

 }

 func tableView(tableView: UITableView, editingStyleForRowAtIndexPath indexPath: NSIndexPath) -> UITableViewCellEditingStyle {

  return .Delete

 }

 func tableView(tableView: UITableView, titleForDeleteConfirmationButtonForRowAtIndexPath indexPath: NSIndexPath) -> String? {

  return "删除"

 }

}

运行效果图

 

源码下载:CoreDataDemo.zip

以上就是本文的全部内容,希望对大家的学习有所帮助,也希望大家多多支持。

以上是小编为您精心准备的的内容,在的博客、问答、公众号、人物、课程等栏目也有的相关内容,欢迎继续使用右上角搜索按钮进行搜索ios
, 增删改查
coredata
ios coredata 详解、coredata增删改查、coredata详解、swift coredata 详解、coredata详解简书,以便于您获取更多的相关知识。

时间: 2024-09-29 17:56:05

iOS CoreData 增删改查详解_IOS的相关文章

JavaScript对Json的增删改属性详解_javascript技巧

使用JS对Json数据的处理,项目遇到需要对Json数据进行相关操作,比如增删改操作,本以为会比较难,网上搜索下,发现还是比较简单的,贴一段代码: <script type="text/javascript"> var json = { "age":24, "name":"cst" }; //修改Json中的age值,因为Json中存在age属性 json["age"] = 30; alert(

iOS UITableView 与 UITableViewController实例详解_IOS

很多应用都会在界面中使用某种列表控件:用户可以选中.删除或重新排列列表中的项目.这些控件其实都是UITableView 对象,可以用来显示一组对象,例如,用户地址薄中的一组人名. UITableView 对象虽然只能显示一行数据,但是没有行数限制. •编写新的应用程序 JXHomepwner 应用 创建应用,填写基本信息 •UITableViewController UITableView 是视图.我们知道 模型-视图-控制器(Model-View-Controller),他是我们必须遵守的一种

iOS开发之表视图详解_IOS

本文详细介绍了表视图的用法.具体如下: 概述 表视图组成 表视图是iOS开发中最重要的视图,它以列表的形式展示数据.表视图又一下部分组成: 表头视图:表视图最上边的视图 表脚视图:表视图最下边的视图 单元格(cell):表视图中每一行的视图 节(section):由多个单元格组成,应用于分组列表 节头 节脚 表视图的相关类 UITableView继承自UIScrollView,且有两个协议:UITableViewDelegate和UITableViewDataSource.此外UITableVi

IOS中UIWebView的使用详解_IOS

一.初始化与三种加载方式 UIWebView继承与UIView,因此,其初始化方法和一般的view一样,通过alloc和init进行初始化,其加载数据的方式有三种: 第一种: - (void)loadRequest:(NSURLRequest *)request; 这是加载网页最常用的一种方式,通过一个网页URL来进行加载,这个URL可以是远程的也可以是本地的,例如我加载百度的主页: UIWebView * view = [[UIWebView alloc]initWithFrame:self.

iOS开发之手势gesture详解_IOS

前言 在iOS中,你可以使用系统内置的手势识别(GestureRecognizer),也可以创建自己的手势.GestureRecognizer将低级别的转换为高级别的执行行为,是你绑定到view的对象,当发生手势,绑定到的view对象会响应,它确定这个动作是否对应一个特定的手势(swipe,pinch,pan,rotation).如果它能识别这个手势,那么就会向绑定它的view发送消息,如下图 UIKit框架提供了一些预定义的GestureRecognizer.包含下列手势 UITapGestu

IOS实现碎片化动画详解_IOS

碎片化效果图 遮罩视图 在UIView中有一个maskView属性,这个属性是我们今天实现动画的最重要的变量.这个属性在iOS8之后开始使用,用来表示视图的遮罩.什么是遮罩呢?我想了很久都没有找到合适的比喻来介绍这个.简单来说,一个UIView的对象,可以通过设置alpha来改变这个视图的透明度,遮罩的实现效果也是一样的.唯一的差别在于前者是通过修改0~1之间的值来改变透明效果,作为遮罩的视图对象的backgroundColor.alpha.transform等等属性都会影响到被遮盖的视图的透明

iOS百度地图简单使用详解_IOS

百度地图 iOS SDK是一套基于iOS 5.0及以上版本设备的应用程序接口,不仅提供展示地图的基本接口,还提供POI检索.路径规划.地图标注.离线地图.定位.周边雷达等丰富的LBS能力 . 今天主要介绍以下接口 基础地图 POI检索 定位 首先配置环境 1.自动配置.framework形式开发包(使用CocoaPods)<推荐> 2.手动配置.framework形式开发包 特别注意: (API里有很多注意点,大家可以具体去看.但是我说的后两点少其中一个都会失败,第一点是有需求的话,必须加上)

IOS 粒子系统 (CAEmitterLayer)实例详解_IOS

一.系统剖析 在UIKit中,粒子系统由两部分组成: ·      一个或多个CAEmitterCells:发射器电池可以看作是单个粒子的原型(例如,一个单一的粉扑在一团烟雾).当散发出一个粒子,UIKit根据这个发射粒子和定义的基础上创建一个随机粒子.此原型包括一些属性来控制粒子的图片,颜色,方向,运动,缩放比例和生命周期. ·      一个或多个CAEmitterLayers,但通常只有一个:这个发射的层主要控制粒子的形状(例如,一个点,矩形或圆形)和发射的位置(例如,在矩形内,或边缘).

详解Android中一些SQLite的增删改查操作_Android

在Android开发中经常要涉及到对数据的操作.Android本身提供了四种数据存储方式.包括:SharePreference,SQLite,Content Provider,File. 在Android,数据都是么私有的,要实现数据共享,正确方式是使用Content Provider.SQLite: SQLite是一个轻量级的数据库,支持基本SQL语法,是常被采用的一种数据存储方式.Android为此数据库提供了一个名为SQLiteDatabase的类,封装了一些操作数据库的API.Share