有人有(更好)的方法吗?
假设我有一个可选的Float
let f: Float? = 2
现在我想将它转换为Double
let d = Double(f) //fail
这显然会失败,但有没有办法通过函数链接可选的计算变量?我现在正在做的是:
extension Float {
var double: Double { return Double(self) }
}
let d: Double? = f?.double
但我真的不喜欢将演员表作为计算变量。
我考虑使用的另一个选项是:
public func optionalize<A,B>(_ λ : @escaping (A) -> B) -> (A?) -> B? {
return { (a) in
guard let a = a else { return nil }
return λ(a)
}
}
let d: Double? = optionalize(Double.init)(f)
我意识到我可以保护&#39; f&#39;打开它。但是,在许多情况下,可选值将是返回可选项的函数的参数。这导致防护中的中间值。如本例所示:
func foo(_ a: String?) throws -> Float {
guard
let a = a,
let intermediate = Float(a)
else { throw.something }
return intermediate
}
此处从String到Float的强制转换也可能失败。 至少使用计算变量,这个foo函数更清晰一些
extension String {
var float: Float? { return Float(self) }
}
func foo(_ a: String?) throws -> Float {
guard
let a = a?.float
else { throw.something }
return a
}
我不想重写频繁插入的可选版本。
任何想法都将不胜感激。谢谢!
答案 0 :(得分:4)
你可以简单地使用Optional
的{{3}}方法,如果它是非零的话,它会返回包含给定变换的值,否则它将返回nil
。
let f : Float? = 2
// If f is non-nil, return the result from the wrapped value passed to Double(_:),
// else return nil.
let d = f.map { Double($0) }
正如您在下面的评论中指出的那样,也可以说是:
let d = f.map(Double.init)
这是因为map(_:)
在这种情况下需要(Float) -> Double
类型的转换函数,map(_:)
这样的函数。
如果转换也返回可选项(例如将String
转换为Int
时),则可以使用Double
's float initialiser,它只会传播nil
转换结果回到来电者:
let s : String? = "3"
// If s is non-nil, return the result from the wrapped value being passed to the Int(_:)
// initialiser. If s is nil, or Int($0) returns nil, return nil.
let i = s.flatMap { Int($0) }