四、Core ML模型的热更新

关键词:
Core ML,热更新,动态部署,动态加载

《二、使用Core ML加载.mlmodel模型文件》中我们介绍了如何加载并使用.mlmodel模型文件,但是这里是在coding阶段,将模型文件加入到项目中的,这里存在一些问题:

  • 模型文件动辄几十兆,这将增加安装包的大小
  • 很多模型会被在线数据不停的训练,参数经常发生变化,每次跟新都要打一个包发版,这是非常麻烦的事情

于是我们想:mlmodel文件,能不能通过下载的方式加载到项目中呢?为了解决这个问题,我们需要做两件事情:

  1. mlmodel文件,要以下载的方式获取;
  2. 我们需要自己生成模型对应的类;

本文将探索如何达成此目的。

本文中会将mlmodel以资源文件的形式加入到项目中,以此模拟下载。另外,请首先阅读《二、使用Core ML加载.mlmodel模型文件》

一、准备一个Core ML模型

Core ML模型文件一般以.mlmodel作为后缀,我们可以通过很多途径获得一个已经训练好的模型,最直接的方式,就是从苹果官网上直接下载。

二、查看.mlmodel对应的类

首先,我们将一个mlmodel模型拖到项目中,然后查看对应类的头文件(具体请参考《二、使用Core ML加载.mlmodel模型文件》)。

在头文件任意位置右击鼠标,点击Show in Finder,我们可以看到一对文件,我们把它们加入到项目中来。

打开m文件,我们找到他的init方法以及init方法中调用的一个类方法:

+ (NSURL *)urlOfModelInThisBundle {
    NSString *assetPath = [[NSBundle bundleForClass:[self class]] pathForResource:@"MobileNet" ofType:@"mlmodelc"];
    return [NSURL fileURLWithPath:assetPath];
}

- (nullable instancetype)init {
        return [self initWithContentsOfURL:self.class.urlOfModelInThisBundle error:nil];
}

三、模型编译

我们注意到,这里的type是一个mlmodelc文件,这个c是什么意思呢?我们可以看一下苹果官方的这篇文档:

https://developer.apple.com/documentation/coreml/mlmodel/2921516-compilemodelaturl?language=objc

也就是说,mlmodel文件,是要首先被编译成mlmodelc文件,才可以被加载的。那么,我们的思路就很清晰了,我们只需要做如下几件事情:

  1. 从服务器上获取最新的.mlmodel模型文件,存到本地沙盒中。
  2. 使用compileModelAtURL:error:方法,编译mlmodel文件,并获得mlmodelc文件的路径URL。
  3. 自己写一个模型类,来封装一些方法,比如我们可以直接将之前自动生成的类拷贝过来即可,如果对Coding Style有要求的同学可以自行修改一下命名。
  4. 使用initWithContentsOfURL:error:方法初始化模型类并使用他进行预测。

有英文阅读能力的同学,也可以看这篇苹果的官方介绍。值得注意的是,这边官方介绍中提到:

To limit the use of bandwidth, avoid repeating the download and compile processes when possible. The model is compiled to a temporary location. If the compiled model can be reused, move it to a permanent location, such as your app's support directory.

compileModelAtURL:error:方法会将编译后的文件存储到临时文件夹中,如果希望编译后的文件被复用,可以将其移动到持久化存储的文件夹中。文中还给出了一段示例代码:

// find the app support directory
let fileManager = FileManager.default
let appSupportDirectory = try! fileManager.url(for: .applicationSupportDirectory,
        in: .userDomainMask, appropriateFor: compiledUrl, create: true)
// create a permanent URL in the app support directory
let permanentUrl = appSupportDirectory.appendingPathComponent(compiledUrl.lastPathComponent)
do {
    // if the file exists, replace it. Otherwise, copy the file to the destination.
    if fileManager.fileExists(atPath: permanentUrl.absoluteString) {
        _ = try fileManager.replaceItemAt(permanentUrl, withItemAt: compiledUrl)
    } else {
        try fileManager.copyItem(at: compiledUrl, to: permanentUrl)
    }
} catch {
    print("Error during copy: \(error.localizedDescription)")
}

接下来,让我们尝试完成Demo。

四、准备服务器

首先我们需要准备一个可供下载MobileNet.mlmodel的服务器,我是借助于http-server,用自己的电脑提供MobileNet.mlmodel的下载。这一步大家就各凭本事,自由发挥了。

五、准备一个iOS项目

同样,大家可以自己创建一个项目,或者直接clone我的初始项目:

git clone git@github.com:yangchenlarkin/CoreML.git

我们需要在DynamicLoading/DLViewController.m文件最末的download方法中添加代码,完成模型下载和编译,并将编译后的mlmodelc文件,移动到documents文件夹中。

然后在ObjectRecognition/ORViewController.m最末的predict中加载mlmodelc文件,并完成预测。

六、下载并编译模型文件

首先打开DynamicLoading/DLViewController.m文件,添加如下代码:

#import <CoreML/CoreML.h>

在最末实现download函数:


