I have an Objective-C protocol that contains a property as follows:
#import <Foundation/Foundation.h>
@protocol Playback <NSObject>
@optional
@property (nonatomic, nonnull) NSURL *assetURL;
@end
PlayerController
has a property of type id<Playback>
:
@interface PlayerController: NSObject
@property (nonatomic, strong, nonnull) id<Playback> currentPlayerManager;
@end
I tried to write the following code in Swift, but I got an error:
var player = PlayerController()
var pla = player.currentPlayerManager
pla.assetURL = URL(string: "123") // ❌ Cannot assign to property: 'pla' is immutable
If I comment out the @optional
for the Playback
protocol, then it compiles fine.
This makes me wonder why @optional
would cause this error?
From Jordan Rose (who worked on Swift at the time that SE-0070 was implemented) on the forums:
So the answer appears to be: at the time that
optional
protocol requirements were intentionally limited to Objective-C protocols in Swift (SE-0070), no spelling for an explicit implementation of this was decided on, and it appears that this functionality is uncommon enough that this hasn't really come up since.Until (and if) this is supported, there are two potential workarounds:
Introduce an explicit method to
Playback
which assigns a value toassetURL
-setAssetURL:
because it will be imported into Swift as if it were the property setter instead of a method, and you still won't be able to call it. (This is still true if you markassetURL
asreadonly
)extension
because you still can't assign to the protocolDo like you would in Swift and introduce a protocol hierarchy, where, for example, an
AssetBackedPlayback
protocol inherits fromPlayback
and offersassetURL
as a non-@optional
-property instead:You would then need to find a way to expose
PlayerController.currentPlayerManager
as anAssetBackedPlayback
in order to assign theassetURL
.Some additional alternatives from Jordan:
The
static inline
function recommendation can function similarly to a default protocol implementation, but you do need to remember to call that function instead of accessing the property directly.setValue(_:forKey:)
will also work, but incurs a noticeable performance penalty because it supports a lot of dynamism through the Objective-C runtime, and is significantly more complicated than a simple assignment. Depending on your use-case, the cost may be acceptable in order to avoid complexity!