Swift 5.0新特性

Raw strings

相关资料 SE-0200
原始字符串,说白了就是所见即所得,输入的字符串长什么样子,输出的就长什么样子(某些字符串插值的情况先不讨论)
市面上大部分的编程语言,声明使用字符串的时候用的都是引号"",但是当字符串中出现""的时候,字符串中的""可能被当作该字符串的结束标志,从而导致奇奇怪怪的错误。
因此,先驱者们就引入了转义字符\(escape character),当字符串中需要某些特殊字符的时候,就需要在这些特殊字符前面加上转义字符,方便编译器对字符串进行处理。但是如果需要输入转义字符呢?那就需要在\前面再加一个\。这样的字符串虽然可以让编译器识别,但是对于代码的编写者和阅读者来说,过程还是有些痛苦的。
为了解决这个问题,Swift就引入了Raw string,使用方法是在你的字符串前后加上一个或多个#

let rain = #"The "rain" in "Spain" falls mainly on the Spaniards."#

可以看到,无论字符串中有多少""都可以很好识别
有的人可能要问了,要是字符串中有"#符号呢?注意了,我们前面说的是一个或多个,没错,这时候我们需要做的只需要增加#的数量的就行了,不过开头和结尾的#数量要保持一致

let str = ##"My dog said "woof"#gooddog"##

那我们的字符串插值怎么办?加上一个#即可

let answer = 42
//before
let dontpanic = "The answer is \(answer)."
//now
let dontpanic = #"The answer is \#(answer)."#

同样的Raw strings也支持Swift的多行字符串

