Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How does Optional covariance work in Swift

How does covariance work for Optionals in Swift?

Say I write the following code:

var nativeOptionalView: Optional<UIView>
let button = UIButton()
nativeOptionalView = .Some(button)
var nativeOptionalButton = Optional.Some(button)

nativeOptionalView = nativeOptionalButton

It compiles and works just fine. However if I define MyOptional as

enum MyOptional<T> {
    case Some(T)
    case None
}

And write the following:

var myOptionalView: MyOptional<UIView>
let button = UIButton()
myOptionalView = .Some(button)
var myOptionalButton = MyOptional.Some(button)

myOptionalView = myOptionalButton

I get the error:

error: cannot assign value of type 'MyOptional<UIButton>' to type 'MyOptional<UIView>'

I understand why this errors happens with MyOptional, what I don't understand is why it doesn't happen with Optional.

like image 662
fpg1503 Avatar asked May 20 '16 17:05

fpg1503


2 Answers

It doesn't. Swift does not support custom covariant generics for now.

The Swift type checker is per expression, not global (as in Haskell). This task is handled by the Semantic Analysis in lib/Sema. The constraint system then tries to match the types and special cases of covariance are then handled for collections, and optionals.

This was a language design decision. You should be able to do everything you need with the built-in collection types and optionals. If you aren't you should probably open a radar.

like image 80
fpg1503 Avatar answered Nov 01 '22 14:11

fpg1503


While I agree that there is probably some "compiler magic" going on, this can be accomplished in your custom implementation by casting the button to a UIView, e.g.

var myOptionalButton = MyOptional.Some(button as UIView)

or

var myOptionalButton: MyOptional<UIView> = .Some(button)
like image 23
dalton_c Avatar answered Nov 01 '22 15:11

dalton_c