UILabel有一个text属性,它是一个可选的String,但它似乎表现得像一个隐式解包的可选项。为什么我不能为它分配另一个可选字符串?感谢。
@IBOutlet weak var tweetContent: UILabel!
...
var unopt: String = "foo"
var opt: String? = "bar"
var opt2: String?
opt2 = opt //Works fine
cell.tweetContent.text? = unopt //Works fine
cell.tweetContent.text? = opt //Compile error: Value of optional type 'String?' not unwrapped
答案 0 :(得分:5)
您无需解开text
。
将text
留作String?
(又名Optional<String>
)
cell.tweetContent.text = unopt // Works: String implicitly wraps to Optional<String>
cell.tweetContent.text = opt // Works: Optional<String>
解缠text
将String?
转换为String
。
cell.tweetContent.text? = unopt // Works: String
cell.tweetContent.text? = opt // Fails: Optional<String> cannot become String
<强>更新强>
也许这里需要更多的解释。 text?
比我原先想象的要差,不应该使用。
将text = value
和text? = value
视为功能setText
。
text =
具有签名func setText(value: String?)
。请注意,String?
是Optional<String>
。此外,无论text
的当前值是什么,它总是被调用。
text? =
具有签名func setText(value: String)
。这是捕获,它仅在text
具有值时被调用。
cell.tweetContent.text = nil
cell.tweetContent.text? = "This value is not set"
assert(cell.tweetContent == nil)