In Core Data, you are able to use ValueTransformer
to transform individual attributes to/from core data. This would be useful in cases like encrypting/decrypting certain attributes when storing/fetching from managed context.
Is there a similar way with SwiftData? I would like to save my data encrypted but have it decrypted in my @Query
variable.
I need this for iOS.
Here is an example of using ValueTransformer
via core data (credit: https://www.avanderlee.com/swift/valuetransformer-core-data/):
override public func transformedValue(_ value: Any?) -> Any? {
guard let color = value as? UIColor else { return nil }
do {
let data = try NSKeyedArchiver.archivedData(withRootObject: color, requiringSecureCoding: true)
return data
} catch {
assertionFailure("Failed to transform `UIColor` to `Data`")
return nil
}
}
override public func reverseTransformedValue(_ value: Any?) -> Any? {
guard let data = value as? NSData else { return nil }
do {
let color = try NSKeyedUnarchiver.unarchivedObject(ofClass: UIColor.self, from: data as Data)
return color
} catch {
assertionFailure("Failed to transform `Data` to `UIColor`")
return nil
}
}
The suggestion in the comment from @joakim-danielson worked beautifully :)
Essentially it is Core Data's
ValueTransformer
hooked into SwiftData. The below example converts betweenDate
andString
.This is the SwiftData model
Item
:This is the
ValueTransformer
subclass, which persists the date as an encoded string:In order to demonstrate how to pass dynamic values to the
ValueTransformer
, this snippet registers an instance ofDateValueTransformer
with a customrandomKey
:When storing an instance of
Item
through SwiftData, you will get the following console output:It shows that our custom
randomKey
is also working.