- Proposal: SE-0258
- Authors: Doug Gregor, Joe Groff
- Review Manager: John McCall
- Status: Implemented (Swift 5.1)
- Implementation: Linux toolchain, macOS toolchain
- Review: (review #1) (revision announcement #1) (review #2) (review #3) (acceptance)
- Previous versions: Revision #3, Revision #2, Revision #1
- Introduction
- Motivation
- Proposed solution
- Examples
- Composition of property wrappers
- Detailed design
- Property wrapper types
- Initialization of synthesized storage properties
- Type inference with property wrappers
- Custom attributes
- Mutability of properties with wrappers
- Out-of-line initialization of properties with wrappers
- Memberwise initializers
- Codable, Hashable, and Equatable synthesis
- $ identifiers
- Projections
- Restrictions on the use of property wrappers
- Impact on existing code
- Backward compatibility
- Alternatives considered
- Future Directions
- Revisions
- Acknowledgments
There are property implementation patterns that come up repeatedly. Rather than hardcode a fixed set of patterns into the compiler (as we have done for lazy
and @NSCopying
), we should provide a general "property wrapper" mechanism to allow these patterns to be defined as libraries.
This is an alternative approach to some of the problems intended to be addressed by the 2015-2016 property behaviors proposal. Some of the examples are the same, but this proposal takes a completely different approach designed to be simpler, easier to understand for users, and less invasive in the compiler implementation. There is a section that discusses the substantive differences from that design near the end of this proposal.
We've tried to accommodate several important patterns for properties with targeted language support, like lazy
and @NSCopying
, but this support has been narrow in scope and utility. For instance, Swift provides lazy
properties as a primitive language feature, since lazy initialization is common and is often necessary to avoid having properties be exposed as Optional
. Without this language support, it takes a lot of boilerplate to get the same effect:
structFoo{ // lazy var foo = 1738 privatevar_foo:Int?varfoo:Int{get{iflet value = _foo {return value }letinitialValue=1738 _foo = initialValue return initialValue }set{ _foo = newValue }}}
Building lazy
into the language has several disadvantages. It makes the language and compiler more complex and less orthogonal. It's also inflexible; there are many variations on lazy initialization that make sense, but we wouldn't want to hardcode language support for all of them.
There are important property patterns outside of lazy initialization. It often makes sense to have "delayed", once-assignable-then-immutable properties to support multi-phase initialization:
classFoo{letimmediatelyInitialized="foo"var_initializedLater:String? // We want initializedLater to present like a non-optional 'let' to user code; // it can only be assigned once, and can't be accessed before being assigned. varinitializedLater:String{get{return _initializedLater! }set{assert(_initializedLater ==nil) _initializedLater = newValue }}}
Implicitly-unwrapped optionals allow this in a pinch, but give up a lot of safety compared to a non-optional 'let'. Using IUO for multi-phase initialization gives up both immutability and nil-safety.
The attribute @NSCopying
introduces a use of NSCopying.copy()
to create a copy on assignment. The implementation pattern may look familiar:
classFoo{ // @NSCopying var text: NSAttributedString var_text:NSAttributedStringvartext:NSAttributedString{get{return _text }set{ _text = newValue.copy()as!NSAttributedString}}}
We propose the introduction of property wrappers, which allow a property declaration to state which wrapper is used to implement it. The wrapper is described via an attribute:
@Lazyvarfoo=1738
This implements the property foo
in a way described by the property wrapper type for Lazy
:
@propertyWrapperenumLazy<Value>{case uninitialized(()->Value)case initialized(Value)init(wrappedValue:@autoclosure@escaping()->Value){self=.uninitialized(wrappedValue)}varwrappedValue:Value{mutating get{switchself{case.uninitialized(let initializer):letvalue=initializer()self=.initialized(value)return value case.initialized(let value):return value }}set{self=.initialized(newValue)}}}
A property wrapper type provides the storage for a property that uses it as a wrapper. The wrappedValue
property of the wrapper type provides the actual implementation of the wrapper, while the (optional) init(wrappedValue:)
enables initialization of the storage from a value of the property's type. The property declaration
@Lazyvarfoo=1738
translates to:
privatevar_foo:Lazy<Int>=Lazy<Int>(wrappedValue:1738)varfoo:Int{get{return _foo.wrappedValue }set{ _foo.wrappedValue = newValue }}
The use of the prefix _
for the synthesized storage property name is deliberate: it provides a predictable name for the synthesized storage property that fits established conventions for private
stored properties. For example, we could provide a reset(_:)
operation on Lazy
to set it back to a new value:
extensionLazy{ /// Reset the state back to "uninitialized" with a new, /// possibly-different initial value to be computed on the next access. mutatingfunc reset(_ newValue:@autoclosure@escaping()->Value){self=.uninitialized(newValue)}} _foo.reset(42)
The backing storage property can also be explicitly initialized. For example:
extensionLazy{init(body:@escaping()->Value){self=.uninitialized(body)}}func createAString()->String{...}@Lazyvarbar:String // not initialized yet _bar =Lazy(body: createAString)
The property wrapper instance can be initialized directly by providing the initializer arguments in parentheses after the name. The above code can be written equivalently in a single declaration as:
@Lazy(body: createAString)varbar:String
Property wrappers can be applied to properties at global, local, or type scope. Those properties can have observing accessors (willSet
/didSet
), but not explicitly-written getters or setters.
The Lazy
property wrapper has little or no interesting API outside of its initializers, so it is not important to export it to clients. However, property wrappers can also describe rich relationships that themselves have interesting API. For example, we might have a notion of a property wrapper that references a database field established by name (example inspired by Tanner):
@propertyWrapperpublicstructField<Value:DatabaseValue>{publicletname:Stringprivatevarrecord:DatabaseRecord?privatevarcachedValue:Value?publicinit(name:String){self.name = name }publicfunc configure(record:DatabaseRecord){self.record = record }publicvarwrappedValue:Value{mutating get{if cachedValue ==nil{fetch()}return cachedValue! }set{ cachedValue = newValue }}publicfunc flush(){iflet value = cachedValue { record!.flush(fieldName: name, value)}}publicmutatingfunc fetch(){ cachedValue = record!.fetch(fieldName: name, type:Value.self)}}
We could define our model based on the Field
property wrapper:
publicstructPerson:DatabaseModel{@Field(name:"first_name")publicvarfirstName:String@Field(name:"last_name")publicvarlastName:String@Field(name:"date_of_birth")publicvarbirthdate:Date}
Field
itself has API that is important to users of Person
: it lets us flush existing values, fetch new values, and retrieve the name of the corresponding field in the database. However, the underscored variables for each of the properties of our model (_firstName
, _lastName
, and _birthdate
) are private
, so our clients cannot manipulate them directly.
To vend API, the property wrapper type Field
can provide a projection that allows us to manipulate the relationship of the field to the database. Projection properties are prefixed with a $
, so the projection of the firstName
property is called $firstName
and is visible wherever firstName
is visible. Property wrapper types opt into providing a projection by defining a projectedValue
property:
@propertyWrapperpublicstructField<Value:DatabaseValue>{ // ... API as before ... publicvarprojectedValue:Self{get{self}set{self= newValue }}}
When projectedValue
is present, the projection variable is created as a wrapper around projectedValue
. For example, the following property:
@Field(name:"first_name")publicvarfirstName:String
expands to:
privatevar_firstName:Field<String>=Field(name:"first_name")publicvarfirstName:String{get{ _firstName.wrappedValue }set{ _firstName.wrappedValue = newValue }}publicvar$firstName:Field<String>{get{ _firstName.projectedValue }set{ _firstName.projectedValue = newValue }}
This allows clients to manipulate both the property and its projection, e.g.,
somePerson.firstName ="Taylor" $somePerson.flush()
Before describing the detailed design, here are some more examples of wrappers.
A property wrapper can model "delayed" initialization, where the definite initialization (DI) rules for properties are enforced dynamically rather than at compile time. This can avoid the need for implicitly-unwrapped optionals in multi-phase initialization. We can implement both a mutable variant, which allows for reassignment like a var
:
@propertyWrapperstructDelayedMutable<Value>{privatevar_value:Value?=nilvarwrappedValue:Value{get{guardlet value = _value else{fatalError("property accessed before being initialized")}return value }set{ _value = newValue }} /// "Reset" the wrapper so it can be initialized again. mutatingfunc reset(){ _value =nil}}
and an immutable variant, which only allows a single initialization like a let
:
@propertyWrapperstructDelayedImmutable<Value>{privatevar_value:Value?=nilvarwrappedValue:Value{get{guardlet value = _value else{fatalError("property accessed before being initialized")}return value } // Perform an initialization, trapping if the // value is already initialized. set{if _value !=nil{fatalError("property initialized twice")} _value = newValue }}}
This enables multi-phase initialization, like this:
classFoo{@DelayedImmutablevarx:Intinit(){ // We don't know "x" yet, and we don't have to set it }func initializeX(x:Int){self.x = x // Will crash if 'self.x' is already initialized }func getX()->Int{return x // Will crash if 'self.x' wasn't initialized }}
Many Cocoa classes implement value-like objects that require explicit copying. Swift currently provides an @NSCopying
attribute for properties to give them behavior like Objective-C's @property(copy)
, invoking the copy
method on new objects when the property is set. We can turn this into a wrapper:
@propertyWrapperstructCopying<Value:NSCopying>{privatevar_value:Valueinit(wrappedValue value:Value){ // Copy the value on initialization. self._value = value.copy()as!Value}varwrappedValue:Value{get{return _value }set{ // Copy the value on reassignment. _value = newValue.copy()as!Value}}}
This implementation would address the problem detailed in SE-0153. Leaving the copy()
out of init(wrappedValue:)
implements the pre-SE-0153 semantics.
Thread-specific storage (based on pthreads) can be implemented as a property wrapper, too (example courtesy of Daniel Delwood):
@propertyWrapperfinalclassThreadSpecific<T>{privatevarkey=pthread_key_t()privateletinitialValue:Tinit(key:pthread_key_t, wrappedValue:T){self.key = key self.initialValue = wrappedValue }init(wrappedValue:T){self.initialValue = wrappedValue pthread_key_create(&key){ // 'Any' erasure due to inability to capture 'self' or <T> $0.assumingMemoryBound(to:Any.self).deinitialize(count:1) $0.deallocate()}}deinit{fatalError("\(ThreadSpecific<T>.self).deinit is unsafe and would leak")}privatevarbox:UnsafeMutablePointer<Any>{iflet pointer =pthread_getspecific(key){return pointer.assumingMemoryBound(to:Any.self)}else{letpointer= UnsafeMutablePointer<Any>.allocate(capacity:1)pthread_setspecific(key,UnsafeRawPointer(pointer)) pointer.initialize(to: initialValue asAny)return pointer }}varwrappedValue:T{get{return box.pointee as!T}set(v){ box.withMemoryRebound(to:T.self, capacity:1){ $0.pointee = v }}}}
Property wrappers can be used to provide typed properties for string-keyed data, such as user defaults (example courtesy of Harlan Haskins), encapsulating the mechanism for extracting that data in the wrapper type. For example:
@propertyWrapperstructUserDefault<T>{letkey:StringletdefaultValue:TvarwrappedValue:T{get{returnUserDefaults.standard.object(forKey: key)as?T?? defaultValue }set{UserDefaults.standard.set(newValue, forKey: key)}}}enumGlobalSettings{@UserDefault(key:"FOO_FEATURE_ENABLED", defaultValue:false)staticvarisFooFeatureEnabled:Bool@UserDefault(key:"BAR_FEATURE_ENABLED", defaultValue:false)staticvarisBarFeatureEnabled:Bool}
With some work, property wrappers can provide copy-on-write wrappers (original example courtesy of Becca Royal-Gordon):
protocolCopyable:AnyObject{func copy()->Self}@propertyWrapperstructCopyOnWrite<Value:Copyable>{init(wrappedValue:Value){self.wrappedValue = wrappedValue }private(set)varwrappedValue:ValuevarprojectedValue:Value{mutating get{if !isKnownUniquelyReferenced(&wrappedValue){ wrappedValue = wrappedValue.copy()}return wrappedValue }set{ wrappedValue = newValue }}}
projectedValue
provides projection for the synthesized storage property, allowing the copy-on-write wrapper to be used directly:
@CopyOnWritevarstorage:MyStorageBuffer // Non-modifying access: letindex= storage.index(of:…) // For modification, access $storage, which goes through `projectedValue`: $storage.append(…)
We can define a property wrapper type Ref
that is an abstracted reference to some value that can be get/set, which is effectively a programmatic computed property:
@propertyWrapperstructRef<Value>{letread:()->Valueletwrite:(Value)->VoidvarwrappedValue:Value{get{returnread()}nonmutating set{write(newValue)}} subscript<U>(dynamicMember keyPath:WritableKeyPath<Value,U>)->Ref<U>{returnRef<U>( read:{self.wrappedValue[keyPath: keyPath]}, write:{self.wrappedValue[keyPath: keyPath]= $0 })}}
The subscript is using SE-0252 "Key Path Member Lookup" so that a Ref
instance provides access to the properties of its value. Building on the example from SE-0252:
@Ref(read:..., write:...)varrect:Rectangleprint(rect) // accesses the Rectangle print(rect.topLeft) // accesses the topLeft component of the rectangle letrect2= _rect // get the Ref<Rectangle> lettopLeft2= _rect.topLeft // get a Ref<Point> referring to the Rectangle's topLeft
The Ref
type encapsulates read/write, and making it a property wrapper lets us primarily see the underlying value. Often, one does not want to explicitly write out the getters and setters, and it's fairly common to have a Box
type that boxes up a value and can vend Ref
instances referring into that box. We can do so with another property wrapper:
@propertyWrapperclassBox<Value>{varwrappedValue:Valueinit(wrappedValue:Value){self.wrappedValue = wrappedValue }varprojectedValue:Ref<Value>{returnRef<Value>(read:{self.wrappedValue }, write:{self.wrappedValue = $0 })}}
Now, we can define a new Box
directly:
@Boxvarrectangle:Rectangle=...print(rectangle) // access the rectangle print(rectangle.topLeft) // access the top left coordinate of the rectangle letrect2= $rectangle // through projectedValue, produces a Ref<Rectangle> lettopLeft2= $rectangle.topLeft // through projectedValue, produces a Ref<Point>
The use of projectedValue
hides the box from the client (_rectangle
remains private), providing direct access to the value in the box (the common case) as well as access to the box contents via Ref
(referenced as $rectangle
).
A property wrapper could limit the stored value to be within particular bounds. For example, the Clamping
property wrapper provides min/max bounds within which values will be clamped:
@propertyWrapperstructClamping<V:Comparable>{varvalue:Vletmin:Vletmax:Vinit(wrappedValue:V, min:V, max:V){ value = wrappedValue self.min = min self.max = max assert(value >= min && value <= max)}varwrappedValue:V{get{return value }set{if newValue < min { value = min }elseif newValue > max { value = max }else{ value = newValue }}}}
Most interesting in this example is how @Clamping
properties can be initialized given both an initial value and initializer arguments. In such cases, the wrappedValue:
argument is placed first. For example, this means we can define a Color
type that clamps all values in the range [0, 255]:
structColor{@Clamping(min:0, max:255)varred:Int=127@Clamping(min:0, max:255)vargreen:Int=127@Clamping(min:0, max:255)varblue:Int=127@Clamping(min:0, max:255)varalpha:Int=255}
The synthesized memberwise initializer demonstrates how the initialization itself is formed:
init(red:Int=127, green:Int=127, blue:Int=127, alpha:Int=255){ _red =Clamping(wrappedValue: red, min:0, max:255) _green =Clamping(wrappedValue: green, min:0, max:255) _blue =Clamping(wrappedValue: blue, min:0, max:255) _alpha =Clamping(wrappedValue: alpha, min:0, max:255)}
(Example courtesy of Avi)
There are a number of existing types that already provide the basic structure of a property wrapper type. One fun case is Unsafe(Mutable)Pointer
, which we could augment to allow easy access to the pointed-to value:
@propertyWrapperstructUnsafeMutablePointer<Pointee>{varpointee:Pointee{...}varwrappedValue:Pointee{get{return pointee }set{ pointee = newValue }}}
From a user perspective, this allows us to set up the unsafe mutable pointer's address once, then mostly refer to the pointed-to value:
@UnsafeMutablePointer(mutating: addressOfAnInt) var someInt: Int someInt = 17 // equivalent to _someInt.pointee = 17 print(someInt) _someInt.deallocate()
RxCocoa's BehaviorRelay
replays the most recent value provided to it for each of the subscribed observers. It is created with an initial value, has wrappedValue
property to access the current value and a projectedValue
to expose a projection providing API to subscribe
a new observer: (Thanks to Adrian Zubarev for pointing this out)
@BehaviorRelayvarmyValue:Int=17letobserver= $myValue.subscribe(...) // subscribe an observer $myValue.accept(42) // set a new value via the synthesized storage property print(myValue) // print the most recent value
Combine's Published
property wrapper is similar in spirit, allowing clients to subscribe to @Published
properties (via the $
projection) to receive updates when the value changes.
SwiftUI makes extensive use of property wrappers to declare local state (@State
) and express data dependencies on other state that can effect the UI (@EnvironmentObject
, @Environment
, @ObjectBinding
). It makes extensive use of projections to the Binding
property wrapper to allow controlled mutation of the state that affects UI.
When multiple property wrappers are provided for a given property, the wrappers are composed together to get both effects. For example, consider the composition of DelayedMutable
and Copying
:
@DelayedMutable@Copyingvarpath:UIBezierPath
Here, we have a property for which we can delay initialization until later. When we do set a value, it will be copied via NSCopying
's copy
method.
Composition is implemented by nesting later wrapper types inside earlier wrapper types, where the innermost nested type is the original property's type. For the example above, the backing storage will be of type DelayedMutable<Copying<UIBezierPath>>
, and the synthesized getter/setter for path
will look through both levels of .wrappedValue
:
privatevar_path:DelayedMutable<Copying<UIBezierPath>>=.init()varpath:UIBezierPath{get{return _path.wrappedValue.wrappedValue }set{ _path.wrappedValue.wrappedValue = newValue }}
Note that this design means that property wrapper composition is not commutative, because the order of the attributes affects how the nesting is performed:
@DelayedMutable@Copyingvarpath1:UIBezierPath // _path1 has type DelayedMutable<Copying<UIBezierPath>> @Copying@DelayedMutablevarpath2:UIBezierPath // error: _path2 has ill-formed type Copying<DelayedMutable<UIBezierPath>>
In this case, the type checker prevents the second ordering, because DelayedMutable
does not conform to the NSCopying
protocol. This won't always be the case: some semantically-bad compositions won't necessarily be caught by the type system. Alternatives to this approach to composition are presented in "Alternatives considered."
A property wrapper type is a type that can be used as a property wrapper. There are two basic requirements for a property wrapper type:
- The property wrapper type must be defined with the attribute
@propertyWrapper
. The attribute indicates that the type is meant to be used as a property wrapper type, and provides a point at which the compiler can verify any other consistency rules. - The property wrapper type must have a property named
wrappedValue
, whose access level is the same as that of the type itself. This is the property used by the compiler to access the underlying value on the wrapper instance.
Introducing a property wrapper to a property makes that property computed (with a getter/setter) and introduces a stored property whose type is the wrapper type. That stored property can be initialized in one of three ways:
Via a value of the original property's type (e.g.,
Int
in@Lazy var foo: Int
, using the property wrapper type'sinit(wrappedValue:)
initializer. That initializer must have a single parameter of the same type as thewrappedValue
property (or be an@autoclosure
thereof) and have the same access level as the property wrapper type itself. Wheninit(wrappedValue:)
is present, is always used for the initial value provided on the property declaration. For example:@Lazyvarfoo=17 // ... implemented as privatevar_foo:Lazy=Lazy(wrappedValue:17)varfoo:Int{ /* access via _foo.wrappedValue as described above */ }
When there are multiple, composed property wrappers, all of them must provide an
init(wrappedValue:)
, and the resulting initialization will wrap each level of call:@Lazy@Copyingvarpath=UIBezierPath() // ... implemented as privatevar_path:Lazy<Copying<UIBezierPath>>=.init(wrappedValue:.init(wrappedValue:UIBezierPath()))varpath:UIBezierPath{ /* access via _path.wrappedValue.wrappedValue as described above */ }
Via a value of the property wrapper type, by placing the initializer arguments after the property wrapper type:
varaddressOfInt:UnsafePointer<Int>=...@UnsafeMutablePointer(mutating: addressOfInt)varsomeInt:Int // ... implemented as privatevar_someInt:UnsafeMutablePointer<Int>=UnsafeMutablePointer(mutating: addressOfInt)varsomeInt:Int{ /* access via _someInt.wrappedValue */ }
When there are multiple, composed property wrappers, only the first (outermost) wrapper may have initializer arguments.
Implicitly, when no initializer is provided and the property wrapper type provides a no-parameter initializer (
init()
). In such cases, the wrapper type'sinit()
will be invoked to initialize the stored property.@DelayedMutablevarx:Int // ... implemented as privatevar_x:DelayedMutable<Int>=DelayedMutable<Int>()varx:Int{ /* access via _x.wrappedValue */ }
When there are multiple, composed property wrappers, only the first (outermost) wrapper needs to have an
init()
.
If the first property wrapper type is generic, its generic arguments must either be given explicitly in the attribute or Swift must be able to deduce them from the variable declaration. That deduction proceeds as follows:
If the variable has an initial value expression
E
, then the first wrapper type is constrained to equal the type resulting from a call toA(wrappedValue: E, argsA...)
, whereA
is the written type of the attribute andargsA
are the arguments provided to that attribute. For example:@Lazyvarfoo=17 // type inference as in... privatevar_foo:Lazy=Lazy(wrappedValue:17) // infers the type of '_foo' to be 'Lazy<Int>'
If there are multiple wrapper attributes, the argument to this call will instead be a nested call to
B(wrappedValue: E, argsB...)
for the written type of the next attribute, and so on recursively. For example:@A@B(name:"Hello")varbar=42 // type inference as in ... privatevar_bar=A(wrappedValue:B(wrappedValue:42, name:"Hello")) // infers the type of '_bar' to be 'A<B<Int>'
Otherwise, if the first wrapper attribute has direct initialization arguments
E...
, the outermost wrapper type is constrained to equal the type resulting fromA(E...)
, whereA
is the written type of the first attribute. Wrapper attributes after the first may not have direct initializers. For example:@UnsafeMutablePointer(mutating: addressOfInt)varsomeInt // type inference as in... privatevar_someInt:UnsafeMutablePointer=UnsafeMutablePointer.init(mutating: addressOfInt) // infers the type of `_someInt` to be `UnsafeMutablePointer<Int>`
Otherwise, if there is no initialization, and the original property has a type annotation, the type of the
wrappedValue
property in the last wrapper type is constrained to equal the type annotation of the original property. For example:@propertyWrapperstructFunction<T, U>{varwrappedValue:(T)->U?{...}}@Functionvarf:(Int)->Float? // infers T=Int, U=Float
In any case, the first wrapper type is constrained to be a specialization of the first attribute's written type. Furthermore, for any secondary wrapper attributes, the type of the wrappedValue property of the previous wrapper type is constrained to be a specialization of the attribute's written type. Finally, if a type annotation is given, the type of the wrappedValue property of the last wrapper type is constrained to equal the type annotation. If these rules fail to deduce all the type arguments for the first wrapper type, or if they are inconsistent with each other, the variable is ill-formed. For example:
@Lazy<Int>varfoo:Int // okay @Lazy<Int>varbar:Double // error: Lazy<Int>.wrappedValue is of type Int, not Double
The deduction can also provide a type for the original property (if a type annotation was omitted) or deduce generic arguments that have been omitted from the type annotation. For example:
@propertyWrapperstructStringDictionary{varwrappedValue:[String:String]}@StringDictionaryvard1. // infers Dictionary<String, String> @StringDictionaryvard2:Dictionary // infers <String, String>
Property wrappers are a form of custom attribute, where the attribute syntax is used to refer to entities declared in Swift. Grammatically, the use of property wrappers is described as follows:
attribute ::= '@' type-identifier expr-paren?
The type-identifier must refer to a property wrapper type, which can include generic arguments. Note that this allows for qualification of the attribute names, e.g.,
@Swift.Lazyvarfoo=1742
The expr-paren, if present, provides the initialization arguments for the wrapper instance.
This formulation of custom attributes fits in with a larger proposal for custom attributes, which uses the same custom attribute syntax as the above but allows for other ways in which one can define a type to be used as an attribute. In this scheme, @propertyWrapper
is just one kind of custom attribute: there will be other kinds of custom attributes that are available only at compile time (e.g., for tools) or runtime (via some reflection capability).
Generally, a property that has a property wrapper will have both a getter and a setter. However, the setter may be missing if the wrappedValue
property of the property wrapper type lacks a setter, or its setter is inaccessible.
The synthesized getter will be mutating
if the property wrapper type's wrappedValue
property is mutating
and the property is part of a struct
. Similarly, the synthesized setter will be nonmutating
if either the property wrapper type's wrappedValue
property has a nonmutating
setter or the property wrapper type is a class
. For example:
@propertyWrapperstructMutatingGetterWrapper<Value>{varwrappedValue:Value{mutating get{...}set{...}}}@propertyWrapperstructNonmutatingSetterWrapper<Value>{varwrappedValue:Value{get{...}nonmutating set{...}}}@propertyWrapperclassReferenceWrapper<Value>{varwrappedValue:Value}structUsewrappers{ // x's getter is mutating // x's setter is mutating @MutatingGetterWrappervarx:Int // y's getter is nonmutating // y's setter is nonmutating @NonmutatingSetterWrappervary:Int // z's getter is nonmutating // z's setter is nonmutating @ReferenceWrappervarz:Int}
A property that has a wrapper can be initialized after it is defined, either via the property itself (if the wrapper type has an init(wrappedValue:)
) or via the synthesized storage property. For example:
@Lazyvarx:Int // ... x =17 // okay, treated as _x = .init(wrappedValue: 17)
The synthesized storage property can also be initialized directly, e.g.,
@UnsafeMutablevary:Int // ... _y =UnsafeMutable<Int>(pointer: addressOfInt) // okay
Note that the rules of definite initialization (DI) apply to properties that have wrappers. Let's expand the example of x
above to include a re-assignment and use var
:
@Lazyvarx2:Int // ... x2 =17 // okay, treated as _x2 = .init(wrappedValue: 17) // ... x2 =42 // okay, treated as x2 = 42 (calls the Lazy.wrappedValue setter)
Structs implicitly declare memberwise initializers based on the stored properties of the struct. With a property that has a wrapper, the property is technically computed because it's the synthesized property (of the wrapper's type) that is stored. Instance properties that have a property wrapper will have a corresponding parameter in the memberwise initializer, whose type will either be the original property type or the wrapper type, depending on the wrapper type and the initial value (if provided). Specifically, the memberwise initializer parameter for an instance property with a property wrapper will have the original property type if either of the following is true:
- The corresponding property has an initial value specified with the
=
syntax, e.g.,@Lazy var i = 17
, or
- The corresponding property has no initial value, but the property wrapper type has an
init(wrappedValue:)
.
Otherwise, the memberwise initializer parameter will have the same type as the wrapper. For example:
structFoo{@UserDefault(key:"FOO_FEATURE_ENABLED", defaultValue:false)varx:Bool@Lazyvary:Int=17@Lazy(closure:{getBool()})varz:Bool@CopyOnWritevarw:Image // implicit memberwise initializer: init(x:UserDefault<Bool>=UserDefault(key:"FOO_FEATURE_ENABLED", defaultValue:false), y:Int=17, z:Lazy<Bool>=Lazy(closure:{getBool()}), w:Image){self._x = x self._y =Lazy(wrappedValue: y)self._z = z self._w =CopyOnWrite(wrappedValue: w)}}
Synthesis for Encodable
, Decodable
, Hashable
, and Equatable
use the backing storage property. This allows property wrapper types to determine their own serialization and equality behavior. For Encodable
and Decodable
, the name used for keyed archiving is that of the original property declaration (without the _
).
Currently, identifiers starting with a $
are not permitted in Swift programs. Today, such identifiers are only used in LLDB, where they can be used to name persistent values within a debugging session.
This proposal loosens these rules slightly: the Swift compiler will introduce identifiers that start with $
(for the projection property), and Swift code can reference those properties. However, Swift code cannot declare any new entities with an identifier that begins with $
. For example:
@CopyOnWritevarx=UIBezierPath()print($x) // okay to refer to compiler-defined $x let$y=UIBezierPath() // error: cannot declare entity with $-prefixed name '$y'
A property wrapper type can choose to provide a projection property (e.g., $foo
) to expose more API for each wrapped property by defining a projectedValue
property.
As with the wrappedValue
property and init(wrappedValue:)
, the projectedValue
property must have the same access level as its property wrapper type. For example:
classStorageManager{func allocate<T>(_:T.Type)->UnsafeMutablePointer<T>{...}}@propertyWrapperstructLongTermStorage<Value>{letpointer:UnsafeMutablePointer<Value>init(manager:StorageManager, initialValue:Value){ pointer = manager.allocate(Value.self) pointer.initialize(to: initialValue)}varwrappedValue:Value{get{return pointer.pointee }set{ pointer.pointee = newValue }}varprojectedValue:UnsafeMutablePointer<Value>{return pointer }}
When we use the LongTermStorage
wrapper, it handles the coordination with the StorageManager
and provides either direct access or an UnsafeMutablePointer
with which to manipulate the value:
letmanager=StorageManager(...)@LongTermStorage(manager: manager, initialValue:"Hello")varsomeValue:Stringprint(someValue) // prints "Hello" someValue ="World" // update the value in storage to "World" // $someValue accesses the projectedValue property of the wrapper instance, which // is an UnsafeMutablePointer<String> letworld= $someValue.move() // take value directly from the storage $someValue.initialize(to:"New value")
The projection property has the same access level as the original property:
@LongTermStorage(manager: manager, initialValue:"Hello")publicvarsomeValue:String
is translated into:
privatevar_someValue:LongTermStorage<String>=LongTermStorage(manager: manager, initialValue:"Hello")publicvar$someValue:UnsafeMutablePointer<String>{get{return _someValue.projectedValue }}publicvarsomeValue:String{get{return _someValue.wrappedValue }set{ _someValue.wrappedValue = newValue }}
Note that, in this example, $someValue
is not writable, because projectedValue
is a get-only property.
When multiple property wrappers are applied to a given property, only the outermost property wrapper's projectedValue
will be considered.
There are a number of restrictions on the use of property wrappers when defining a property:
- A property with a wrapper may not be declared inside a protocol.
- An instance property with a wrapper may not be declared inside an extension.
- An instance property may not be declared in an
enum
. - A property with a wrapper that is declared within a class cannot override another property.
- A property with a wrapper cannot be
lazy
,@NSCopying
,@NSManaged
,weak
, orunowned
. - A property with a wrapper must be the only property declared within its enclosing declaration (e.g.,
@Lazy var (x, y) = /* ... */
is ill-formed). - A property with a wrapper shall not define a getter or setter.
- The
wrappedValue
property and (if present)init(wrappedValue:)
of a property wrapper type shall have the same access as the property wrapper type. - The
projectedValue
property, if present, shall have the same access as the property wrapper type. - The
init()
initializer, if present, shall have the same access as the property wrapper type.
By itself, this is an additive feature that doesn't impact existing code. However, with some of the property wrappers suggested, it can potentially obsolete existing, hardcoded language features. @NSCopying
could be completely replaced by a Copying
property wrapper type introduced in the Foundation
module. lazy
cannot be completely replaced because it's initial value can refer to the self
of the enclosing type; see 'deferred evaluation of initialization expressions_. However, it may still make sense to introduce a Lazy
property wrapper type to cover many of the common use cases, leaving the more-magical lazy
as a backward-compatibility feature.
The property wrappers language feature as proposed has no impact on the ABI or runtime. Binaries that use property wrappers can be backward-deployed to the Swift 5.0 runtime.
Composition was left out of the first revision of this proposal, because one can manually compose property wrapper types. For example, the composition @A @B
could be implemented as an AB
wrapper:
@propertyWrapperstructAB<Value>{privatevarstorage:A<B<Value>>varwrappedValue:Value{get{ storage.wrappedValue.wrappedValue }set{ storage.wrappedValue.wrappedValue = newValue }}}
The main benefit of this approach is its predictability: the author of AB
decides how to best achieve the composition of A
and B
, names it appropriately, and provides the right API and documentation of its semantics. On the other hand, having to manually write out each of the compositions is a lot of boilerplate, particularly for a feature whose main selling point is the elimination of boilerplate. It is also unfortunate to have to invent names for each composition---when I try to compose A
and B
via @A @B
, how do I know to go look for the manually-composed property wrapper type AB
? Or maybe that should be BA
?
One proposed approach to composition addresses only the last issue above directly, treating the attribute-composition syntax @A @B
as a lookup of the nested type B
inside A
to find the wrapper type:
@propertyWrapperstructA<Value>{varwrappedValue:Value{...}}extensionA{typealiasB=AB<Value>}
This allows the natural composition syntax @A @B
to work, redirecting to manually-written property wrappers that implement the proper semantics and API. Additionally, this scheme allows one to control which compositions are valid: if there is no nested type B
in A
, the composition is invalid. If both A.B
and B.A
exist, we have a choice: either enforce commutative semantics as part of the language (B.A
and A.B
must refer to the same type or the composition @A @B
is ill-formed), or allow them to differ (effectively matching the semantics of this proposal).
This approach addresses the syntax for composition while maintaining control over the precise semantics of composition via manually-written wrapper types. However, it does not address the boilerplate problem.
There has been a desire to effect composition of property wrappers without having to wrap one property wrapper type in the other. For example, to have @A @B
apply the policies of both A
and B
without producing a nested type like A<B<Int>>
. This would potentially make composition more commutative, at least from the type system perspective. However, this approach does not fit with the "wrapper" approach taken by property wrappers. In a declaration
@A@Bvarx:Int
the Int
value is conceptually wrapped by a property wrapper type, and the property wrapper type's wrappedValue
property guards access to that (conceptual) Int
value. That Int
value cannot be wrapped both by instances of both A
and B
without either duplicating data (both A
and B
have a copy of the Int
) or nesting one of the wrappers inside the other. With the copying approach, one must maintain consistency between the copies (which is particularly hard when value types are involved) and there will still be non-commutative compositions. Nesting fits better with the "wrapper" model of property wrappers.
Instead of a new attribute, we could introduce a PropertyWrapper
protocol to describe the semantic constraints on property wrapper types. It might look like this:
protocolPropertyWrapper{associatedtypeValuevarwrappedValue:Value{get}}
There are a few issues here. First, a single protocol PropertyWrapper
cannot handle all of the variants of wrappedValue
that are implied by the section on mutability of properties with wrappers, because we'd need to cope with mutating get
as well as set
and nonmutating set
. Moreover, protocols don't support optional requirements, like init(wrappedValue:)
(which also has two forms: one accepting a Value
and one accepting an @autoclosure () -> Value
) and init()
. To cover all of these cases, we would need several related-but-subtly-different protocols.
The second issue is that, even if there were a single PropertyWrapper
protocol, we don't know of any useful generic algorithms or data structures that seem to be implemented in terms of only PropertyWrapper
.
A previous iteration of this proposal (and its implementation) used by
syntax similar to that of Kotlin's delegated properties, where the by
followed the variable declaration. For example:
varfoo by Lazy =1738staticvarisFooFeatureEnabled: Bool by UserDefault(key:"FOO_FEATURE_ENABLED",defaultValue:false)
There are some small advantages to this syntax over the attribute formulation:
- For cases like
UserDefault
where the wrapper instance is initialized directly, the initialization happens after the original variable declaration, which reads better because the variable type and name come first, and how it's implemented come later. (Counter point: Swift developers are already accustomed to reading past long attributes, which are typically placed on the previous line) - The
by wrapperType
formulation leaves syntactic space for add-on features like specifying the access level of the wrapper instance (by private wrapperType
) or delegating to an existing property (by someInstanceProperty
).
The main problem with by
is its novelty: there isn't anything else in Swift quite like the by
keyword above, and it is unlikely that the syntax would be re-used for any other feature. As a keyword, by
is quite meaningless, and brainstorming during the initial pitch didn't find any clearly good names for this functionality.
The prefix $
spelling for the projection property has been the source of much debate. A number of alternatives have been proposed, including longer #
-based spellings (e.g., #storage(of: foo)
) and postfix $
(e.g., foo$
). The postfix $
had the most discussion, based on the idea that it opens up more extension points in the future (e.g., foo$storage
could refer to the backing storage, foo$databaseHandle
could refer to a specific "database handle" projection for certain property wrappers, etc.). However, doing so introduces yet another new namespace of names to the language ("things that follow $
) and isn't motivated by enough strong use cases.
Property wrappers address a similar set of use cases to property behaviors, which were proposed and reviewed in late 2015/early 2016. The design did not converge, and the proposal was deferred. This proposal picks up the thread, using much of the same motivation and some design ideas, but attempting to simplify the feature and narrow the feature set. Some substantive differences from the prior proposal are:
- Behaviors were introduced into a property with the
[behavior]
syntax, rather than the attribute syntax described here. See the property behaviors proposal for more information. - Wrappers are always expressed by a (generic) type. Property behaviors had a new kind of declaration (introduced by the
behavior
keyword). Having a new kind of declaration allowed for the introduction of specialized syntax, but it also greatly increased the surface area (and implementation cost) of the proposal. Using a generic type makes property wrappers more of a syntactic-sugar feature that is easier to implement and explain. - Wrappers cannot declare new kinds of accessors (e.g., the
didChange
example from the property behaviors proposal). - Wrappers used for properties declared within a type cannot refer to the
self
of their enclosing type. This eliminates some use cases (e.g., implementing aSynchronized
property wrapper type that uses a lock defined on the enclosing type), but simplifies the design. - Wrappers can be initialized out-of-line, and one can use the
$
-prefixed name to refer to the storage property. These were future directions in the property behaviors proposal.
By default, the synthesized storage property will have private
access, and the projection property (when available) will have the same access as the original wrapped property. However, there are various circumstances where it would be beneficial to expose the synthesized storage property. This could be performed "per-property", e.g., by introducing a syntax akin to private(set)
:
// both foo and _foo are publicly visible, $foo remains private @SomeWrapperpublicpublic(storage)private(projection)varfoo:Int=1738
One could also consider having the property wrapper types themselves declare that the synthesized storage properties for properties using those wrappers should have the same access as the original property. For example:
@propertyWrapper(storageIsAccessible:true)structSomeWrapper<T>{varwrappedValue:T{...}} // both bar and _bar are publicly visible @SomeWrapperpublicvarbar:Int=1738
The two features could also be combined, allowing property wrapper types to provide the default behavior and the access-level(...)
syntax to change the default. The current proposal's rules are meant to provide the right defaults while allowing for a separate exploration into expanding the visibility of the synthesized properties.
Manually-written getters and setters for properties declared in a type often refer to the self
of their enclosing type. For example, this can be used to notify clients of a change to a property's value:
publicclassMyClass:Superclass{privatevarbackingMyVar:IntpublicvarmyVar:Int{get{return backingMyVar }set{if newValue != backingMyVar {self.broadcastValueWillChange(newValue: newValue)} backingMyVar = newValue }}}
This "broadcast a notification that the value has changed" implementation cannot be cleanly factored into a property wrapper type, because it needs access to both the underlying storage value (here, backingMyVar
) and the self
of the enclosing type. We could require a separate call to register the self
instance with the wrapper type, e.g.,
protocolObserved{func broadcastValueWillChange<T>(newValue:T)}@propertyWrapperpublicstructObservable<Value>{publicvarstored:Valuevarobserved:Observed?publicinit(wrappedValue:Value){self.stored = wrappedValue }publicfunc register(_ observed:Observed){self.observed = observed }publicvarwrappedValue:Value{get{return stored }set{if newValue != stored { observed?.broadcastValueWillChange(newValue: newValue)} stored = newValue }}}
However, this means that one would have to manually call register(_:)
in the initializer for MyClass
:
publicclassMyClass:Superclass{@ObservablepublicvarmyVar:Int=17init(){ // self._myVar gets initialized with Observable(wrappedValue: 17) here super.init()self._myVar.register(self) // register as an Observable }}
This isn't as automatic as we would like, and it requires us to have a separate reference to the self
that is stored within Observable
. Moreover, it is hiding a semantic problem: the observer code that runs in the broadcastValueWillChange(newValue:)
must not access the synthesized storage property in any way (e.g., to read the old value through myVal
or subscribe/unsubscribe an observer via _myVal
), because doing so will trigger a memory exclusivity violation (because we are calling broadcastValueWillChange(newValue:)
from within the a setter for the same synthesized storage property).
To address these issues, we could extend the ad hoc protocol used to access the storage property of a @propertyWrapper
type a bit further. Instead of a wrappedValue
property, a property wrapper type could provide a static subscript(instanceSelf:wrapped:storage:)
that receives self
as a parameter, along with key paths referencing the original wrapped property and the backing storage property. For example:
@propertyWrapperpublicstructObservable<Value>{privatevarstored:Valuepublicinit(wrappedValue:Value){self.stored = wrappedValue }publicstatic subscript<OuterSelf:Observed>( instanceSelf observed:OuterSelf, wrapped wrappedKeyPath:ReferenceWritableKeyPath<OuterSelf,Value>, storage storageKeyPath:ReferenceWritableKeyPath<OuterSelf,Self>)->Value{get{observed[keyPath: storageKeyPath].stored }set{letoldValue=observed[keyPath: storageKeyPath].stored if newValue != oldValue { observed.broadcastValueWillChange(newValue: newValue)}observed[keyPath: storageKeyPath].stored = newValue }}}
The (generic) subscript gets access to the enclosing self
type via its subscript parameter, eliminating the need for the separate register(_:)
step and the (type-erased) storage of the outer self
. The desugaring within MyClass
would be as follows:
publicclassMyClass:Superclass{@ObservablepublicvarmyVar:Int=17 // desugars to... privatevar_myVar:Observable<Int>=Observable(wrappedValue:17)publicvarmyVar:Int{get{ Observable<Int>[instanceSelf:self, wrapped: \MyClass.myVar, storage: \MyClass._myVar]}set{ Observable<Int>[instanceSelf:self, wrapped: \MyClass.myVar, storage: \MyClass._myVar]= newValue }}}
The design uses a static
subscript and provides key paths to both the original property declaration (wrapped
) and the synthesized storage property (storage
). A call to the static subscript's getter or setter does not itself constitute an access to the synthesized storage property, allowing us to address the memory exclusivity violation from the early implementation. The subscript's implementation is given the means to access the synthesized storage property (via the enclosing self
instance and storage
key path). In our Observable
property wrapper, the static subscript setter performs two distinct accesses to the synthesized storage property via observed[keyPath: storageKeyPath]
:
- The read of the old value
- A write of the new value
In between these operations is the broadcast operation to any observers. Those observers are permitted to read the old value, unsubscribe themselves from observation, etc., because at the time of the broadcastValueWillChange(newValue:)
call there is no existing access to the synthesized storage property.
There is a secondary benefit to providing the key paths, because it allows the property wrapper type to reason about its different instances based on the identity of the wrapped
key path.
This extension is backward-compatible with the rest of the proposal. Property wrapper types could opt in to this behavior by providing a static subscript(instanceSelf:wrapped:storage:)
, which would be used in cases where the property wrapper is being applied to an instance property of a class. If such a property wrapper type is applied to a property that is not an instance property of a class, or for any property wrapper types that don't have such a static subscript, the existing wrappedValue
could be used. One could even allow wrappedValue
to be specified to be unavailable within property wrapper types that have the static subscript, ensuring that such property wrapper types could only be applied to instance properties of a class:
@availability(*, unavailable)varwrappedValue:Value{get{fatalError("only works on instance properties of classes")}set{fatalError("only works on instance properties of classes")}}
The same model could be extended to static properties of types (passing the metatype instance for the enclosing self
) as well as global and local properties (no enclosing self
), although we would also need to extend key path support to static, global, and local properties to do so.
When specifying a wrapper for a property, the synthesized storage property is implicitly created. However, it is possible that there already exists a property that can provide the storage. One could provide a form of property delegation that creates the getter/setter to forward to an existing property, e.g.:
lazy varfooBacking:SomeWrapper<Int>@wrapper(to: fooBacking)varfoo:Int
One could express this either by naming the property directly (as above) or, for an even more general solution, by providing a keypath such as \.someProperty.someOtherProperty
.
This proposal originally presented an example of implementing atomic operations using a property wrapper interface. This example was misleading because it would require additional compiler and library features to work correctly.
Programmers looking for atomic operations can use the Swift Atomics package.
For those who have already attempted to implement something similar, here is the original example, and why it is incorrect:
@propertyWrapperclassAtomic<Value>{privatevar_value:Valueinit(wrappedValue:Value){self._value = wrappedValue }varwrappedValue:Value{get{returnload()}set{store(newValue: newValue)}}func load(order:MemoryOrder=.relaxed){...}func store(newValue:Value, order:MemoryOrder=.relaxed){...}func increment(){...}func decrement(){...}}
As written, this property wrapper does not access its wrapped value atomically. wrappedValue.getter
reads the entire _value
property nonatomically, before calling the atomic load
operation on the copied value. Similarly, wrappedValue.setter
writes the entire _value
property nonatomically after calling the atomic store
operation. So, in fact, there is no atomic access to the shared class property, _value
.
Even if the getter and setter could be made atomic, useful atomic operations, like increment, cannot be built from atomic load and store primitives. The property wrapper in fact encourages race conditions by allowing mutating methods, such as atomicInt += 1
, to be directly invoked on the nonatomic copy of the wrapped value.
init(initialValue:)
has been renamed toinit(wrappedValue:)
to match the name of the property.
- The synthesized storage property is always named with a leading
_
and is alwaysprivate
. - The
wrapperValue
property has been renamed toprojectedValue
to make it sufficiently different fromwrappedValue
. This also gives us the "projection" terminology to talk about the$
property. - The projected property (e.g.,
$foo
) always has the same access as the original wrapped property, rather than being artificially limited tointernal
. This reflects the idea that, for property wrapper types that have a projection, the projection is equal in importance to the wrapped value.
- The name of the feature has been changed from "property delegates" to "property wrappers" to better communicate how they work and avoid the existing uses of the term "delegate" in the Apple developer community
- When a property wrapper type has a no-parameter
init()
, properties that use that wrapper type will be implicitly initialized viainit()
. - Support for property wrapper composition has been added, using a "nesting" model.
- A property with a wrapper can no longer have an explicit
get
orset
declared, to match with the behavior of existing, similar features (lazy
,@NSCopying
). - A property with a wrapper does not need to be
final
. - Reduced the visibility of the synthesized storage property to
private
. - When a wrapper type provides
wrapperValue
, the (computed)$
variable isinternal
(at most) and the backing storage variable gets the prefix$$
(and remains private). - Removed the restriction banning property wrappers from having names that match the regular expression
_*[a-z].*
. Codable
,Hashable
, andEquatable
synthesis are now based on the backing storage properties, which is a simpler model that gives more control to the authors of property wrapper types.- Improved type inference for property wrapper types and clarified that the type of the
wrappedValue
property is used as part of this inference. See the "Type inference" section. - Renamed the
value
property towrappedValue
to avoid conflicts. - Initial values and explicitly-specified initializer arguments can both be used together; see the
@Clamping
example.
This proposal was greatly improved throughout its first pitch by many people. Harlan Haskins, Becca Royal-Gordon, Adrian Zubarev, Jordan Rose and others provided great examples of uses of property wrappers (several of which are in this proposal). Adrian Zubarev and Kenny Leung helped push on some of the core assumptions and restrictions of the original proposal, helping to make it more general. Vini Vendramini and David Hart helped tie this proposal together with custom attributes, which drastically reduced the syntactic surface area of this proposal.