swift3 适配

1.参数标签

swift2.x版本第一个参数标签可以不用指定,调用时,不需要添加,swift3默认会将第一个参数名作为参数标签,意味着不做改动很多调用都需要修改。

// Swift 2
func handleError(error: NSError) { }
let error = NSError()
handleError(error) // Looks like Objective-C

// Swift 3
func handleError(error: NSError) { }
let error = NSError()
handleError(error: error)    

可以这么做来解决这个问题:

// Swift 3
func handleError(_ error: NSError) { }
// 🖐 Notice the underscore!
let error = NSError()
handleError(error)  // Same as in Swift 2

2.API改动

// swift2
NSBundle.mainBundle().infoDictionary

// swift3
Bundle.main.infoDictionary

// swift2
NSSearchPathDirectory.DocumentDirectory
NSSearchPathDomainMask.UserDomainMask

// swift3
FileManager.SearchPathDirectory.documentDirectory
FileManager.SearchPathDomainMask.userDomainMask

// 
UIScreen.mainScreen()
UIScreen.main

//
NSFileManager.defaultManager()
FileManager.default

//
NSFileManager.defaultManager().fileExistsAtPath(path)
FileManager.default.fileExists(atPath: path)

3.Xcode8 Use Legacy Swift Language Version的错误解决

pod 使用了swift库,直接修改podfile到新版本的三方库,执行pod install时提示多个targetswift版本不匹配。

WX20170401-121612.png

4.枚举小写开头

// swift2
enum ActivityStatus {   // 开关
    case UnKnow
    case OnSwitch
    case OffSwitch
}

// swift3
enum ActivityStatus {   // 开关
    case unKnow
    case onSwitch
    case offSwitch
}

5.Any vs AnyObject

将项目里的 AnyObject 转成 Any 可能是大家遇到的第一件适配大事。如何解释这个变化呢?在 Swift 3 之前,我们可以写完一个项目都只用 AnyObject 来代表大多数实例,好像不用与 Any 类型打交道。但事实上,Any 和 AnyObject 是有明显区别的,因为 Any 可以代表 struct、class、func 等等几乎所有类型,而 AnyObject 只能代表 class 生成的实例。
那为什么之前我们在 Swift 2 里可以用 [AnyObject] 声明数组,并且在里面放 Int、String 等 struct 类型呢?这是因为 Swift 2 中,会针对这些 Int、String 等 struct 进行一个 Implicit Bridging Conversions,在 Array 里插入他们时,编译器会自动将其 bridge 到 Objective-C 的 NSNumber、NSString 等类型,这就是为什么我们声明的 [AnyObject] 里可以放 struct 的原因。
但在 Swift 3 当中,为了达成一个门真正的跨平台语言,相关提案将 Implicit Bridging Conversions 给去掉了。所以如果你要把 String 这个 struct 放进一个 [AnyObject] 里,一定要 as NSString,这些转换都需要显示的进行了——毕竟 Linux 平台默认没有 Objective-C runtime。这样各平台的表现更加一致。当然这是其中一个目标,具体可见 0116-id-as-any和相关提案的讨论。

6. typealias Closure (闭包)

// swift2
public typealias URLRequestClosure = (response: URLResponse?, data: Data?, error: Error?) -> Void
func requestData(callback: @escaping URLRequestClosure) -> Void {
    // do request and get result
    callback(response: response, data: data, error: error)
}


// swift3
public typealias URLRequestClosure = (URLResponse?, Data?, Error?) -> Void
func requestData(callback: @escaping URLRequestClosure) -> Void {
    // do request and get result
    callback(response, data, error)
}

7.默认参数

错误

