Files
IYmtg/IYmtg_App_iOS/Services/CoreML/ModelManager.swift
Mike Wichers 13753359b3 fix: Resolve all audit issues from project readiness review
Blockers:
- IYmtgTests: replace ScannerViewModel() (no-arg init removed) with CollectionViewModel() in testViewModelFiltering and testPortfolioCalculation
- IYmtgTests: fix property access — scannedList, librarySearchText, filteredList, portfolioValue all live on CollectionViewModel, not ScannerViewModel; inject test data after async init settles

Major:
- ContentView: update .onChange(of:) to two-parameter closure syntax (iOS 17 deprecation)
- ModelManager: add missing import FirebaseCore so FirebaseApp.app() resolves explicitly
- CollectionViewModel.deleteCard: call CloudEngine.delete(card:) to remove Firebase entry when a card is deleted (prevents data accumulation)
- CloudEngine: remove never-called batchUpdatePrices() — full backup already handled by backupAllToFirebase()

Minor:
- CardDetailView: move to Features/CardDetail/CardDetailView.swift; remove from ContentView.swift
- Delete PersistenceActor.swift placeholder (superseded by PersistenceController.swift)
- AppConfig.validate(): broaden placeholder-email guard to catch empty strings and common fake domains
- ModelManager: document OTA restart requirement in code comment

Co-Authored-By: Claude Sonnet 4.6 <noreply@anthropic.com>
2026-03-05 20:22:45 -05:00

81 lines
4.0 KiB
Swift

import CoreML
import Vision
import FirebaseCore
import FirebaseStorage
struct SharedEngineResources {
static let context = CIContext()
}
// MARK: - MODEL MANAGER (OTA Updates)
// Downloads updated .mlmodel files from Firebase Storage and compiles them to Documents/models/.
// IMPORTANT: Each engine (FoilEngine, ConditionEngine, etc.) loads its model via a `static var`
// that is evaluated once at class-load time. A downloaded update will NOT take effect until the
// app is restarted. Inform users via release notes when a model update has been pushed OTA.
class ModelManager {
static let shared = ModelManager()
private let defaults = UserDefaults.standard
func getModel(name: String) -> VNCoreMLModel? {
// 1. Check Documents (Downloaded Update)
if let docDir = FileManager.default.urls(for: .documentDirectory, in: .userDomainMask).first {
let modelURL = docDir.appendingPathComponent("models/\(name).mlmodelc")
if FileManager.default.fileExists(atPath: modelURL.path),
let model = try? MLModel(contentsOf: modelURL),
let vnModel = try? VNCoreMLModel(for: model) {
return vnModel
}
}
// 2. Check Bundle (Built-in Fallback)
if let bundleURL = Bundle.main.url(forResource: name, withExtension: "mlmodelc"),
let model = try? MLModel(contentsOf: bundleURL),
let vnModel = try? VNCoreMLModel(for: model) {
return vnModel
}
return nil
}
func checkForUpdates() {
guard FirebaseApp.app() != nil else { return }
let models = ["IYmtgFoilClassifier", "IYmtgConditionClassifier", "IYmtgStampClassifier", "IYmtgSetClassifier"]
for name in models {
let ref = Storage.storage().reference().child("models/\(name).mlmodel")
ref.getMetadata { meta, error in
guard let meta = meta, let remoteDate = meta.updated else { return }
let localDate = self.defaults.object(forKey: "ModelDate_\(name)") as? Date ?? Date.distantPast
if remoteDate > localDate {
let tempURL = FileManager.default.temporaryDirectory.appendingPathComponent("\(name).mlmodel")
ref.write(toFile: tempURL) { url, error in
guard let url = url else { return }
DispatchQueue.global(qos: .utility).async {
do {
let compiledURL = try MLModel.compileModel(at: url)
let docDir = FileManager.default.urls(for: .documentDirectory, in: .userDomainMask)[0].appendingPathComponent("models")
try FileManager.default.createDirectory(at: docDir, withIntermediateDirectories: true)
let destURL = docDir.appendingPathComponent("\(name).mlmodelc")
let tempDestURL = docDir.appendingPathComponent("temp_\(name).mlmodelc")
try? FileManager.default.removeItem(at: tempDestURL)
try FileManager.default.copyItem(at: compiledURL, to: tempDestURL)
if FileManager.default.fileExists(atPath: destURL.path) {
_ = try FileManager.default.replaceItem(at: destURL, withItemAt: tempDestURL, backupItemName: nil, options: [])
} else {
try FileManager.default.moveItem(at: tempDestURL, to: destURL)
}
self.defaults.set(remoteDate, forKey: "ModelDate_\(name)")
print("✅ OTA Model Updated: \(name)")
} catch {
print("❌ Model Update Failed for \(name): \(error)")
}
}
}
}
}
}
}
}