HKUnit for HKBloodGlucose in HealthKit with Swift - ios

My name is Shak. I'm an iOS developer.
Recently, I started learning HealthKit and after some progress I have a problem which I need some help. Here is my problem:
I've been trying to save blood glucose data to healthKit but I'm getting this error that "Cannot convert value of type 'HKUnit.Type' to expected argument type 'HKUnit'". Here is the code:
let bloodGlucoseQuantity = HKQuantity(unit: HKUnit, doubleValue: Double(bloodGlucose))
func saveBloodGlucoseSample(bloodGlucose: Int, date: Date) {
guard let bloodGlucoseType = HKQuantityType.quantityType(forIdentifier: .bloodGlucose) else {
fatalError("Blood glucose type is not longer available in HealthKit")
}
let bloodGlucoseQuantity = HKQuantity(unit: HKUnit, doubleValue: Double(bloodGlucose))
let bloodGlucoseSample = HKQuantitySample(type: bloodGlucoseType, quantity: bloodGlucoseQuantity, start: date, end: date)
HKStore?.save(bloodGlucoseSample) { success, error in
if let error = error {
print("Error saving blood glucose sample: \(error.localizedDescription)")
} else {
print("Successfully saved blood glucose sample")
}
}
}
If anyone has any experience with HealthKit and specifically with blood glucose type I'll be grateful if you can help me.

let bloodGlucoseQuantity = HKQuantity(unit: HKUnit, doubleValue: Double(bloodGlucose))
You need to use a proper HKUnit instance and not just pass the class. e.g. pass HKUnit(from: "mg/dL") to unit.

I have developed the same application in Xamarin.forms. We have to pass the actual HKUnit instance and not the direct class. In xamarin.forms I have passed
HKUnit.CreateMoleUnit(HKMetricPrefix.Milli,HKUnit.MolarMassBloodGlucose).UnitDividedBy(HKUnit.Liter)
you have to convert this code in swift and you are good to go.!

Related

Swift Apple Health blood glucose