ambiguous use of 'yy_setTextHighlight'
            text.yy_setTextHighlight(range, color: UIColor.clear, backgroundColor: UIColor.clear, tapAction: { [weak self] (view: UIView, text: NSAttributedString, range: NSRange, rect: CGRect) in
            ^
__ObjC.NSMutableAttributedString:561:15: note: found this candidate
    open func yy_setTextHighlight(_ range: NSRange, color: UIColor?, backgroundColor: UIColor?, userInfo: [AnyHashable : Any]? = nil, tapAction: __ObjC.YYTextAction?, longPressAction: __ObjC.YYTextAction? = nil)
              ^
__ObjC.NSMutableAttributedString:570:15: note: found this candidate
    open func yy_setTextHighlight(_ range: NSRange, color: UIColor?, backgroundColor: UIColor?, tapAction: __ObjC.YYTextAction? = nil)
// swift2
text.yy_setTextHighlight(range, color: UIColor.clear, backgroundColor: UIColor.clear, tapAction: { [weak self] (view: UIView, text: NSAttributedString, range: NSRange, rect: CGRect) in
                self?.showFormAffix(affixModel)
            })

// swift3
text.yy_setTextHighlight(range, color: UIColor.clear, backgroundColor: UIColor.clear, tapAction: { [weak self] (view: UIView, text: NSAttributedString, range: NSRange, rect: CGRect) in
                self?.showFormAffix(affixModel)
            }, longPressAction: nil)

原因是系统将YYKit从OC转换到swift时,第一个方法存在默认参数longPressAction = nil,在swift3中调用方法时,可以不写默认参数,直接调用第二个方法是系统不知道是要调用第二个方法,还是要调用第一个方法。

/**
     Convenience method to set text highlight
     
     @param range           text range
     @param color           text color (pass nil to ignore)
     @param backgroundColor text background color when highlight
     @param userInfo        user information dictionary (pass nil to ignore)
     @param tapAction       tap action when user tap the highlight (pass nil to ignore)
     @param longPressAction long press action when user long press the highlight (pass nil to ignore)
     */
    open func yy_setTextHighlight(_ range: NSRange, color: UIColor?, backgroundColor: UIColor?, userInfo: [AnyHashable : Any]? = nil, tapAction: YYText.YYTextAction?, longPressAction: YYText.YYTextAction? = nil)

    
    /**
     Convenience method to set text highlight
     
     @param range           text range
     @param color           text color (pass nil to ignore)
     @param backgroundColor text background color when highlight
     @param tapAction       tap action when user tap the highlight (pass nil to ignore)
     */
    open func yy_setTextHighlight(_ range: NSRange, color: UIColor?, backgroundColor: UIColor?, tapAction: YYText.YYTextAction? = nil)

8.GDC

swift3
Creating a concurrent queue

let concurrentQueue = DispatchQueue(label: "queuename", attributes: .concurrent)
concurrentQueue.sync {

}

Create a serial queue

let serialQueue = DispatchQueue(label: "queuename")
serialQueue.sync { 

}

Get main queue asynchronously

DispatchQueue.main.async {

}

Get main queue synchronously

DispatchQueue.main.sync {

}

To get one of the background thread

DispatchQueue.global(attributes: .qosDefault).async {

}

To get one of the background thread

DispatchQueue.global(qos: DispatchQoS.QoSClass.default).async {

}

DispatchQueue.global().async {
    // qos' default value is ´DispatchQoS.QoSClass.default`
}

9.String vs NSString

// swift2
func textField(textField: UITextField, shouldChangeCharactersInRange range: NSRange, replacementString string: String) -> Bool {
        let str = (textField.text ?? "" as NSString).stringByReplacingCharactersInRange(range, withString: string)
        return str.characters.count <= 11
    }

// swift3
func textField(_ textField: UITextField, shouldChangeCharactersIn range: NSRange, replacementString string: String) -> Bool {
        let originalStr = (textField.text ?? "") as NSString
        let str = originalStr.replacingCharacters(in: range, with: string)
        return str.characters.count <= 11
    }

10. 指针

// swift2
FMDBDatabaseTool.sharedInstance.dbQueue.inTransaction { db, rollback in 
    rollback?.memory = true
}

// swwift3
queue.inTransaction { db, rollback in
    do {
        try db!.executeUpdate("INSERT INTO myTable VALUES (?)", values: [1])
        try db!.executeUpdate("INSERT INTO myTable VALUES (?)", values: [2])
        try db!.executeUpdate("INSERT INTO myTable VALUES (?)", values: [3])
        
        if whoopsSomethingWrongHappened {
            rollback!.pointee = true
            return
        }
        
        try db!.executeUpdate("INSERT INTO myTable VALUES (?)", values: [4])
    } catch {
        rollback!.pointee = true
        print(error)
    }
}

11.swiftLint

假如你使用了swiftLint等代码风格检查工具,你最好暂时把它禁用掉,它以往的代码风格可能和swift3不符合,比如旧版swiftLint约定枚举是大写开头,而swift3约定是小写开头。

12.类前缀

NSBundle -> Bundle
NSTimeInterval -> TimeInterval
NSURL -> URL
NSURLRequest/NSMutableURLRequest -> URLRequest

13. 可选类型比较

// FIXME: comparison operators with optionals were removed from the Swift Standard Libary.
// Consider refactoring the code to use the non-optional operators.

14. UIControlState

// swift2
button.setImage(UIImage(named: "btnBookDownload"), for: .Normal)

// swift3
button.setImage(UIImage(named: "btnBookDownload"), for: .normal)
button.setImage(UIImage(named: "btnBookDownload"), for: UIControlState())

15. NSNotification.Name

//swift2


// swift3
extension NSNotification {
    public struct Name : RawRepresentable, Equatable, Hashable, Comparable {
        public init(_ rawValue: String)
        public init(rawValue: String)
    }
}

// swift2
NSNotificationCenter.defaultCenter().addObserver(self, selector: #selector(markDataIsDirty), name: MPJournalSubscribeChangedNotification, object: nil)

// swift3
NotificationCenter.default.addObserver(self, selector: #selector(markDataIsDirty), name: NSNotification.Name(rawValue: MPJournalSubscribeChangedNotification), object: nil)

16. leastNormalMagnitude

// swift2
CGFloat.min

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

推荐阅读更多精彩内容