ios 获取健康步数,和微信同步

1 首先在开发者中心 添加 HealhtKit

111.png

2 在info.plist里添加授权描述,目前只用到了获取步数的权限。


info.png

** Privacy - Motion Usage Description 允许分享步数,以帮助您记录健康**
** Privacy - Health Update Usage Description 允许更新步数,以帮助您记录健康**
** Privacy - Health Share Usage Description 允许获取步数,以帮助您记录健康**

在xcode中添加


67439ED9-97DA-4802-8432-6367519A6907.png

3 封装的代码 在 HealthKitManager中

//
//  LoginTool.h
//  cztvNewsiPhone
//
//  Created by HeJF on 2023/1/12.
//  Copyright © 2023 cztv. All rights reserved.
//

#import <Foundation/Foundation.h>

NS_ASSUME_NONNULL_BEGIN

@interface HealthKitManager : NSObject

+ (instancetype)shareInstance;
//授权检测
- (void)authorizateHealthKit:(void (^)(BOOL success, NSError *error))resultBlock;

//获取当天健康数据(步数)
- (void)getStepCount:(void (^)(double stepCount, NSError *error))queryResultBlock;

//获取协处理器步数
- (void)getCMPStepCount:(void(^)(double stepCount, NSError *error))completion;
@end

NS_ASSUME_NONNULL_END

//
//  LoginTool.m
//  cztvNewsiPhone
//
//  Created by HeJF on 2023/1/12.
//  Copyright © 2023 cztv. All rights reserved.
//

#import "HealthKitManager.h"
#import <UIKit/UIDevice.h>
#import <HealthKit/HealthKit.h>
#import <CoreMotion/CoreMotion.h>
#import "UIViewController+GetViewController.h"

@interface HealthKitManager ()<UIAlertViewDelegate>

/// 健康数据查询类
@property (nonatomic, strong) HKHealthStore *healthStore;

@property (nonatomic, strong) CMPedometer * pedometer; //步数协处理器类

@property (nonatomic, strong) HKObjectType *hkOType; /**< 获取的权限 */
@property (nonatomic, strong) HKSampleType *hkSType; /**< 获取采样数据类型 */


@end

@implementation HealthKitManager

#pragma mark - 初始化单例对象
static HealthKitManager *_healthManager;
+ (instancetype)shareInstance {
   static dispatch_once_t onceToken;
    dispatch_once(&onceToken, ^{
        if (!_healthManager) {
            _healthManager = [[HealthKitManager alloc]init];
        }
    });
    return _healthManager;
}

#pragma mark - 应用授权检查
- (void)authorizateHealthKit:(void (^)(BOOL success, NSError *error))resultBlock {
     if ([HKHealthStore isHealthDataAvailable]) {
         dispatch_after(dispatch_time(DISPATCH_TIME_NOW, (int64_t)(1.0 * NSEC_PER_SEC)), dispatch_get_main_queue(), ^{
             NSSet *readObjectTypes = [NSSet setWithObjects:[HKObjectType quantityTypeForIdentifier:HKQuantityTypeIdentifierStepCount], nil];
             [self.healthStore requestAuthorizationToShareTypes:nil readTypes:readObjectTypes completion:^(BOOL success, NSError * _Nullable error) {
                 if (resultBlock) {
                     resultBlock(success,error);
                 }
             }];
         });
     }
}
#pragma mark - 获取当天健康数据(步数)
- (void)getStepCount:(void (^)(double stepCount, NSError *error))queryResultBlock {
     MJWeakSelf;
    HKQuantityType *quantityType = [HKQuantityType quantityTypeForIdentifier:HKQuantityTypeIdentifierStepCount];
    HKStatisticsQuery *query = [[HKStatisticsQuery alloc]initWithQuantityType:quantityType quantitySamplePredicate:[self predicateForSamplesToday] options:HKStatisticsOptionCumulativeSum completionHandler:^(HKStatisticsQuery * _Nonnull query, HKStatistics * _Nullable result, NSError * _Nullable error) {
        if (error) {
            [weakSelf getCMPStepCount: queryResultBlock];
        } else {
             //这里的步数是总步数,包含手动录入的,所以要有下面的方法计算出手动录入的再次减去手动录入的
             double stepCount = [result.sumQuantity doubleValueForUnit:[HKUnit countUnit]];
             
             weakSelf.hkSType = [HKSampleType quantityTypeForIdentifier:HKQuantityTypeIdentifierStepCount];
              NSSortDescriptor *startSortDec = [NSSortDescriptor sortDescriptorWithKey:HKPredicateKeyPathStartDate ascending:NO];
             NSSortDescriptor *endSortDec = [NSSortDescriptor sortDescriptorWithKey:HKPredicateKeyPathEndDate ascending:NO];

             HKSampleQuery *hkSQ = [[HKSampleQuery alloc] initWithSampleType:weakSelf.hkSType
                                                                   predicate:[weakSelf predicateForSamplesToday]
                                                                       limit:HKObjectQueryNoLimit
                                                             sortDescriptors:@[startSortDec,endSortDec]
                                                              resultsHandler:^(HKSampleQuery * _Nonnull query, NSArray<__kindof HKSample *> * _Nullable results, NSError * _Nullable error) {
         //        NSLog(@"stepCounts:%@ ---- results:%@ --- error:%@\n", query, results, error);
                 HKUnit *unit = [HKUnit unitFromString:@"count"];// 看返回数据结构,应该这里步数的unit可以通过count字符串来实现。
                 NSInteger allStepsNum = 0; //总数据(不准,只是为了计算手动录入)
                  NSInteger iphoneStepS = 0; //非手动录入数据(不准,只是为了计算手动录入)
                 for (HKQuantitySample *sampM in results) {
                      double allsteps = [sampM.quantity doubleValueForUnit:unit];
                      NSInteger allstepIntegrs = (NSInteger)allsteps;
                      allStepsNum += allstepIntegrs;
                     NSInteger isUserWrite = [sampM.metadata[HKMetadataKeyWasUserEntered] integerValue];
                     if (isUserWrite == 1) { // 用户手动录入的数据。
                     }else {
                          double steps = [sampM.quantity doubleValueForUnit:unit];
                          NSInteger stepIntegrs = (NSInteger)steps;
                          iphoneStepS += stepIntegrs;
                     }
                 }
                  if (queryResultBlock) {
                       //上一步的总数据减去手动录入的数据,就是正确的数据,和微信一致
                      queryResultBlock(stepCount -(allStepsNum - iphoneStepS),nil);
                  }
             }];
             [weakSelf.healthStore executeQuery:hkSQ]; // 执行
        }
    }];
    [self.healthStore executeQuery:query];
}

