如何使用 async await Swift 5.5 等待 x 秒

How to await x seconds with async await Swift 5.5

如何使用新的 Swift 5.5 await 关键字等待一段时间?

通常,使用完成处理程序,您会通过使用 DispatchQueue's asyncAfter(deadline:execute:):

得到类似的东西
func someLongTask(completion: @escaping (Int) -> Void) {
    DispatchQueue.global().asyncAfter(deadline: .now() + 1) {
        completion(Int.random(in: 1 ... 6))
    }
}

someLongTask { diceRoll in
    print(diceRoll)
}

如何在 Swift 5.5 中将其转换为使用 async & await

您可以使用Task.sleep(nanoseconds:)等待特定的时间。这是以 纳秒 ,而不是秒来衡量的。

这是一个例子:

func someLongTask() async -> Int {
    try? await Task.sleep(nanoseconds: 1 * 1_000_000_000) // 1 second
    return Int.random(in: 1 ... 6)
}

Task {
    let diceRoll = await someLongTask()
    print(diceRoll)
}

使用睡眠扩展可能更容易,因此您可以在几秒钟内通过:

extension Task where Success == Never, Failure == Never {
    static func sleep(seconds: Double) async throws {
        let duration = UInt64(seconds * 1_000_000_000)
        try await Task.sleep(nanoseconds: duration)
    }
}

现在可以这样称呼:

try await Task.sleep(seconds: 1)

请注意,睡眠是通过 try 调用的。如果取消睡眠,则会抛出错误。如果你不在乎它是否被取消,就try?就可以了。