let multiline = #"""
The answer to life,
the universe,
and everything is \#(answer).
"""#

有了Raw string我们就可以写一些比较复杂的字符串了,特别是某些正则表达式,因为正则表达式中总是包含很多\

//before
let regex1 = "\\\\[A-Z]+[A-Za-z]+\\.[a-z]+"
//now
let regex2 = #"\\[A-Z]+[A-Za-z]+\.[a-z]+"#

A standard Result type

相关资料 SE-0235

public enum Result<Success, Failure> where Failure : Error {
    case success(Success)
    case failure(Failure)
    public func map<NewSuccess>(_ transform: (Success) -> NewSuccess) -> Result<NewSuccess, Failure>
    public func mapError<NewFailure>(_ transform: (Failure) -> NewFailure) -> Result<Success, NewFailure> where NewFailure : Error
    public func flatMap<NewSuccess>(_ transform: (Success) -> Result<NewSuccess, Failure>) -> Result<NewSuccess, Failure>
    public func flatMapError<NewFailure>(_ transform: (Failure) -> Result<Success, NewFailure>) -> Result<Success, NewFailure> where NewFailure : Error
    public func get() throws -> Success
    public init(catching body: () throws -> Success)
}

最初见到这个类型是在Kingfisher开源库中,第一次看到时感觉也没什么,不就是新定义了一个Result枚举,然后把success和failure包装了起来,后来细细研究了一下,发现事情并没有那么简单。
Result提供了一个通用的范型,基本可以囊括所有的成功和失败类型。也就是说,它对外提供了一个统一的结果类型,用来处理返回结果。

//eg
enum NetworkError: Error {
    case badURL
}
//成功返回Int,错误返回NetworkError类型,用Result类型包装起来
func fetchUnreadCount1(from urlString: String, completionHandler: @escaping (Result<Int, NetworkError>) -> Void)  {
    guard let url = URL(string: urlString) else {
        completionHandler(.failure(.badURL))
        return
    }

    // complicated networking code here
    print("Fetching \(url.absoluteString)...")
    completionHandler(.success(5))
}
//处理返回结果,标准的switch case来处理枚举
fetchUnreadCount1(from: "https://www.hackingwithswift.com") { result in
    switch result {
    case .success(let count):
        print("\(count) unread messages.")
    case .failure(let error):
        print(error.localizedDescription)
    }
}

Result提供了get方法,它会返回成功的结果,或者抛出错误结果。

//get方法
public func get() throws -> Success {
    switch self {
    case let .success(success):
        return success
    case let .failure(failure):
        throw failure
    }
}
fetchUnreadCount1(from: "https://www.hackingwithswift.com") { result in
    if let count = try? result.get() {
        print("\(count) unread messages.")
    }
}

另外,还提供了一种使用会抛出错误的closure来初始化Result类型的方法,该closure执行后,成功的结果会被存储在.success中,抛出的错误会被存储在.failure

public init(catching body: () throws -> Success) {
    do {
        self = .success(try body())
    } catch {
        self = .failure(error)
    }
}
//eg
let result = Result { try String(contentsOfFile: someFile) }

其次,如果定义的错误类型不满足需求的话,Result还提供了对结果的转换方法,map(), flatMap(), mapError(), flatMapError()

enum FactorError: Error {
    case belowMinimum
    case isPrime
}
func generateRandomNumber(maximum: Int) -> Result<Int, FactorError> {
    if maximum < 0 {
        // creating a range below 0 will crash, so refuse
        return .failure(.belowMinimum)
    } else {
        let number = Int.random(in: 0...maximum)
        return .success(number)
    }
}
let result1 = generateRandomNumber(maximum: 11)
//如果result1是.success,下面的map方法, 将
//Result<Int, FactorError>转换为Result<String, FatorError>
//如果是.failure,不做处理,仅仅将failure返回
let stringNumber = result1.map { "The random number is: \($0)." }

另一种情况是将上个结果的返回值转换为另一个结果

func calculateFactors(for number: Int) -> Result<Int, FactorError> {
    let factors = (1...number).filter { number % $0 == 0 }

    if factors.count == 2 {
        return .failure(.isPrime)
    } else {
        return .success(factors.count)
    }
}
let result2 = generateRandomNumber(maximum: 10)
//计算result2 .success结果的因子,然后返回另一个Result
let mapResult = result2.map { calculateFactors(for: $0) }

细心的朋友们可能会发现,我们将.success转换为另一个Result,也就是说mapResult的类型是Result<Result<Int, Factor>, Factor>,而不是Result<Int, Factor>,那如果结果需要转换很多次呢?那岂不是要嵌套很多层?没错,很多朋友可能已经想到了,那就是Swift中的flatMap方法,Result也对其进行了实现

public func flatMap<NewSuccess>(_ transform: (Success) -> Result<NewSuccess, Failure>) -> Result<NewSuccess, Failure> {
    switch self {
    case let .success(success):
        return transform(success)
    case let .failure(failure):
        return .failure(failure)
    }
}
public func flatMapError<NewFailure>(_ transform: (Failure) -> Result<Success, NewFailure>) -> Result<Success, NewFailure> {
    switch self {
    case let .success(success):
        return .success(success)
    case let .failure(failure):
        return transform(failure)
    }
}
//此时flatMapResult的类型为Result<Int, FactorError>
let flatMapResult = result2.flatMap { calculateFactors(for: $0) }

Customizing string interpolation

相关资料SE-0228
新的可自定义的字符串插值系统,更加的高效灵活,增加了以前版本不可能实现的全新功能,它可以让我们控制对象在字符串中的显示方式。

//eg
struct User {
    var name: String
    var age: Int
}
extension String.StringInterpolation {
    mutating func appendInterpolation(_ value: User) {
        appendInterpolation("My name is \(value.name) and I'm \(value.age)")
    }
}
let user = User(name: "Sunshine", age: 18)
print("User details: \(user)")
//before: User(name: "Sunshine", age: 18)
//after: My name is Sunshine and I'm 18

有人可能会说,直接实现CustomStringConvertible不就行了,非得这么复杂,不仅需要扩展String.StringInterpolation,还需要实现appendInterpolation方法。没错,对于简单的插值来说,重写一下description就行。
下面就来看一下,新的插值的全新特性。只要你开心,你可以自定义有很多个参数的插值方法。

extensionn String.StringInterpolation {
    mutating func appendInterpolation(_ number: Int, style: NumberFormatter.Style) {
        let formatter = NumberFormatter()
        formatter.numberStyle = style
        if let result = formatter.string(from: number as NSNumber) {
            appendLiteral(result)
        }
    }

    mutating func appendInterpolation(repeat str: String, _ count: Int) {
        for _ in 0 ..< count {
            appendLiteral(str)
        }
    }

    mutating func appendInterpolation(_ values: [String], empty defaultValue: @autoclosure () -> String) {
        if values.count == 0 {
            appendLiteral(defaultValue())
        } else {
            appendLiteral(values.joined(separator: ", "))
        }
    }
}
//we can use like this
print("The lucky number is \(8, style: .spellOut)")
//res: The lucky number is eight.

print("This T-shirt is \(repeat: "buling", 2)")
//res: This T-shirt is buling buling

let nums = ["1", "2", "3"]
print("List of nums: \(nums, empty: "No one").")
//res: List of nums: 1, 2, 3.

我们也可以定义自己的interpolation类型,需要注意一下几点

  • 需要遵循ExpressibleByStringLiteral, ExpressibleByStringInterpolation, CustomStringConvertible协议
  • 在自定义类型中,需要创建一个StringInterpolation的结构体遵循StringInterpolationProtocol
  • 实现appendLiteral方法,以及实现一个或多个appendInterpolation方法
  • 自定义类型需要有两个初始化方法,允许直接从字符串,或字符串插值创建对象
//copy from Whats-New-In-Swift-5-0
struct HTMLComponent: ExpressibleByStringLiteral, ExpressibleByStringInterpolation, CustomStringConvertible {
    struct StringInterpolation: StringInterpolationProtocol {
        // start with an empty string
        var output = ""

        // allocate enough space to hold twice the amount of literal text
        init(literalCapacity: Int, interpolationCount: Int) {
            output.reserveCapacity(literalCapacity * 2)
        }

        // a hard-coded piece of text – just add it
        mutating func appendLiteral(_ literal: String) {
            print("Appending \(literal)")
            output.append(literal)
        }

        // a Twitter username – add it as a link
        mutating func appendInterpolation(twitter: String) {
            print("Appending \(twitter)")
            output.append("<a href=\"https://twitter/\(twitter)\">@\(twitter)</a>")
        }

        // an email address – add it using mailto
        mutating func appendInterpolation(email: String) {
            print("Appending \(email)")
            output.append("<a href=\"mailto:\(email)\">\(email)</a>")
        }
    }

    // the finished text for this whole component
    let description: String

    // create an instance from a literal string
    init(stringLiteral value: String) {
        description = value
    }

    // create an instance from an interpolated string
    init(stringInterpolation: StringInterpolation) {
        description = stringInterpolation.output
    }
}
//usage
let text: HTMLComponent = "You should follow me on Twitter \(twitter: "twostraws"), or you can email me at \(email: "paul@hackingwithswift.com")."
//You should follow me on Twitter <a href="https://twitter/twostraws">@twostraws</a>, or you can email me at <a href="mailto:paul@hackingwithswift.com">paul@hackingwithswift.com</a>.

当然,它的玩法还有很多,需要我们慢慢探索。

Handling future enum cases

相关资料 SE-0192
处理未来可能改变的枚举类型
Swift的安全特性需要switch语句必须是详尽的完全的,必须涵盖所有的情况,但是将来添加新的case时,例如系统框架改变等,就会导致问题。
现在我们可以通过新增的@unknown属性来处理

  • 对于所有其他case,应该运行此默认case,因为我不想单独处理它们
  • 我想单独处理所有case,但如果将来出现任何case,请使用此选项,而不是导致错误
enum PasswordError: Error {
    case short
    case obvious
    case simple
}

func showNew(error: PasswordError) {
    switch error {
    case .short:
        print("Your password was too short.")
    case .obvious:
        print("Your password was too obvious.")
    @unknown default:
        print("Your password wasn't suitable.")
    }
}
//cause warning: Switch must be exhaustive.

Transforming and unwrapping dictionary values

相关资料SE-0218
Dictionary增加了compactMapValues()方法,该方法将数组中的compactMap()(转换我的值,展开结果,放弃空值)与字典的mapValues()(保持键不变,转换我的值)结合起来。

//eg
//返回value是Int的新字典
let times = [
    "Hudson": "38",
    "Clarke": "42",
    "Robinson": "35",
    "Hartis": "DNF"
]
//two ways
let finishers1 = times.compactMapValues { Int($0) }
let finishers2 = times.compactMapValues { Init.init }

或者可以使用该方法拆包可选值,过滤nil值,而不用做任何的类型转换。

let people = [
    "Paul": 38,
    "Sophie": 8,
    "Charlotte": 5,
    "William": nil
]
let knownAges = people.compactMapValues { $0 }

Checking for integer multiples

相关资料SE-0225
新增isMultiple(of:)方法,可是是我们更加清晰方便的判断一个数是不是另一个数的倍数,而不是每次都使用%

//判断偶数
let rowNumber = 4
if rowNumber.isMultiple(of: 2) {
    print("Even")
} else {
    print("Odd")
}

Flattening nested optionals resulting from try?

相关资料SE-0230
修改了try?的工作方式,让嵌套的可选类型变成正常的可选类型,即让多重可选值变成一重,这使得它的工作方式与可选链和条件类型转换相同。

struct User {
    var id: Int

    init?(id: Int) {
        if id < 1 {
            return nil
        }

        self.id = id
    }

    func getMessages() throws -> String {
        // complicated code here
        return "No messages"
    }
}

let user = User(id: 1)
let messages = try? user?.getMessages()
//before swift 5.0: String?? 即Optional(Optional(String))
//now: String? 即Optional(String)

Dynamically callable types

SE-0216
增加了@dynamicCallable属性,它将类型标记为可直接调用。
它是语法糖,而不是任何类型的编译器魔法,将方法random(numberOfZeroes:3)标记为@dynamicCallable之后,可通过下面方式调用
random.dynamicallyCall(withKeywordArguments:["numberOfZeroes":3])
@dynamicCallable是Swift 4.2的@dynamicMemberLookup的扩展,为了使Swift代码更容易与Python和JavaScript等动态语言一起工作。
要将此功能添加到您自己的类型,需要添加@dynamicCallable属性并实现下面方法

func dynamicCall(withArguments args: [Int]) -> Double
func dynamicCall(withKeywordArguments args: KeyValuePairs <String,Int>) -> Double 

当你调用没有参数标签的类型(例如a(b,c))时会使用第一个,而当你提供标签时使用第二个(例如a(b:cat,c:dog))。

@dynamicCallable对于接受和返回的数据类型非常灵活,使您可以从Swift的所有类型安全性中受益,同时还有一些高级用途。因此,对于第一种方法(无参数标签),您可以使用符合ExpressibleByArrayLiteral的任何内容,例如数组,数组切片和集合,对于第二种方法(使用参数标签),您可以使用符合ExpressibleByDictionaryLiteral的任何内容,例如字典和键值对。

除了接受各种输入外,您还可以为输出提供多个重载,一个可能返回字符串,一个是整数,依此类推。只要Swift能够解决使用哪一个,你就可以混合搭配你想要的一切。

我们来看一个例子。这是一个生成介于0和某个最大值之间数字的结构,具体取决于传入的输入:

import Foundation

@dynamicCallable
struct RandomNumberGenerator1 {
    func dynamicallyCall(withKeywordArguments args: KeyValuePairs<String, Int>) -> Double {
        let numberOfZeroes = Double(args.first?.value ?? 0)
        let maximum = pow(10, numberOfZeroes)
        return Double.random(in: 0...maximum)
    }
}

可以使用任意数量的参数调用该方法,或者为零,因此读取第一个值并为其设置默认值。

我们现在可以创建一个RandomNumberGenerator1实例并像函数一样调用:

let random1 = RandomNumberGenerator1()
let result1 = random1(numberOfZeroes: 0)

或者

@dynamicCallable
struct RandomNumberGenerator2 {
    func dynamicallyCall(withArguments args: [Int]) -> Double {
        let numberOfZeroes = Double(args[0])
        let maximum = pow(10, numberOfZeroes)
        return Double.random(in: 0...maximum)
    }
}
let random2 = RandomNumberGenerator2()
let result2 = random2(0)

使用@dynamicCallable时需要注意:

  • 可以将它应用于结构,枚举,类和协议
  • 如果你实现withKeywordArguments:并且没有实现withArguments:,你的类型仍然可以在没有参数标签的情况下调用,你只需要将键设置为空字符串就行
  • 如果withKeywordArguments:withArguments:被标记为throw,则调用该类型也会throw
  • 您不能将@dynamicCallable添加到扩展,只能添加在类型的主要定义中
  • 可以为类型添加其他方法和属性,并正常使用它们。

另外,它不支持方法解析,这意味着我们必须直接调用类型(例如random(numberOfZeroes: 5),而不是调用类型上的特定方法(例如random.generate(numberOfZeroes: 5)

THE END

Thanks for reading

如有不足指出请批评指正

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

推荐阅读更多精彩内容