CoreData,在表格视图中显示保存的旅程

时间:2019-04-29 13:46:42

标签: ios swift core-data

我正在尝试在表格视图中显示健身风格应用中记录的所有旅程的列表,以显示每个旅程的距离(布尔值)和日期(时间戳记)。

此刻,我刚刚创建了一个变量,以包含来自核心数据文件的旅程。当我打印出tripsArrays时,即使有记录的旅程,控制台中它也会显示0。

import UIKit
import CoreData

class SavedJourneysViewController: UITableViewController {

    var journeyArray: [Journey] = []

    override func viewDidLoad() {
        super.viewDidLoad()

        // Do any additional setup after loading the view.
    }

    override func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
        print(journeyArray.count)
        return journeyArray.count

    }

    override func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
        let cell = tableView.dequeueReusableCell(withIdentifier: "JourneyItem", for: indexPath)
        return cell

    }

1 个答案:

答案 0 :(得分:0)

如果Journey是您的NSManagedObject子类,则应使用NSFetchedResultsController来获取持久对象。

您的SavedJourneysViewController必须具有对NSManagedObjectContext实例的引用,您将使用该实例来获取Journey对象。假设您在viewContext中拥有NSManagedObjectContext类型的SavedJourneysViewController属性,无论您初始化SavedJourneysViewController的位置是从外部设置的。

您需要在fetchedResultsController中声明一个SavedJourneysViewController

private lazy var fetchedResultsController: NSFetchedResultsController<Journey> = {
    let fetchRequest: NSFetchRequest< Journey > = Journey.fetchRequest()
    let sortDescriptor = NSSortDescriptor(keyPath: \Journey.date, ascending: true)
    fetchRequest.sortDescriptors = [sortDescriptor]
    let fetchedResultsController = NSFetchedResultsController(fetchRequest: fetchRequest, managedObjectContext: viewContext, sectionNameKeyPath: nil, cacheName: nil)
    return fetchedResultsController
}()

然后通过调用viewDidLoadtry? fetchedResultsController.performFetch()中执行抓取:

然后在numberOfRowsInSection中返回fetchedResultsController.sections?[section].objects?.count ?? 0

func tableView(_ tableView: UITableView, numberOfRowsInSection section: Int) -> Int {
    return fetchedResultsController.sections?[section].objects?.count ?? 0
}

不要忘记实现func numberOfSections(in tableView: UITableView) -> Int并返回fetchedResultsController.sections?.count ?? 0

func numberOfSections(in tableView: UITableView) -> Int {
    return fetchedResultsController.sections?.count ?? 0
}

cellForRowAt中,使用Journey对象配置单元格:

func tableView(_ tableView: UITableView, cellForRowAt indexPath: IndexPath) -> UITableViewCell {
    let cell = let cell = tableView.dequeueReusableCell(withIdentifier: "JourneyItem", for: indexPath)
    guard let journey = fetchedResultsController.sections?[indexPath.section].objects?[indexPath.row] as? Journey else {
        return cell
    }
    // handle cell configuration
    cell.textLabel?.text = String(journey.distance)
    return cell
}

有关将NSFetchedResultsControllerUITableViewController结合使用的详细信息-