什么是bundle?在苹果开发者文档中,有如下解释:
Apple uses bundles to represent apps, frameworks, plug-ins, and many other specific types of content. Bundles organize their contained resources into well-defined subdirectories, and bundle structures vary depending on the platform and the type of the bundle. By using a bundle object, you can access a bundle's resources without knowing the structure of the bundle. The bundle object provides a single interface for locating items, taking into account the bundle structure, user preferences, available localizations, and other relevant factors.
简单概括下,就是:
bundle是一些特定内容的合集,它可以是应用程序,框架,插件等,bundle会将其包含的资源分类整合成合适的目录结构,你在使用的时候不用关心具体结构,只需要使用它提供的简单API就可以了
根据我的理解,bundle其实就相当于一个打包好的资源文件夹,如果你要使用里面的资源,就要用到苹果给我们提供的API来获取。
NSBundle *mainBundle = [NSBundle mainBundle];
在iOS项目中,我们一般用上面的方法获取代表当前可执行程序(executable)的bundle。如果我们项目中包含了自定义的bundle,文件名为MyBundle.bundle
,一般用以下方式获取:
NSBundle *mainBundle = [NSBunlde mainBunlde];
NSString *pathForMyBundle - [mainBunlde pathForResource:@"MyBundle", ofType:@"bundle"];
NSBundle *myBundle = [NSBundle bundleWithPath:pathForMyBundle];
除了这个方法,还有一个bundleForClass:
方法也可以获取bundle:
NSBundle *bundle = [NSBundle bundleForClass:[self class]];
但是和mainBundle
方法不同的是,bundleForClass:
不一定返回当前可执行程序(executable)的bundle。如果传入的class是动态加载的(也就是动态库),那么返回的是代表动态库的bundle。其他情况下,依旧返回当前可执行程序(executable)的bundle。
动态库和静态库的相关介绍这里不做说明了,关键是这两个方法都提到了当前可执行程序(executable),这个executable
究竟是什么?
打开我们的项目设置,在target--build setting--link下,有一个Mach-O Type的设置选项,其中列出了5个待选值:
- Executable
- Dynamic Library
- Bundle
- Static Library
- Relocatable Object File
根据Apple提供的文档:
In OS X, kernel extensions, command-line tools, applications, frameworks, and libraries (shared and static) are implemented using Mach-O (Mach object) files.
翻译过来就是:
在OS X中,内核扩展、命令行工具、应用程序、框架以及库(动态的或静态的)都是用Mach-O(Mach object)文件来实现的。
也就是说,Mach-O其实是OS X系统下若干种编程产品类型的总称。因此,Xcode里面的这个Mach-O Type选项其实指定的是我们想生成的产品类型。
我们知道,在我们编写完代码之后,这些代码文件称为源文件(source code)
。通过编译器(compiler)
,我们可以将源文件变为中间目标文件(intermediate object file)
,最后通过静态链接器(static linker)
,将中间目标文件转化为Mach-O文件
。其中,中间object文件是机器语言形式的(苹果文档里把机器语言汇编器也纳入编译器里)。
而我们的五个选项中:
- Executable 可执行文件,包括应用程序,命令行工具,内核扩展
- Dynamic Library 包括动态库和框架 框架是库和一些其他关联资源的合集 包括图像等 动态库只有在程序启动的时候才会加载 苹果不允许我们使用自定义的动态库
- Bundle 这个bundle和我们之前说的bundle不同,他包含可执行代码,可供程序动态使用。而我们之前说的bundle则是特定资源文件的集合而已。
- Static Library 静态库 在程序构建的时候会将静态库中必要的代码直接拷贝到程序里面 那些不需要的不会被拷贝
- Relocatable Object File 可重定位目标文件 可与其他文件链接的特殊文件
一般来说,我们的项目都是Executable,它们都是应用程序,而我们在编写静态库工程的时候,Mach-O Type会指定为Static Library。
由此可见,当我们使用mainBundle
方法的时候,返回的就是代表我们开发的应用程序的bundle,而使用bundleForClass:
方法的时候,如果传入了动态库的class,则返回代表动态库的bundle,否则返回代表我们应用程序的bundle。
网友评论