I got access to Apple Health and I'm able to read the glucose data which is in the Simulator.
guard let sampleType = HKSampleType.quantityType(forIdentifier: HKQuantityTypeIdentifier.bloodGlucose) else {
fatalError("*** This method should never fail ***")
}
let query = HKSampleQuery(sampleType: sampleType, predicate: nil, limit: Int(HKObjectQueryNoLimit), sortDescriptors: nil) {
query, results, error in
guard let samples = results as? [HKQuantitySample] else {
// Handle any errors here.
return
}
for sample in samples {
print(sample)
}
I gives me this:
(2020-05-06 19:09:49 +0200 - 2020-05-06 19:09:49 +0200)
7.8 mmol<180.1558800000541>/L 811AACEB-F942-4A48-937B-568AD66E1BDE "Health" (13.3), "iPhone12,3" (13.3)metadata: {
HKWasUserEntered = 1; }
Is there any possibility to only print out the 7.8 mmol?
I didn't find anything in the documents from Apple. Thanks for the help.
sample is a class of type HKQuantitySample. If you print(sample) then it will print the complete class data.
If you want to print only quantity then try printing as below
print(sample.quantity)
I bet you would also need to extract the double value itself out of the quantitiy. Here is a sample code
let unit = HKUnit.gramUnit(with: .milli).unitDivided(by: HKUnit.liter())
let value = sample.quantity.doubleValue(for: unit)
For the source and device of the value you can try this:
let device = sample.device
let sourceRevision = sample.sourceRevision
If you want, you can try out my CocoaPod. It is a wrapper above HealthKit framework to ease the reading/writing operations. Here is the link: https://cocoapods.org/pods/HealthKitReporter

Delete health data that was previous stored from the same app in Swift?

Update Oct 7th
So after I read the answer, I now understand that I need to using query to retrive the data in Health and I try to using with codes:
let deletedType = HKSampleType.quantityType(forIdentifier: HKQuantityTypeIdentifier.dietaryCaffeine)
let predicate = HKQuery.predicateForSamples(withStart: dataDate as Date, end: dataDate as Date, options: .strictStartDate)
let findQuery = HKSampleQuery(sampleType: deletedType!, predicate: predicate, limit: HKObjectQueryNoLimit, sortDescriptors: nil) {
query, results, error in
if results != nil {
print("\nHere we got not nil on results!\n")
for result in (results as? [HKQuantitySample])! {
let quantity = result.quantity.doubleValue(for: HKUnit.gramUnit(with: .milli))
print(quantity)
}
} else {
print("results are nil")
return
}
}
healthKitStore.execute(findQuery)
I didn't do lot in the resultHander block, I firstly want to check what Data I found, and when I pring the quantity, I got noting, but I did get the "Here we got not nil on resluts" which means the results is not nil. I'm fresh to iOS developing and I check the document of HKHealthSample and cannot find which part of my HKSampleQuery wrong!
Original One:
I have an app that writes caffeine data into Health via HealthKit
Here is the save function
func saveCaffeine(_ caffeineRecorded: Double, dataDate: Date) {
// Set the quantity type to the running/walking distance.
let caffeineType = HKQuantityType.quantityType(forIdentifier: HKQuantityTypeIdentifier.dietaryCaffeine)
// Set the unit of measurement to miles.
let caffeineQuantity = HKQuantity(unit: HKUnit.gramUnit(with: .milli), doubleValue: caffeineRecorded)
// Set the official Quantity Sample.
let caffeine = HKQuantitySample(type: caffeineType!, quantity: caffeineQuantity, start: dataDate, end: dataDate)
print("\n to be added: \(caffeine) \n")
// Save the distance quantity sample to the HealthKit Store.
healthKitStore.save(caffeine, withCompletion: { (success, error) -> Void in
if( error != nil ) {
print(error!)
} else {
print("The Caffeine has been recorded! Better go check!")
}
})
}
Then It saved succeddfully, after that I retrive the data when I delete from the table view and pass to another delete function :
func deleteCaffeine(_ caffeineRecorded: Double, dataDate: Date){
let caffeineType = HKQuantityType.quantityType(forIdentifier: HKQuantityTypeIdentifier.dietaryCaffeine)
let caffeineQuantity = HKQuantity(unit: HKUnit.gramUnit(with: .milli), doubleValue: caffeineRecorded)
let coffeeBeenDeleted = HKQuantitySample(type: caffeineType!, quantity: caffeineQuantity, start: dataDate, end: dataDate)
print("\n to be deleted: \(coffeeBeenDeleted) \n")
healthKitStore.delete(coffeeBeenDeleted, withCompletion: {(success, error) -> Void in
if (error != nil) {
print(error!)
} else {
print("This caffeine data just been deleted!")
}
})
}
Then I got the error: Error Domain=com.apple.healthkit Code=3 "Failed to find some objects for deletion."
I using Realm to manage the database, I write the data into it that I can then retrieve it.
When I add it the HQuantitySample been printed is:
to be added: 30 mg (2017-10-06 18:36:25 -0400 - 2017-10-06 18:36:25 -0400)
When I delete the same one, the HQuantitySample been printed is: to be deleted: 30 mg (2017-10-06 18:36:25 -0400 - 2017-10-06 18:36:25 -0400)
As I understand, it should retrieve the same data since the amount and date is all right. Am I misunderstand anything about delete in HealthKit
You can't delete an HKQuantitySample that was previously saved by constructing a new HKQuantitySample that has similar properties. If there were two caffeine samples in HealthKit with the same start date, end date, and quantity which one would you expect HealthKit to delete? Each HKObject is unique and to delete an object you must first find it using a query and then pass the object you got from the query to delete().
You need to define your specific key in HKMetadataKeySyncIdentifier before you save your data to apple health. And then, you can use HKMetadataKeySyncIdentifier to delete specific health data.
You can try my answer:
https://stackoverflow.com/a/69624769/8094919

Create new HKQuantityType

I've read in some pages that you can add custom samples to HealthKit in order to have another measurements saved.
In my case, I want to add accelerometer data from the apple watch to HealthKit.
This is my code
func saveSample(data:Double, date:NSDate ) {
let dataType = HKQuantityType.quantityType(forIdentifier: HKQuantityTypeIdentifier.init(rawValue: "acc"))
let dataQuantity = HKQuantity(unit: HKUnit.init(from: "m/s^2"), doubleValue: data)
let dataSample = HKQuantitySample(type: dataType!, quantity: dataQuantity, start: date as Date, end: date as Date)
healthKitStore.save(dataSample, withCompletion: { (success, error) -> Void in
if( error != nil ) {
print("Error saving sample:")
} else {
print("Sample saved successfully!")
}
})
}
I want to add a sample called "acc" (in a normal case one example of this could be "bloodPreasure") with unit "m/s^2".
I get nil on dataType, so then I get this Error on let dataSample = HKQuantitySample(type: dataType!, quantity: dataQuantity, start: date as Date, end: date as Date) line, because dataType is nil.
fatal error: unexpectedly found nil while unwrapping an Optional value
Any ideas,How to implement this? Thank u all!
I believe for HKQuantityType.quantityType(forIdentifier: we need to provide identifier provided by apple like HKQuantityTypeIdentifier.bodyTemperature. And then only it will return an object of quantityType.
So you are getting nil in dataType.
And I believe we can't create new HKQuantityType because health store will have to save it too, and that part is not in our control.

iOS : Developing for HealthKit, DOB, Height etc coming back as nil

So, I have been tasked with learning HealthKit, seems fairly straight forward. Started building my own app, can get steps etc. However I can't get date of birth, sex, etc. They are always returned as nil
I then downloaded Apple's sample app Fit, again comes back with nothing.
I have authorised both apps and created a medical id in health I am based in the UK? is it a us only thing?
func readProfile() -> ( age:Int?, biologicalsex:HKBiologicalSexObject?, bloodtype:HKBloodTypeObject?)
{
var error:NSError?
var age:Int?
// 1. Request birthday and calculate age
if let birthDay = healthKitStore.dateOfBirthWithError(&error)
{
let today = NSDate()
let calendar = NSCalendar.currentCalendar()
let differenceComponents = NSCalendar.currentCalendar().components(.YearCalendarUnit, fromDate: birthDay, toDate: today, options: NSCalendarOptions(0) )
age = differenceComponents.year
}
if error != nil {
println("Error reading Birthday: \(error)")
}
// 2. Read biological sex
var biologicalSex:HKBiologicalSexObject? = healthKitStore.biologicalSexWithError(&error);
if error != nil {
println("Error reading Biological Sex: \(error)")
}
// 3. Read blood type
var bloodType:HKBloodTypeObject? = healthKitStore.bloodTypeWithError(&error);
if error != nil {
println("Error reading Blood Type: \(error)")
}
// 4. Return the information read in a tuple
return (age, biologicalSex, bloodType)
}
Configuring Medical ID does not populate values for any HealthKit types. Try setting values for each type using the Health Data tab in the Health app.

What does CMErrorDomain error 103. mean? (CMPedometer)

I'm struggling totally to get CMPedometer to return any step data. However Iconfigure I get Error Domain=CMErrorDomain Code=103 "The operation couldn’t be completed. (CMErrorDomain error 103.)"
I'm using swift and have broken down the queryPedometerDataFromDate query to be as simple as possible.
let pedometer = CMPedometer()
let fromDateString = "2015-01-22"
let toDateString = "2015-01-23"
let dateFormatter = NSDateFormatter()
dateFormatter.dateFormat = "YYYY-MM-DD"
let fromDate = dateFormatter.dateFromString(fromDateString)
let toDate = dateFormatter.dateFromString(toDateString)
pedometer.queryPedometerDataFromDate(fromDate, toDate: toDate) { (data:CMPedometerData!, error:NSError!) -> Void in
if error == nil {
println(data)
} else {
println(error)
}
}
I've enabled motion detection for my app, and have no problem getting similar data out of HealthKit.
I must be missing something simple, but I can't see what it is!
Ok, so after another day of research. You have to have the CMPedometer object as a global variable for your class. If it's defined as a local variable like in the question it won't work. Simply adding let pedometer = CDPedometer() at the class level will fix this issue.

Resources