class MyClass { private var _image: UIImage var image: UIImage { set { if newValue == nil { _image = UIImage(named: "some_image")! } } get { return _image } } }
我的目标是在访问图像时保证非可选值
我可以在没有额外功能的情
即使我使用didSet / willSet它们仍然绑定到那个UIImage类型,我无法检查nil …
听起来你想使用一个隐式解包的可选项.由于你的getter只是一个非可选UIImage的包装器,你知道你的getter总是会产生一个非零值(并且因为图像是隐式展开的,所以它会被视为这样),但这也会让你的setter接受nil值.也许是这样的.
原文链接:https://www.f2er.com/swift/318685.htmlclass MyClass { private var _image: UIImage // ... var image: UIImage! { get { return _image } set { if let newValue = newValue { _image = newValue } else { _image = UIImage(named: "some_image")! } } } }
哪里
image = nil
将_image分配给你的默认值,和
image = UIImage(named: "something_that_exists")!
将新图像分配给_image.请注意,这也允许您从UIImage(名为:)分配变量,而不强行解开可选项.如果UIImage的初始化程序因为无法找到图像而失败,它将评估为nil并仍然会为_image分配默认图像.