#pragma mark - 构造当天时间段查询参数
- (NSPredicate *)predicateForSamplesToday {
    NSCalendar *calendar = [NSCalendar currentCalendar];
    NSDate *now = [NSDate date];
    NSDateComponents *components = [calendar components:NSCalendarUnitYear|NSCalendarUnitMonth|NSCalendarUnitDay fromDate:now];
    [components setHour:0];
    [components setMinute:0];
    [components setSecond: 0];
    
    NSDate *startDate = [calendar dateFromComponents:components];
    NSDate *endDate = [calendar dateByAddingUnit:NSCalendarUnitDay value:1 toDate:startDate options:0];
    NSPredicate *predicate = [HKQuery predicateForSamplesWithStartDate:startDate endDate:endDate options:HKQueryOptionNone];
    return predicate;
}

#pragma mark - 获取协处理器步数
- (void)getCMPStepCount:(void(^)(double stepCount, NSError *error))completion
{
    if ([CMPedometer isStepCountingAvailable] && [CMPedometer isDistanceAvailable]) {
        if (!_pedometer) {
            _pedometer = [[CMPedometer alloc]init];
        }
        NSCalendar *calendar = [NSCalendar currentCalendar];
        NSDate *now = [NSDate date];
        NSDateComponents *components = [calendar components:NSCalendarUnitYear|NSCalendarUnitMonth|NSCalendarUnitDay fromDate:now];
        // 开始时间
        NSDate *startDate = [calendar dateFromComponents:components];
        // 结束时间
        NSDate *endDate = [calendar dateByAddingUnit:NSCalendarUnitDay value:1 toDate:startDate options:0];
        [_pedometer queryPedometerDataFromDate:startDate toDate:endDate withHandler:^(CMPedometerData * _Nullable pedometerData, NSError * _Nullable error) {
            if (error) {
                if(completion) completion(0 ,error);
                [self goAppRunSettingPage];
            } else {
                double stepCount = [pedometerData.numberOfSteps doubleValue];
                if(completion)
                    completion(stepCount ,error);
            }
            [_pedometer stopPedometerUpdates];
        }];
    }
}
#pragma mark - 跳转App运动与健康设置页面
- (void)goAppRunSettingPage {
    NSString *appName = [[[NSBundle mainBundle] infoDictionary] objectForKey:@"CFBundleDisplayName"];
    NSString *msgStr = [NSString stringWithFormat:@"请在【设置->%@->%@】下允许访问权限",appName,@"运动与健身"];
    dispatch_async(dispatch_get_main_queue(), ^{
         UIAlertController *alertController = [UIAlertController alertControllerWithTitle:@"" message:msgStr preferredStyle:UIAlertControllerStyleAlert];
         UIAlertAction *sureAction = [UIAlertAction actionWithTitle:@"知道了" style:UIAlertActionStyleDefault handler:nil];
         [alertController addAction:sureAction];
         [[UIViewController currentViewController] presentViewController:alertController animated:true completion:nil];
    });
}
#pragma mark - getter
- (HKHealthStore *)healthStore {
    if (!_healthStore) {
        _healthStore = [[HKHealthStore alloc] init];
    }
    return _healthStore;
}
@end

4 直接调用

- (void)handleInitGetSteps {
     MJWeakSelf;
     [[HealthKitManager shareInstance] authorizateHealthKit:^(BOOL success, NSError *error) { //检测,授权
          [[HealthKitManager shareInstance] getStepCount:^(double stepCount, NSError * _Nonnull error) {
               NSInteger stepIntegrs = (NSInteger)stepCount;
               dispatch_async(dispatch_get_main_queue(), ^{
                    weakSelf.sportLabel.text = [NSString stringWithFormat:@"%ld", (long)stepIntegrs];
               });
          }];
     }];
}
最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 207,248评论 6 481
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 88,681评论 2 381
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 153,443评论 0 344
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 55,475评论 1 279
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 64,458评论 5 374
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 49,185评论 1 284
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 38,451评论 3 401
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 37,112评论 0 261
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 43,609评论 1 300
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 36,083评论 2 325
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,163评论 1 334
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 33,803评论 4 323
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 39,357评论 3 307
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,357评论 0 19
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 31,590评论 1 261
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 45,636评论 2 355
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 42,925评论 2 344

推荐阅读更多精彩内容