Creating your first iOS Framework

转自:https://robots.thoughtbot.com/creating-your-first-ios-framework

If you’ve ever tried to create your own iOS framework, you know that it’s not for the faint of heart – managing dependencies and writing tests doesn’t make it any easier. This tutorial will walk you through creating your first iOS framework from start to finish so that you can go out and create your own.

We’re going to build a framework that exposes a function calledRGBUIColor(red:green:blue) that returns a new UIColor created from those values. We’ll build it using Swift, with Carthage as our dependency manager. Our framework will be consumable using Carthage, CocoaPods, or git submodules.

Let’s begin!

Setting up the Xcode Project

  • Select File → New → Project.
  • Select iOS → Framework & Library from the left sidebar and select “Cocoa Touch Library” on the right.
  • Click “Next” and fill in the option prompts. Make sure to select the “Include Unit Tests” check box.

  • Select where you’d like to save your project.
  • Uncheck “Create Git repository on My Mac”, we’ll manually set it up later.
  • Click “Create” and the project will open in Xcode.
  • Go to File → Save As Workspace and save it in the same directory as your Xcode project with the same name. We put the project in a workspace because we’ll be adding our Carthage dependencies as submodules; they must be in a workspace for Xcode to build them.
  • Close the Xcode project with File → Close Project.
  • Open the workspace with File → Open.
  • Click on the scheme on the top left of Xcode and select “Manage Schemes”. We need to mark our scheme as “shared” so that the project can be built with Carthage.
  • Locate the “RGB” scheme and check the “Shared” check box and click “Close”.

Let’s jump over to the terminal.

Initializing Git

First, navigate to the directory you saved your project in.

  • Run git init to initialize an empty repository.
  • Create a .gitignore which will keep out some pesky Xcode and dependency files we don’t want to track in git.

Here’s a standard one for Swift projects with a few modifications. We added .DS_Storeand removed fastlane and extra comments.

## OS X Finder
.DS_Store

## Build generated
build/
DerivedData

## Various settings
*.pbxuser
!default.pbxuser
*.mode1v3
!default.mode1v3
*.mode2v3
!default.mode2v3
*.perspectivev3
!default.perspectivev3
xcuserdata

## Other
*.xccheckout
*.moved-aside
*.xcuserstate
*.xcscmblueprint

## Obj-C/Swift specific
*.hmap
*.ipa

# Swift Package Manager
.build/

# Carthage
Carthage/Build

Adding Carthage and Dependencies

  • Create a file in your project directory named Cartfile and the runtime dependencies to it. We’ll add Curry.
github "thoughtbot/Curry"
  • Create a Cartfile.private. It will house private dependencies like our test frameworks. We’ll use Quick and Nimble.
github "Quick/Quick"
github "Quick/Nimble"
  • Create a bin/setup script. It’s used to give our contributors (and us) a simple way to set up the project and the dependencies.
mkdir bin
touch bin/setup
chmod +x bin/setup
  • Open up bin/setup and fill it with:
#!/usr/bin/env sh

if ! command -v carthage > /dev/null; then
  printf ‘Carthage is not installed.\n‘
  printf ‘See https://github.com/Carthage/Carthage for install instructions.\n‘
  exit 1
fi

carthage update --platform iOS --use-submodules --no-use-binaries

In this script, we make sure the user has Carthage installed and run its update command to install the iOS dependencies.

We’re using --use-submodules so that our dependencies are added as submodules. This allows users to consume our framework outside of Carthage if they want. We use--no-use-binaries so that our dependencies are built on our system.

With bin/setup created, let’s run it so that Carthage will download our dependencies.

  • In the terminal, run bin/setup.

Now we need to set up our project to build and link the new dependencies.

Adding Dependencies to the Workspace

Since our dependencies are submodules, we need to add them to our workspace.

  • Open up Carthage/Checkouts and add each dependency’s .xcodeproj to the root of the workspace. They can be dragged from Finder into the navigator of the Xcode project.

When you’re done it should look like:

Link Runtime Dependencies

  • With “RGB” selected in the Navigator and the “RGB” target selected on the middle sidebar, select the “Build Phases” tab and expand the “Link binary with libraries” section.
  • Click the “+” icon and select the Curry.framework from the Curry-iOS target.
  • Click “Add”.

Link Development Dependencies

  • Select the “RGBTests” target from the middle sidebar.
  • Using the same process as before, add the Quick and Nimble frameworks to the “Link binary with libraries” section for this target.

When adding dependencies to each target, Xcode will automatically add them to the “Framework Search Paths” under the “Build Settings” tab. We can remove these from the “RGB” and “RGBTests” target because Xcode treats them as implicit dependencies due to them being in the same workspace.

  • Select the target, locate the “Framework Search Paths” setting, highlight it, and press “backspace” on your keyboard.

  • Next, look in the “RGB” project in the Navigator; you’ll see there are three new frameworks at the root level. To keep this area organized, highlight all three, right click and select “New group from selection” to place them in a named group. I’ll call mine “Frameworks”.

