Xcodeproj模块
CocoaPods修改project.pbxproj改变工程配置用到的一个ruby模块,可以说是CocoaPods的心脏模块。。现在借助这个模块的官方文档,根据它提供的一些API,阔以写一些ruby脚本,扩展CocoaPods很多不足,具体怎么玩,看个人。。。。Xcodeproj模块官方文档地址
1.post_install里面通过install参数获取pods文件夹路径
# pods文件夹位于xcodeproj同级目录
post_install do |installer|
sandbox_root = Pathname(installer.sandbox.root)
puts sandbox_root //打印
end
2.通过install参数获取所有在podfile指定的要依赖安装的库名字
post_install do |installer|
pod_names = installer.pod_targets.map { |t| t.pod_name }
#判断是否安装了某个库
if pod_names.include?('oneLib') // 是否安装了叫oneLib的库
end
end
3.得到xcodeproj文件路径
#这句代码写到podfile文件才有效:Pathname.pwd(指的就是当前文件所在路径)
project_path = Pathname.pwd.children.select { |pn| pn.extname == '.xcodeproj' }.first
puts "Main Target xcodeproj path: #{project_path}"
4.得到pods工程所有的target
pod install后CocoaPods会创建一个名字叫Pods的工程,这个工程会根据podfile指定的依赖库一一创建一个target,外加一个"pod-原工程名字”的target,如果想要得到这些target:
post_install do |installer|
installer.pods_project.targets
end
注意得到的是一个数组,里面装的对象是PBXNativeTarget,详见Class: Xcodeproj::Project::Object::PBXNativeTarget
5.从target(PBXNativeTarget)对象得到所有的build_configurations(也就是工程设定不同的运行模式如debug,release)每一个模式对应一个buildConfiguration对象:
target.build_configurations
详见Class: Xcodeproj::Project::Object::XCBuildConfiguration
6.得到原项目工程的target
注意,上面的第四条是得到pod install后CocoaPods生成的Pods工程的targets, 现在讲如何如何得到项目本身的原工程的target:
#找到工程xcodeproj文件路径
project_path = main_proj_path.children.select { |pn| pn.extname == '.xcodeproj' }.first
#根据xcodeproj路径创建一个 Xcodeproj::Project 对象
xcproj_objc = Xcodeproj::Project.open(project_path)
#利用xcproj_objc对象的targets属性得到PBXNativeTarget数组,同上第四条结果
xcproj_objc.targets
做一个实战演练,利用上面的api把工程的第一个target的BuildSettings的HEADER_SEARCH_PATHS增加一个$(inherited)选项:
#得到主工程第一个target对象
project_path = main_proj_path.children.select { |pn| pn.extname == '.xcodeproj' }.first
xcproj_objc = Xcodeproj::Project.open(project_path)
firstTarget = xcproj_objc.targets.first
mainTarget.build_configurations.each do |config|
puts "Add inherited Bahavior for some build_settings items for #{config.name}"
headerPaths = config.build_settings['HEADER_SEARCH_PATHS']
if headerPaths && !headerPaths.include?('$(inherited)') #如果原来不存在'$(inherited)',再添加
headerPaths.push('$(inherited)')
end
xcproj_objc.save #非常重要!!!更改完成设置后一定要调用save方法
end
7.post_install里面通过install得到所有pod库的依赖资源
每一个pod库在podspec填写的resources选项,为了指明别人想要用这个库,需要额外依赖的资源,图片,音频,视频等等。
那么如何在pod install后得到所有的这些资源的路径:(至于有什么用?可以写压缩处理脚本??怎么都行看自己实际需要)
post_install do |installer|
all_resources = []
installer.pod_targets.each { |t| all_resources += t.resource_paths }
#all_resources数组就装了所有库的依赖资源,但是都是以${PODS_ROOT}开头的,需要再处理一下
#把得到的资源文件路径里面的"${PODS_ROOT}"替换成真实的Pods文件夹路径
pod_dir = "#{installer.sandbox.root}"
all_resources = all_resources.map { |r| r.gsub('${PODS_ROOT}', pod_dir) }
end
未完待续。。。