iOS 中模块化开发可以很好的解耦系统中的各个子模块,从而使系统的结构层次清晰明了,并提升了开发效率。本文重点聊聊使用 CocoaPods 进行模块化开发中的资源管理。
使用 Asset catalogs 的必要性
在一般情况下,App Store 和操作系统会优化应用程序的安装。苹果会根据用户的设备和操作系统对安装的 app 进行一定程度的定制。这种优化可以使 App 在该设备上的使用内存达到最小。这种优化定制叫做 App Thinning.
App Thinning 的原理就是苹果会根据目标设备和操作系统对 app 内的资源进行切割(slicing)。切割后的 Bundle 资源包称之为 App Bundle 的一个变体(variant)。
App Thinning 中的一个重要的过程就是对 App Bundle 内图片的优化。谈到对图片的优化就必须提到 Asset catalogs。
Asset catalogs 是苹果推荐的一种图片管理方式。在 Asset catalogs 内可以创建多个 image set。每个 image set 代表一张或多张图片,例如我们熟知的 name@1x
,name@2x
,name@3x
。使用 Asset catalogs 管理图片的应用在编译时图片会被压缩。App 在安装时,苹果后台在 App Thinning 过程中会根据目标设备屏幕比例(scale)来选择图片。比如在 @3x
的设备上不需要加载安装 @1x
和 @2x
的图片,从而达到减小包大小的目的。
只有通过 Asset catalogs 方式管理的图片才可以做到这样的优化,其他零散分布在 Bundle 内的图片则不会享受到苹果的优化。所以通过 Asset catalogs 来管理图片是必要的。
resources 和 resource_bundles
CocoaPods 提供了两种资源管理方式,分别是 resources
和 resource_bundles
。下面分别来讲讲这两种资源管理方式。
resources
若用 resources
方式管理资源文件,我们通常会在 .podspec
文件中这样写:
spec.resources = ['Images/*.png', 'Sounds/*']
通过这种这种方式管理的资源文件(不论是图片、音频文件还是 xib 文件),Cocoapods 会将它们直接拷贝至 App 的 target bundle (Bundle.main
),而此时所有资源文件零散分布在包内,苹果无法对它们做任何优化。
虽然这种方式简单明了,但是通过这种方式管理的资源容易导致重名问题。CocoaPods 强烈推荐使用第二种 resource_bundles
方式管理资源。
resource_bundles
为了将 Pod 构建为静态库,CocoaPods 强烈建议使用这种方式管理资源,因为它可以减少使用 resources
带来的资源文件重名问题。以下是 CocoaPods 官方的原话:
For building the Pod as a static library, we strongly recommend library developers to adopt resource bundles as there can be name collisions using the resources attribute. Moreover, resources specified with this attribute are copied directly to the client target and therefore they are not optimised by Xcode.
我们通常会这样写:
spec.resource_bundle = {
'ImageModule' => ['ImageModule/Assets/**/*']
}
若通过这种方式管理,CocoaPods 会为子模块创建一个 ImageModule.bundle
。所有的资源文件都在 Bundle
内被管理。每个子模块内的文件 Pod 采用哈希的方式进行匹配。key
为 Bundle
的名字,值为后面包含的文件。所以该属性可以最大的避免资源重名问题。
注意:不可同时使用
resources
和resource_bundles
。若同时使用将在Bundle.main
和Submodule.bundle
下各自创建一份资源文件。
resource_bundles + Asset catalogs
通过 resource_bundles + Asset catalogs
的方式我们可以最大程度的优化包大小。
图片的加载方式
上文说过,若采用 resources
方式管理资源,资源零散分布在 Bundle.main
中,苹果不对其做任何优化,所以我们直接可以采用以下方式加载图片。
imageView.image = UIImage(named: "arrow_down")!
若采用 resource_bundle
来管理资源,若要加载指定资源我们必须指定 Bundle
。
imageView.image = UIImage(named: "arrow_down", in: #SubBundle#, compatibleWith: nil)
由于苹果会自动根据设备屏幕比例为我们下载对应尺寸的图片,所以在 resource_bundle
下我们不必显式指定图片尺寸。