Now that Carthage is set up, let’s add CocoaPods.

Adding CocoaPods support

To add CocoaPods support, we need to create a .podspec at the root of our project and fill in our project info.

  • Create a file named RGB.podspec.
  • Copy and paste the sample below into the file.
  • Fill in the options with your project’s details. There are a lot more options available to you, but these are what’s needed for this project.
Pod::Spec.new do |spec|
  spec.name = "RGB"
  spec.version = "1.0.0"
  spec.summary = "Sample framework from blog post, not for real world use."
  spec.homepage = "https://github.com/jakecraige/RGB"
  spec.license = { type: ‘MIT‘, file: ‘LICENSE‘ }
  spec.authors = { "Your Name" => ‘[email protected]‘ }
  spec.social_media_url = "http://twitter.com/thoughtbot"

  spec.platform = :ios, "9.1"
  spec.requires_arc = true
  spec.source = { git: "https://github.com/jakecraige/RGB.git", tag: "v#{spec.version}", submodules: true }
  spec.source_files = "RGB/**/*.{h,swift}"

  spec.dependency "Curry", "~> 1.4.0"
end

One line to pay attention to is spec.dependency "Curry", ‘~> 1.4.0‘. Because we’re supporting CocoaPods, we expect the consumers of our framework to be using it instead of Carthage, so we have to specify dependencies here and in the Cartfile.

Once this is set up we can run the pod lib lint command to test that everything is configured properly. If all goes well, we’ll see something like this:

With the project and dependencies set up, we’re almost ready to write some code. Before we do that, let’s create our first commit.

git commit -am "Project and dependencies set up"

Writing the First Test

Open RGBTests/RGBTests.swift so that we can take a look at the default template. It uses @testable and XCTest, but we’ll be changing both of these.

We’ll remove @testable because we want to test the public API that consumers of the framework will use. As our framework grows, we may need @testable to test parts that are not exposed publicly; generally we want to avoid that so we are testing what’s exposed to the consumer. This feature is most useful in testing applications rather than frameworks.

From the Apple Docs on Testability:

With testability, you are now able to write tests of Swift 2.0 frameworks and apps without having to make all of your internal routines public. Use @testable import {ModuleName} in your test source code to make all public and internal routines usable by XCTest targets, but not by other framework and app targets.

We’ll use Quick and Nimble for testing. Quick provides a nicer testing interface with a behavior-driven style that is very similar to RSpec and Specta; Nimble gives us many powerful assertions and the ability to write asynchronous code with less boilerplate.

Once those changes are made, the test file should look like:

import Quick
import Nimble
import RGB

class RGBTests: QuickSpec {
    override func spec() {
        describe("RGB") {
            it("works") {
                expect(true).to(beTrue())
            }
        }
    }
}

Run the tests with ?U or Product → Test and they should be green.

And… we’re done!

Just kidding. Let’s write some real tests.

We expect that calling RGBUIColor(red: 195, green: 47, blue: 52) will return a beautiful “thoughtbot red” UIColor.

In code, this looks like:

describe("RGBUIColor") {
    it("is a correct representation of the values") {
        let thoughtbotRed = UIColor(
            red: CGFloat(195/255),
            green: CGFloat(47/255),
            blue: CGFloat(52/255),
            alpha: 1
        )
        let color = RGBUIColor(red: 195, green: 47, blue: 52)

        expect(color).to(equal(thoughtbotRed))
    }
}

If we run the tests, now they will fail as we expect. Swift’s type checking will prevent us from running the tests because we never defined the RGBUIColor function.

Let’s do that.

Writing the Implementation

Right click on the “RGB” group in the Navigator and select “New File”.

Create a Swift file called RGBUIColor.swift and save it. Fill it with this implementation:

import Curry

func RGBUIColor(red red: Int, green: Int, blue: Int) -> UIColor {
    return curry(createColor)(red)(green)(blue)
}

private func createColor(red: Int, green: Int, blue: Int) -> UIColor {
    return UIColor(
        red: CGFloat(red/255),
        green: CGFloat(green/255),
        blue: CGFloat(blue/155),
        alpha: 1
    )
}

The use of curry here is used as an example of using a runtime dependency. This is a non-standard use and doesn’t provide any value here.

Now let’s run the tests!

At first glance, this error may seem a bit odd. We clearly defined the RGBUIColorfunction, right?

We did, but it’s not marked as public.

What this means is that if someone tries to use our framework, they won’t be able to see this function. If you want to see the difference in action, add @testable back and your tests will pass.

