85 lines
2.6 KiB
Swift
85 lines
2.6 KiB
Swift
//
|
|
// DraftsManager.swift
|
|
// Tusker
|
|
//
|
|
// Created by Shadowfacts on 10/22/18.
|
|
// Copyright © 2018 Shadowfacts. All rights reserved.
|
|
//
|
|
|
|
import Foundation
|
|
|
|
class DraftsManager: Codable {
|
|
|
|
private(set) static var shared: DraftsManager = load()
|
|
|
|
private static var documentsDirectory = FileManager.default.urls(for: .documentDirectory, in: .userDomainMask).first!
|
|
private static var archiveURL = DraftsManager.documentsDirectory.appendingPathComponent("drafts").appendingPathExtension("plist")
|
|
|
|
static func save() {
|
|
let encoder = PropertyListEncoder()
|
|
let data = try? encoder.encode(shared)
|
|
try? data?.write(to: archiveURL, options: .noFileProtection)
|
|
}
|
|
|
|
static func load() -> DraftsManager {
|
|
let decoder = PropertyListDecoder()
|
|
if let data = try? Data(contentsOf: archiveURL),
|
|
let draftsManager = try? decoder.decode(DraftsManager.self, from: data) {
|
|
return draftsManager
|
|
}
|
|
return DraftsManager()
|
|
}
|
|
|
|
private init() {}
|
|
|
|
var drafts: [Draft] = []
|
|
var sorted: [Draft] {
|
|
return drafts.sorted(by: { $0.lastModified > $1.lastModified })
|
|
}
|
|
|
|
func create(text: String, contentWarning: String?, attachments: [DraftAttachment]) {
|
|
drafts.append(Draft(text: text, contentWarning: contentWarning, lastModified: Date(), attachments: attachments))
|
|
}
|
|
|
|
func remove(_ draft: Draft) {
|
|
let index = drafts.firstIndex(of: draft)!
|
|
drafts.remove(at: index)
|
|
}
|
|
|
|
}
|
|
|
|
extension DraftsManager {
|
|
class Draft: Codable, Equatable {
|
|
let id: UUID
|
|
private(set) var text: String
|
|
private(set) var contentWarning: String?
|
|
private(set) var lastModified: Date
|
|
private(set) var attachments: [DraftAttachment]
|
|
|
|
init(text: String, contentWarning: String?, lastModified: Date, attachments: [DraftAttachment]) {
|
|
self.id = UUID()
|
|
self.text = text
|
|
self.contentWarning = contentWarning
|
|
self.lastModified = lastModified
|
|
self.attachments = attachments
|
|
}
|
|
|
|
func update(text: String, contentWarning: String?, attachments: [DraftAttachment]) {
|
|
self.text = text
|
|
self.contentWarning = contentWarning
|
|
self.lastModified = Date()
|
|
self.attachments = attachments
|
|
}
|
|
|
|
static func ==(lhs: Draft, rhs: Draft) -> Bool {
|
|
return lhs.id == rhs.id
|
|
}
|
|
}
|
|
|
|
struct DraftAttachment: Codable {
|
|
/// The local identifier of the PHAsset for this attachment
|
|
let assetIdentifier: String
|
|
let description: String
|
|
}
|
|
}
|