- (void)download {
    NSData *data = nil;
    //下载数据,下载链接请替换成自己的
    NSURL *url = [NSURL URLWithString:@"http://192.168.31.121:8080/MobileNet.mlmodel"];
    data = [NSData dataWithContentsOfURL:url];
    
    //我们暂时就将文件存储到存到临时文件夹中吧
    NSString *tmpPath = NSTemporaryDirectory();
    NSString *tmpModelPath = [tmpPath stringByAppendingPathComponent:@"MobileNet.mlmodel"];
    [data writeToFile:tmpModelPath atomically:YES];
    
    //编译文件
    NSError *error = nil;
    NSURL *tmpModelcPathURL = [MLModel compileModelAtURL:[NSURL fileURLWithPath:tmpModelPath] error:nil];
    if (error) {
        NSLog(@"%@", error);
        return;
    }
    
    //拷贝文件到Document文件夹
    NSString *docPath = [NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES) firstObject];
    NSString *docModelcPath = [docPath stringByAppendingPathComponent:@"MobileNet.mlmodelc"];
    
    NSFileManager *fileManager = [NSFileManager defaultManager];
    [fileManager moveItemAtURL:tmpModelcPathURL toURL:[NSURL fileURLWithPath:docModelcPath] error:&error];
    if (error) {
        NSLog(@"%@", error);
        return;
    }
}

七、编写模型类

我们可以直接使用二、查看.mlmodel对应的类中找到的MobileNet类,也可以自己重新写一个,我这里将直接使用这个类:

MobileNet类

八、读取mlmodelc文件并完成预测

打开ObjectRecognition/ORViewController.m文件,首先你需要引入MobileNet类:

#import "MobileNet.h"

然后参考《二、使用Core ML加载.mlmodel模型文件》添加图像处理代码:

#pragma mark - predict

- (UIImage *)scaleImage:(UIImage *)image size:(CGFloat)size {
    UIGraphicsBeginImageContextWithOptions(CGSizeMake(size, size), YES, 1);
    
    CGFloat x, y, w, h;
    CGFloat imageW = image.size.width;
    CGFloat imageH = image.size.height;
    if (imageW > imageH) {
        w = imageW / imageH * size;
        h = size;
        x = (size - w) / 2;
        y = 0;
    } else {
        h = imageH / imageW * size;
        w = size;
        y = (size - h) / 2;
        x = 0;
    }
    
    [image drawInRect:CGRectMake(x, y, w, h)];
    UIImage * scaledImage = UIGraphicsGetImageFromCurrentImageContext();
    UIGraphicsEndImageContext();
    return scaledImage;
}

- (CVPixelBufferRef)pixelBufferFromCGImage:(CGImageRef)image {
    NSDictionary *options = @{
                              (NSString *)kCVPixelBufferCGImageCompatibilityKey : @YES,
                              (NSString *)kCVPixelBufferCGBitmapContextCompatibilityKey : @YES,
                              (NSString *)kCVPixelBufferIOSurfacePropertiesKey: [NSDictionary dictionary]
                              };
    CVPixelBufferRef pxbuffer = NULL;
    
    CGFloat frameWidth = CGImageGetWidth(image);
    CGFloat frameHeight = CGImageGetHeight(image);
    
    CVReturn status = CVPixelBufferCreate(kCFAllocatorDefault,
                                          frameWidth,
                                          frameHeight,
                                          kCVPixelFormatType_32ARGB,
                                          (__bridge CFDictionaryRef) options,
                                          &pxbuffer);
    
    NSParameterAssert(status == kCVReturnSuccess && pxbuffer != NULL);
    
    CVPixelBufferLockBaseAddress(pxbuffer, 0);
    void *pxdata = CVPixelBufferGetBaseAddress(pxbuffer);
    NSParameterAssert(pxdata != NULL);
    
    CGColorSpaceRef rgbColorSpace = CGColorSpaceCreateDeviceRGB();
    
    CGContextRef context = CGBitmapContextCreate(pxdata,
                                                 frameWidth,
                                                 frameHeight,
                                                 8,
                                                 CVPixelBufferGetBytesPerRow(pxbuffer),
                                                 rgbColorSpace,
                                                 (CGBitmapInfo)kCGImageAlphaNoneSkipFirst);
    NSParameterAssert(context);
    CGContextConcatCTM(context, CGAffineTransformIdentity);
    CGContextDrawImage(context, CGRectMake(0,
                                           0,
                                           frameWidth,
                                           frameHeight),
                       image);
    CGColorSpaceRelease(rgbColorSpace);
    CGContextRelease(context);
    
    CVPixelBufferUnlockBaseAddress(pxbuffer, 0);
    
    return pxbuffer;
}

最后实现predict方法:


- (void)predict:(UIImage *)image {
    //获取input
    UIImage *scaleImage = [self scaleImage:image size:224];
    CVPixelBufferRef buffer = [self pixelBufferFromCGImage:scaleImage.CGImage];
    
    //读取沙盒中的mlmodelc文件
    NSString *docPath = [NSSearchPathForDirectoriesInDomains(NSDocumentDirectory, NSUserDomainMask, YES) firstObject];
    NSString *docModelcPath = [docPath stringByAppendingPathComponent:@"MobileNet.mlmodelc"];
    NSURL *url = [NSURL fileURLWithPath:docModelcPath];
    NSError *error = nil;
    MobileNet *model = [[MobileNet alloc] initWithContentsOfURL:url error:&error];
    if (error) {
        NSLog(@"%@", error);
        return;
    }
    
    //predict
    MobileNetOutput *output = [model predictionFromImage:buffer error:&error];
    if (error) {
        NSLog(@"%@", error);
        return;
    }
    
    //显示
    NSMutableArray *result = [NSMutableArray arrayWithCapacity:output.classLabelProbs.count + 1];
    [result addObject:@[@"这张图片可能包含:", output.classLabel]];
    [output.classLabelProbs enumerateKeysAndObjectsUsingBlock:^(NSString * _Nonnull key, NSNumber * _Nonnull obj, BOOL * _Nonnull stop) {
        NSString *title = [NSString stringWithFormat:@"%@的概率:", key];
        [result addObject:@[title, obj.stringValue]];
    }];
    self.array = result;
}

至此,可以运行项目,并尝试拍照识别物体了!

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

推荐阅读更多精彩内容