Experiencing this error is why we removed the @testable from the import at the beginning. It helps us to catch these kinds of errors earlier, before we release our framework to others.

To fix this, let’s mark the function as public like so:

public func RGBUIColor(red red: Int, green: Int, blue: Int) -> UIColor {
    return curry(createColor)(red)(green)(blue)
}

Let’s run the tests!

We’re Green!

Let’s commit this bad boy.

git commit -am "Completed my first iOS framework!"

That’s all folks!

That’s it. There were a lot of steps but we’ve successfully created a marginally usefulframework that could be published to GitHub. As a matter of fact, we published thesource for this framework on GitHub.

We can’t wait to see what kinds of awesome open-source projects you’ll create.

时间: 2024-10-10 08:12:28

Creating your first iOS Framework的相关文章

iOS framework配置脚本

# Sets the target folders and the final framework product. FMK_NAME=HovnVoipEngine FMK_VERSION=1.0 # Install dir will be the final output to the framework. # The following line create it in the root folder of the current project. INSTALL_DIR=${SRCROO

iOS Framework lipo报错 lipo: can't map input file

fatal error: /Applications/Xcode.app/Contents/Developer/Toolchains/XcodeDefault.xctoolchain/usr/bin/lipo: can't map input file: xxxFramework.framework/ (Invalid argument) 原因在与: lipo -info xxxFramework.framework 而命令需要是 lipo -info xxxFramework.framewor

ios framework 分离与合并多种CPU架构,分离与合并模拟器与真机

ios  framework 分离与合并多种CPU架构,分离与合并模拟器与真机 如果你所用的framework支持真机和模拟器多种CPU架构,而你需要的是其中的一种或几种,那么可以可以从framework中分离出各种架构,然后合并你需要的,具体的方式举例如下: 首先从framework中分离出armv7 arm64,或者还有armv7s lipo XXXX.framework/XXXX -thin arm64 -output XXXX.framework/XXXX-arm64 lipo XXXX

ios Framework 制作 的一个坑 Reason: image not found dyld: Library not loaded:

为什么会这样的?因为我们做的是动态库,在使用的时候需要额外加一个步骤,要把Framework同时添加到'Embedded Binaries'中 ... 详情 请见 http://www.cocoachina.com/ios/20141126/10322.html 为了防止连接失效 我把文字 随便 复制点过来 有没有写SDK或者要将一些常用的工具类做成Framework的经历? 你或许自己写脚本完成了这项工作,相信也有很多的人使用 iOS-Universal-Framework ,随着Xcode

iOS framework静态库中使用xib和图片资源详解

一.新建bundle 前2篇文章介绍了iOS 最新framework和.a静态库制作及使用全解   iOS 工程套子工程,主工程和framework工程或.a library静态库工程联调 我现在是在主工程的子工程里进行,当然你在创建静态库工程(子工程)的时候也可以.前面我是懒得再建工程了,接着现成主工程套子工程的项目. 1.按下图步骤操作 2.因为iOS框架中没有bundle,要选中OS X框架找到bundle,如下图 二.往bundle加资源文件 将工程中的资源文件都加入到刚刚建的bundl

iOS Framework: Introducing MKNetworkKit

MKNetworkKit介绍,入门.翻译 这片文章也有塞尔维亚-克罗地亚语(由Jovana Milutinovich翻译)和日语(由@noradaiko翻译) 假设有个一个网络库可以自己主动的为你处理cache该有多好啊. 假设有一个网络库可以在设备离线的时候自己主动的记住用户的操作该有多酷啊. 当你离线的时候,你喜欢了一条微博或者把一条新闻标记为已读,然后网络库会在设备连网后自己主动运行这些操作.而且还不用写一行多余的代码. 以下我们就介绍MKNetworkKit能够做到这些. 什么是 MKN

ios framework

1. iOS 开发新版 动态库framework 2. iOS 开发 旧版 framework

iOS Framework 的生成和使用

首先讲下创建 1.创建IOS下的Cocoa Touch Framework如下图 2.选中Build Setting 搜索Mach-O Type修改成Staticb Library 3.支持bitcode 需要在TAGETS的Build setting中搜索Other C Flags,添加命令"-fembed-bitcode" 如果没有加cflags可能会在使用的时候出现错误. 错误提示信息关键字如下: ...does not contain bitcode. You must reb

IOS Framework制作 注意事项

1.创建一个framework的工程 2.Base SDK 选择Latest iOS 3.OS X Deployment Target  选择Compiler Default 4.Strip Debug Symbols During Copy 选择No 5.Strip Style 选择Non-Global Symbols 6.Targeted Device Family 选择iPhone 7.iOS Deployment Target 选择iOS 7.0以上兼容 8.Dead Code Stri