Attributes
There are two kinds of attributes in Swift — those that apply to declarations and those that apply to types. An attribute provides additional information about the declaration or type. For example, the discardableResult
attribute on a function declaration indicates that, although the function returns a value, the compiler shouldn’t generate a warning if the return value is unused.
You specify an attribute by writing the @
symbol followed by the attribute’s name and any arguments that the attribute accepts:
@<#attribute name#>
@<#attribute name#>(<#attribute arguments#>)
Some declaration attributes accept arguments that specify more information about the attribute and how it applies to a particular declaration. These attribute arguments are enclosed in parentheses, and their format is defined by the attribute they belong to.
Attached macros and property wrappers also use attribute syntax. For information about how macros expand, see Macro-Expansion Expression. For information about property wrappers, see propertyWrapper.
Declaration Attributes
You can apply a declaration attribute to declarations only.
attached
Apply the attached
attribute to a macro declaration. The arguments to this attribute indicate the macro’s role. For a macro that has multiple roles, apply the attached
macro multiple times, once for each role.
The first argument to this attribute indicates the macros role:
- Peer macros
Write
peer
as the first argument to this attribute. The type that implements the macro conforms to thePeerMacro
protocol. These macros produce new declarations in the same scope as the declaration that the macro is attached to. For example, applying a peer macro to a method of a structure can define additional methods and properties on that structure.- Member macros
Write
member
as the first argument to this attribute. The type that implements the macro conforms to theMemberMacro
protocol. These macros produce new declarations that are members of the type or extension that the macro is attached to. For example, applying a member macro to a structure declaration can define additional methods and properties on that structure.- Member attribute
Write
memberAttribute
as the first argument to this attribute. The type that implements the macro conforms to theMemberAttributeMacro
protocol. These macros add attributes to members of the type or extension that the macro is attached to.- Accessor macros
Write
accessor
as the first argument to this attribute. The type that implements the macro conforms to theAccessorMacro
protocol. These macros add accessors to the stored property they’re attached to, turning it into a computed property.- Extension macros
Write
extension
as the first argument to this attribute. The type that implements the macro conforms to theExtensionMacro
protocol. These macros can add protocol conformance, awhere
clause, and new declarations that are members of the type the macro is attached to. If the macro adds protocol conformances, include theconformances:
argument and specify those protocols. The conformance list contains protocol names, type aliases that refer to conformance list items, or protocol compositions of conformance list items. An extension macro on a nested type expands to an extension at the top level of that file. You can’t write an extension macro on an extension, a type alias, or a type that’s nested inside a function, or use an extension macro to add an extension that has a peer macro.
The peer, member, and accessor macro roles require a names:
argument, listing the names of the symbols that the macro generates. The extension macro role also requires a names:
argument if the macro adds declarations inside the extension. When a macro declaration includes the names:
argument, the macro implementation must generate only symbol with names that match that list. That said, a macro need not generate a symbol for every listed name. The value for that argument is a list of one or more of the following:
named(<#name#>)
where name is that fixed symbol name, for a name that’s known in advance.overloaded
for a name that’s the same as an existing symbol.prefixed(<#prefix#>)
where prefix is prepended to the symbol name, for a name that starts with a fixed string.suffixed(<#suffix#>
where suffix is appended to the symbol name, for a name that ends with a fixed string.arbitrary
for a name that can’t be determined until macro expansion.
As a special case, you can write prefixed($)
for a macro that behaves similar to a property wrapper.
available
Apply this attribute to indicate a declaration’s life cycle relative to certain Swift language versions or certain platforms and operating system versions.
The available
attribute always appears with a list of two or more comma-separated attribute arguments. These arguments begin with one of the following platform or language names:
iOS
iOSApplicationExtension
macOS
macOSApplicationExtension
macCatalyst
macCatalystApplicationExtension
watchOS
watchOSApplicationExtension
tvOS
tvOSApplicationExtension
visionOS
visionOSApplicationExtension
swift
You can also use an asterisk (*
) to indicate the availability of the declaration on all of the platform names listed above. An available
attribute that specifies availability using a Swift version number can’t use the asterisk.
The remaining arguments can appear in any order and specify additional information about the declaration’s life cycle, including important milestones.
The
unavailable
argument indicates that the declaration isn’t available on the specified platform. This argument can’t be used when specifying Swift version availability.The
introduced
argument indicates the first version of the specified platform or language in which the declaration was introduced. It has the following form:introduced: <#version number#>
The version number consists of one to three positive integers, separated by periods.
The
deprecated
argument indicates the first version of the specified platform or language in which the declaration was deprecated. It has the following form:deprecated: <#version number#>
The optional version number consists of one to three positive integers, separated by periods. Omitting the version number indicates that the declaration is currently deprecated, without giving any information about when the deprecation occurred. If you omit the version number, omit the colon (
:
) as well.The
obsoleted
argument indicates the first version of the specified platform or language in which the declaration was obsoleted. When a declaration is obsoleted, it’s removed from the specified platform or language and can no longer be used. It has the following form:obsoleted: <#version number#>
The version number consists of one to three positive integers, separated by periods.
The
message
argument provides a textual message that the compiler displays when emitting a warning or error about the use of a deprecated or obsoleted declaration. It has the following form:message: <#message#>
The message consists of a string literal.
The
renamed
argument provides a textual message that indicates the new name for a declaration that’s been renamed. The compiler displays the new name when emitting an error about the use of a renamed declaration. It has the following form:renamed: <#new name#>
The new name consists of a string literal.
You can apply the
available
attribute with therenamed
andunavailable
arguments to a type alias declaration, as shown below, to indicate that the name of a declaration changed between releases of a framework or library. This combination results in a compile-time error that the declaration has been renamed.// First release protocol MyProtocol { // protocol definition }
// Subsequent release renames MyProtocol protocol MyRenamedProtocol { // protocol definition } @available(*, unavailable, renamed: "MyRenamedProtocol") typealias MyProtocol = MyRenamedProtocol
You can apply multiple available
attributes on a single declaration to specify the declaration’s availability on different platforms and different versions of Swift. The declaration that the available
attribute applies to is ignored if the attribute specifies a platform or language version that doesn’t match the current target. If you use multiple available
attributes, the effective availability is the combination of the platform and Swift availabilities.
If an available
attribute only specifies an introduced
argument in addition to a platform or language name argument, you can use the following shorthand syntax instead:
@available(<#platform name#> <#version number#>, *)
@available(swift <#version number#>)
The shorthand syntax for available
attributes concisely expresses availability for multiple platforms. Although the two forms are functionally equivalent, the shorthand form is preferred whenever possible.
@available(iOS 10.0, macOS 10.12, *)
class MyClass {
// class definition
}
An available
attribute that specifies availability using a Swift version number can’t additionally specify a declaration’s platform availability. Instead, use separate available
attributes to specify a Swift version availability and one or more platform availabilities.
@available(swift 3.0.2)
@available(macOS 10.12, *)
struct MyStruct {
// struct definition
}
backDeployed
Apply this attribute to a function, method, subscript, or computed property to include a copy of the symbol’s implementation in programs that call or access the symbol. You use this attribute to annotate symbols that ship as part of a platform, like the APIs that are included with an operating system. This attribute marks symbols that can be made available retroactively by including a copy of their implementation in programs that access them. Copying the implementation is also known as emitting into the client.
This attribute takes a before:
argument, specifying the first version of platforms that provide this symbol. These platform versions have the same meaning as the platform version you specify for the available
attribute. Unlike the available
attribute, the list can’t contain an asterisk (*
) to refer to all versions. For example, consider the following code:
@available(iOS 16, *)
@backDeployed(before: iOS 17)
func someFunction() { /* ... */ }
In the example above, the iOS SDK provides someFunction()
starting in iOS 17. In addition, the SDK makes someFunction()
available on iOS 16 using back deployment.
When compiling code that calls this function, Swift inserts a layer of indirection that finds the function’s implementation. If the code is run using a version of the SDK that includes this function, the SDK’s implementation is used. Otherwise, the copy included in the caller is used. In the example above, calling someFunction()
uses the implementation from the SDK when running on iOS 17 or later, and when running on iOS 16 it uses the copy of someFunction()
that’s included in the caller.
Functions, methods, subscripts, and computed properties that meet the following criteria can be back deployed:
The declaration is
public
or@usableFromInline
.For class instance methods and class type methods, the method is marked
final
and isn’t marked@objc
.The implementation satisfies the requirements for an inlinable function, described in inlinable.
discardableResult
Apply this attribute to a function or method declaration to suppress the compiler warning when the function or method that returns a value is called without using its result.
dynamicCallable
Apply this attribute to a class, structure, enumeration, or protocol to treat instances of the type as callable functions. The type must implement either a dynamicallyCall(withArguments:)
method, a dynamicallyCall(withKeywordArguments:)
method, or both.
You can call an instance of a dynamically callable type as if it’s a function that takes any number of arguments.
@dynamicCallable
struct TelephoneExchange {
func dynamicallyCall(withArguments phoneNumber: [Int]) {
if phoneNumber == [4, 1, 1] {
print("Get Swift help on forums.swift.org")
} else {
print("Unrecognized number")
}
}
}
let dial = TelephoneExchange()
// Use a dynamic method call.
dial(4, 1, 1)
// Prints "Get Swift help on forums.swift.org"
dial(8, 6, 7, 5, 3, 0, 9)
// Prints "Unrecognized number"
// Call the underlying method directly.
dial.dynamicallyCall(withArguments: [4, 1, 1])
The declaration of the dynamicallyCall(withArguments:)
method must have a single parameter that conforms to the ExpressibleByArrayLiteral protocol — like [Int]
in the example above. The return type can be any type.
You can include labels in a dynamic method call if you implement the dynamicallyCall(withKeywordArguments:)
method.
@dynamicCallable
struct Repeater {
func dynamicallyCall(withKeywordArguments pairs: KeyValuePairs<String, Int>) -> String {
return pairs
.map { label, count in
repeatElement(label, count: count).joined(separator: " ")
}
.joined(separator: "\n")
}
}
let repeatLabels = Repeater()
print(repeatLabels(a: 1, b: 2, c: 3, b: 2, a: 1))
// a
// b b
// c c c
// b b
// a
The declaration of the dynamicallyCall(withKeywordArguments:)
method must have a single parameter that conforms to the ExpressibleByDictionaryLiteral protocol, and the return type can be any type. The parameter’s Key must be ExpressibleByStringLiteral. The previous example uses KeyValuePairs as the parameter type so that callers can include duplicate parameter labels — a
and b
appear multiple times in the call to repeat
.
If you implement both dynamicallyCall
methods, dynamicallyCall(withKeywordArguments:)
is called when the method call includes keyword arguments. In all other cases, dynamicallyCall(withArguments:)
is called.
You can only call a dynamically callable instance with arguments and a return value that match the types you specify in one of your dynamicallyCall
method implementations. The call in the following example doesn’t compile because there isn’t an implementation of dynamicallyCall(withArguments:)
that takes KeyValuePairs<String, String>
.
repeatLabels(a: "four") // Error
dynamicMemberLookup
Apply this attribute to a class, structure, enumeration, or protocol to enable members to be looked up by name at runtime. The type must implement a subscript(dynamicMember:)
subscript.
In an explicit member expression, if there isn’t a corresponding declaration for the named member, the expression is understood as a call to the type’s subscript(dynamicMember:)
subscript, passing information about the member as the argument. The subscript can accept a parameter that’s either a key path or a member name; if you implement both subscripts, the subscript that takes key path argument is used.
An implementation of subscript(dynamicMember:)
can accept key paths using an argument of type KeyPath, WritableKeyPath, or ReferenceWritableKeyPath. It can accept member names using an argument of a type that conforms to the ExpressibleByStringLiteral protocol — in most cases, String
. The subscript’s return type can be any type.
Dynamic member lookup by member name can be used to create a wrapper type around data that can’t be type checked at compile time, such as when bridging data from other languages into Swift. For example:
@dynamicMemberLookup
struct DynamicStruct {
let dictionary = ["someDynamicMember": 325,
"someOtherMember": 787]
subscript(dynamicMember member: String) -> Int {
return dictionary[member] ?? 1054
}
}
let s = DynamicStruct()
// Use dynamic member lookup.
let dynamic = s.someDynamicMember
print(dynamic)
// Prints "325"
// Call the underlying subscript directly.
let equivalent = s[dynamicMember: "someDynamicMember"]
print(dynamic == equivalent)
// Prints "true"
Dynamic member lookup by key path can be used to implement a wrapper type in a way that supports compile-time type checking. For example:
struct Point { var x, y: Int }
@dynamicMemberLookup
struct PassthroughWrapper<Value> {
var value: Value
subscript<T>(dynamicMember member: KeyPath<Value, T>) -> T {
get { return value[keyPath: member] }
}
}
let point = Point(x: 381, y: 431)
let wrapper = PassthroughWrapper(value: point)
print(wrapper.x)
freestanding
Apply the freestanding
attribute to the declaration of a freestanding macro.
frozen
Apply this attribute to a structure or enumeration declaration to restrict the kinds of changes you can make to the type. This attribute is allowed only when compiling in library evolution mode. Future versions of the library can’t change the declaration by adding, removing, or reordering an enumeration’s cases or a structure’s stored instance properties. These changes are allowed on nonfrozen types, but they break ABI compatibility for frozen types.
In library evolution mode, code that interacts with members of nonfrozen structures and enumerations is compiled in a way that allows it to continue working without recompiling even if a future version of the library adds, removes, or reorders some of that type’s members. The compiler makes this possible using techniques like looking up information at runtime and adding a layer of indirection. Marking a structure or enumeration as frozen gives up this flexibility to gain performance: Future versions of the library can make only limited changes to the type, but the compiler can make additional optimizations in code that interacts with the type’s members.
Frozen types, the types of the stored properties of frozen structures, and the associated values of frozen enumeration cases must be public or marked with the usableFromInline
attribute. The properties of a frozen structure can’t have property observers, and expressions that provide the initial value for stored instance properties must follow the same restrictions as inlinable functions, as discussed in inlinable.
To enable library evolution mode on the command line, pass the -enable-library-evolution
option to the Swift compiler. To enable it in Xcode, set the “Build Libraries for Distribution” build setting (BUILD_LIBRARY_FOR_DISTRIBUTION
) to Yes, as described in Xcode Help.
A switch statement over a frozen enumeration doesn’t require a default
case, as discussed in Switching Over Future Enumeration Cases. Including a default
or @unknown default
case when switching over a frozen enumeration produces a warning because that code is never executed.
GKInspectable
Apply this attribute to expose a custom GameplayKit component property to the SpriteKit editor UI. Applying this attribute also implies the objc
attribute.
inlinable
Apply this attribute to a function, method, computed property, subscript, convenience initializer, or deinitializer declaration to expose that declaration’s implementation as part of the module’s public interface. The compiler is allowed to replace calls to an inlinable symbol with a copy of the symbol’s implementation at the call site.
Inlinable code can interact with public
symbols declared in any module, and it can interact with internal
symbols declared in the same module that are marked with the usableFromInline
attribute. Inlinable code can’t interact with private
or fileprivate
symbols.
This attribute can’t be applied to declarations that are nested inside functions or to fileprivate
or private
declarations. Functions and closures that are defined inside an inlinable function are implicitly inlinable, even though they can’t be marked with this attribute.
main
Apply this attribute to a structure, class, or enumeration declaration to indicate that it contains the top-level entry point for program flow. The type must provide a main
type function that doesn’t take any arguments and returns Void
. For example:
@main
struct MyTopLevel {
static func main() {
// Top-level code goes here
}
}
Another way to describe the requirements of the main
attribute is that the type you write this attribute on must satisfy the same requirements as types that conform to the following hypothetical protocol:
protocol ProvidesMain {
static func main() throws
}
The Swift code you compile to make an executable can contain at most one top-level entry point, as discussed in Top-Level Code.
nonobjc
Apply this attribute to a method, property, subscript, or initializer declaration to suppress an implicit objc
attribute. The nonobjc
attribute tells the compiler to make the declaration unavailable in Objective-C code, even though it’s possible to represent it in Objective-C.
Applying this attribute to an extension has the same effect as applying it to every member of that extension that isn’t explicitly marked with the objc
attribute.
You use the nonobjc
attribute to resolve circularity for bridging methods in a class marked with the objc
attribute, and to allow overloading of methods and initializers in a class marked with the objc
attribute.
A method marked with the nonobjc
attribute can’t override a method marked with the objc
attribute. However, a method marked with the objc
attribute can override a method marked with the nonobjc
attribute. Similarly, a method marked with the nonobjc
attribute can’t satisfy a protocol requirement for a method marked with the objc
attribute.
NSApplicationMain
Apply this attribute to a class to indicate that it’s the app delegate. Using this attribute is equivalent to calling the NSApplicationMain(_:_:)
function.
If you don’t use this attribute, supply a main.swift
file with code at the top level that calls the NSApplicationMain(_:_:)
function as follows:
import AppKit
NSApplicationMain(CommandLine.argc, CommandLine.unsafeArgv)
The Swift code you compile to make an executable can contain at most one top-level entry point, as discussed in Top-Level Code.
NSCopying
Apply this attribute to a stored variable property of a class. This attribute causes the property’s setter to be synthesized with a copy of the property’s value — returned by the copyWithZone(_:)
method — instead of the value of the property itself. The type of the property must conform to the NSCopying
protocol.
The NSCopying
attribute behaves in a way similar to the Objective-C copy
property attribute.
NSManaged
Apply this attribute to an instance method or stored variable property of a class that inherits from NSManagedObject
to indicate that Core Data dynamically provides its implementation at runtime, based on the associated entity description. For a property marked with the NSManaged
attribute, Core Data also provides the storage at runtime. Applying this attribute also implies the objc
attribute.
objc
Apply this attribute to any declaration that can be represented in Objective-C — for example, nonnested classes, protocols, nongeneric enumerations (constrained to integer raw-value types), properties and methods (including getters and setters) of classes, protocols and optional members of a protocol, initializers, and subscripts. The objc
attribute tells the compiler that a declaration is available to use in Objective-C code.
Applying this attribute to an extension has the same effect as applying it to every member of that extension that isn’t explicitly marked with the nonobjc
attribute.
The compiler implicitly adds the objc
attribute to subclasses of any class defined in Objective-C. However, the subclass must not be generic, and must not inherit from any generic classes. You can explicitly add the objc
attribute to a subclass that meets these criteria, to specify its Objective-C name as discussed below. Protocols that are marked with the objc
attribute can’t inherit from protocols that aren’t marked with this attribute.
The objc
attribute is also implicitly added in the following cases:
The declaration is an override in a subclass, and the superclass’s declaration has the
objc
attribute.The declaration satisfies a requirement from a protocol that has the
objc
attribute.The declaration has the
IBAction
,IBSegueAction
,IBOutlet
,IBDesignable
,IBInspectable
,NSManaged
, orGKInspectable
attribute.
If you apply the objc
attribute to an enumeration, each enumeration case is exposed to Objective-C code as the concatenation of the enumeration name and the case name. The first letter of the case name is capitalized. For example, a case named venus
in a Swift Planet
enumeration is exposed to Objective-C code as a case named PlanetVenus
.
The objc
attribute optionally accepts a single attribute argument, which consists of an identifier. The identifier specifies the name to be exposed to Objective-C for the entity that the objc
attribute applies to. You can use this argument to name classes, enumerations, enumeration cases, protocols, methods, getters, setters, and initializers. If you specify the Objective-C name for a class, protocol, or enumeration, include a three-letter prefix on the name, as described in Conventions in Programming with Objective-C. The example below exposes the getter for the enabled
property of the ExampleClass
to Objective-C code as isEnabled
rather than just as the name of the property itself.
class ExampleClass: NSObject {
@objc var enabled: Bool {
@objc(isEnabled) get {
// Return the appropriate value
}
}
}
For more information, see Importing Swift into Objective-C.
objcMembers
Apply this attribute to a class declaration, to implicitly apply the objc
attribute to all Objective-C compatible members of the class, its extensions, its subclasses, and all of the extensions of its subclasses.
Most code should use the objc
attribute instead, to expose only the declarations that are needed. If you need to expose many declarations, you can group them in an extension that has the objc
attribute. The objcMembers
attribute is a convenience for libraries that make heavy use of the introspection facilities of the Objective-C runtime. Applying the objc
attribute when it isn’t needed can increase your binary size and adversely affect performance.
propertyWrapper
Apply this attribute to a class, structure, or enumeration declaration to use that type as a property wrapper. When you apply this attribute to a type, you create a custom attribute with the same name as the type. Apply that new attribute to a property of a class, structure, or enumeration to wrap access to the property through an instance of the wrapper type; apply the attribute to a local stored variable declaration to wrap access to the variable the same way. Computed variables, global variables, and constants can’t use property wrappers.
The wrapper must define a wrappedValue
instance property. The wrapped value of the property is the value that the getter and setter for this property expose. In most cases, wrappedValue
is a computed value, but it can be a stored value instead. The wrapper defines and manages any underlying storage needed by its wrapped value. The compiler synthesizes storage for the instance of the wrapper type by prefixing the name of the wrapped property with an underscore (_
) — for example, the wrapper for someProperty
is stored as _someProperty
. The synthesized storage for the wrapper has an access control level of private
.
A property that has a property wrapper can include willSet
and didSet
blocks, but it can’t override the compiler-synthesized get
or set
blocks.
Swift provides two forms of syntactic sugar for initialization of a property wrapper. You can use assignment syntax in the definition of a wrapped value to pass the expression on the right-hand side of the assignment as the argument to the wrappedValue
parameter of the property wrapper’s initializer. You can also provide arguments to the attribute when you apply it to a property, and those arguments are passed to the property wrapper’s initializer. For example, in the code below, SomeStruct
calls each of the initializers that SomeWrapper
defines.
@propertyWrapper
struct SomeWrapper {
var wrappedValue: Int
var someValue: Double
init() {
self.wrappedValue = 100
self.someValue = 12.3
}
init(wrappedValue: Int) {
self.wrappedValue = wrappedValue
self.someValue = 45.6
}
init(wrappedValue value: Int, custom: Double) {
self.wrappedValue = value
self.someValue = custom
}
}
struct SomeStruct {
// Uses init()
@SomeWrapper var a: Int
// Uses init(wrappedValue:)
@SomeWrapper var b = 10
// Both use init(wrappedValue:custom:)
@SomeWrapper(custom: 98.7) var c = 30
@SomeWrapper(wrappedValue: 30, custom: 98.7) var d
}
The projected value for a wrapped property is a second value that a property wrapper can use to expose additional functionality. The author of a property wrapper type is responsible for determining the meaning of its projected value and defining the interface that the projected value exposes. To project a value from a property wrapper, define a projectedValue
instance property on the wrapper type. The compiler synthesizes an identifier for the projected value by prefixing the name of the wrapped property with a dollar sign ($
) — for example, the projected value for someProperty
is $someProperty
. The projected value has the same access control level as the original wrapped property.
@propertyWrapper
struct WrapperWithProjection {
var wrappedValue: Int
var projectedValue: SomeProjection {
return SomeProjection(wrapper: self)
}
}
struct SomeProjection {
var wrapper: WrapperWithProjection
}
struct SomeStruct {
@WrapperWithProjection var x = 123
}
let s = SomeStruct()
s.x // Int value
s.$x // SomeProjection value
s.$x.wrapper // WrapperWithProjection value
resultBuilder
Apply this attribute to a class, structure, enumeration to use that type as a result builder. A result builder is a type that builds a nested data structure step by step. You use result builders to implement a domain-specific language (DSL) for creating nested data structures in a natural, declarative way. For an example of how to use the resultBuilder
attribute, see Result Builders.
Result-Building Methods
A result builder implements static methods described below. Because all of the result builder’s functionality is exposed through static methods, you don’t ever initialize an instance of that type. A result builder must implement either the buildBlock(_:)
method or both the buildPartialBlock(first:)
and buildPartialBlock(accumulated:next:)
methods. The other methods — which enable additional functionality in the DSL — are optional. The declaration of a result builder type doesn’t actually have to include any protocol conformance.
The description of the static methods uses three types as placeholders. The type Expression
is a placeholder for the type of the result builder’s input, Component
is a placeholder for the type of a partial result, and FinalResult
is a placeholder for the type of the result that the result builder produces. You replace these types with the actual types that your result builder uses. If your result-building methods don’t specify a type for Expression
or FinalResult
, they default to being the same as Component
.
The block-building methods are as follows:
static func buildBlock(_ components: Component...) -> Component
Combines an array of partial results into a single partial result.
static func buildPartialBlock(first: Component) -> Component
Builds a partial result component from the first component. Implement both this method and
buildPartialBlock(accumulated:next:)
to support building blocks one component at a time. Compared tobuildBlock(_:)
, this approach reduces the need for generic overloads that handle different numbers of arguments.static func buildPartialBlock(accumulated: Component, next: Component) -> Component
Builds a partial result component by combining an accumulated component with a new component. Implement both this method and
buildPartialBlock(first:)
to support building blocks one component at a time. Compared tobuildBlock(_:)
, this approach reduces the need for generic overloads that handle different numbers of arguments.
A result builder can implement all three of the block-building methods listed above; in that case, availability determines which method is called. By default, Swift calls the buildPartialBlock(first:)
and buildPartialBlock(accumulated:next:)
methods. To make Swift call buildBlock(_:)
instead, mark the enclosing declaration as being available before the availability you write on buildPartialBlock(first:)
and buildPartialBlock(accumulated:next:)
.
The additional result-building methods are as follows:
static func buildOptional(_ component: Component?) -> Component
Builds a partial result from a partial result that can be
nil
. Implement this method to supportif
statements that don’t include anelse
clause.static func buildEither(first: Component) -> Component
Builds a partial result whose value varies depending on some condition. Implement both this method and
buildEither(second:)
to supportswitch
statements andif
statements that include anelse
clause.static func buildEither(second: Component) -> Component
Builds a partial result whose value varies depending on some condition. Implement both this method and
buildEither(first:)
to supportswitch
statements andif
statements that include anelse
clause.static func buildArray(_ components: [Component]) -> Component
Builds a partial result from an array of partial results. Implement this method to support
for
loops.static func buildExpression(_ expression: Expression) -> Component
Builds a partial result from an expression. You can implement this method to perform preprocessing — for example, converting expressions to an internal type — or to provide additional information for type inference at use sites.
static func buildFinalResult(_ component: Component) -> FinalResult
Builds a final result from a partial result. You can implement this method as part of a result builder that uses a different type for partial and final results, or to perform other postprocessing on a result before returning it.
static func buildLimitedAvailability(_ component: Component) -> Component
Builds a partial result that propagates or erases type information outside a compiler-control statement that performs an availability check. You can use this to erase type information that varies between the conditional branches.
For example, the code below defines a simple result builder that builds an array of integers. This code defines Component
and Expression
as type aliases, to make it easier to match the examples below to the list of methods above.
@resultBuilder
struct ArrayBuilder {
typealias Component = [Int]
typealias Expression = Int
static func buildExpression(_ element: Expression) -> Component {
return [element]
}
static func buildOptional(_ component: Component?) -> Component {
guard let component = component else { return [] }
return component
}
static func buildEither(first component: Component) -> Component {
return component
}
static func buildEither(second component: Component) -> Component {
return component
}
static func buildArray(_ components: [Component]) -> Component {
return Array(components.joined())
}
static func buildBlock(_ components: Component...) -> Component {
return Array(components.joined())
}
}
Result Transformations
The following syntactic transformations are applied recursively to turn code that uses result-builder syntax into code that calls the static methods of the result builder type:
If the result builder has a
buildExpression(_:)
method, each expression becomes a call to that method. This transformation is always first. For example, the following declarations are equivalent:@ArrayBuilder var builderNumber: [Int] { 10 } var manualNumber = ArrayBuilder.buildExpression(10)
An assignment statement is transformed like an expression, but is understood to evaluate to
()
. You can define an overload ofbuildExpression(_:)
that takes an argument of type()
to handle assignments specifically.A branch statement that checks an availability condition becomes a call to the
buildLimitedAvailability(_:)
method. This transformation happens before the transformation into a call tobuildEither(first:)
,buildEither(second:)
, orbuildOptional(_:)
. You use thebuildLimitedAvailability(_:)
method to erase type information that changes depending on which branch is taken. For example, thebuildEither(first:)
andbuildEither(second:)
methods below use a generic type that captures type information about both branches.protocol Drawable { func draw() -> String } struct Text: Drawable { var content: String init(_ content: String) { self.content = content } func draw() -> String { return content } } struct Line<D: Drawable>: Drawable { var elements: [D] func draw() -> String { return elements.map { $0.draw() }.joined(separator: "") } } struct DrawEither<First: Drawable, Second: Drawable>: Drawable { var content: Drawable func draw() -> String { return content.draw() } } @resultBuilder struct DrawingBuilder { static func buildBlock<D: Drawable>(_ components: D...) -> Line<D> { return Line(elements: components) } static func buildEither<First, Second>(first: First) -> DrawEither<First, Second> { return DrawEither(content: first) } static func buildEither<First, Second>(second: Second) -> DrawEither<First, Second> { return DrawEither(content: second) } }
However, this approach causes a problem in code that has availability checks:
@available(macOS 99, *) struct FutureText: Drawable { var content: String init(_ content: String) { self.content = content } func draw() -> String { return content } } @DrawingBuilder var brokenDrawing: Drawable { if #available(macOS 99, *) { FutureText("Inside.future") // Problem } else { Text("Inside.present") } } // The type of brokenDrawing is Line<DrawEither<Line<FutureText>, Line<Text>>>
In the code above,
FutureText
appears as part of the type ofbrokenDrawing
because it’s one of the types in theDrawEither
generic type. This could cause your program to crash ifFutureText
isn’t available at runtime, even in the case where that type is explicitly not being used.To solve this problem, implement a
buildLimitedAvailability(_:)
method to erase type information. For example, the code below builds anAnyDrawable
value from its availability check.struct AnyDrawable: Drawable { var content: Drawable func draw() -> String { return content.draw() } } extension DrawingBuilder { static func buildLimitedAvailability(_ content: Drawable) -> AnyDrawable { return AnyDrawable(content: content) } } @DrawingBuilder var typeErasedDrawing: Drawable { if #available(macOS 99, *) { FutureText("Inside.future") } else { Text("Inside.present") } } // The type of typeErasedDrawing is Line<DrawEither<AnyDrawable, Line<Text>>>
A branch statement becomes a series of nested calls to the
buildEither(first:)
andbuildEither(second:)
methods. The statements’ conditions and cases are mapped onto the leaf nodes of a binary tree, and the statement becomes a nested call to thebuildEither
methods following the path to that leaf node from the root node.For example, if you write a switch statement that has three cases, the compiler uses a binary tree with three leaf nodes. Likewise, because the path from the root node to the second case is “second child” and then “first child”, that case becomes a nested call like
buildEither(first: buildEither(second: ... ))
. The following declarations are equivalent:let someNumber = 19 @ArrayBuilder var builderConditional: [Int] { if someNumber < 12 { 31 } else if someNumber == 19 { 32 } else { 33 } } var manualConditional: [Int] if someNumber < 12 { let partialResult = ArrayBuilder.buildExpression(31) let outerPartialResult = ArrayBuilder.buildEither(first: partialResult) manualConditional = ArrayBuilder.buildEither(first: outerPartialResult) } else if someNumber == 19 { let partialResult = ArrayBuilder.buildExpression(32) let outerPartialResult = ArrayBuilder.buildEither(second: partialResult) manualConditional = ArrayBuilder.buildEither(first: outerPartialResult) } else { let partialResult = ArrayBuilder.buildExpression(33) manualConditional = ArrayBuilder.buildEither(second: partialResult) }
A branch statement that might not produce a value, like an
if
statement without anelse
clause, becomes a call tobuildOptional(_:)
. If theif
statement’s condition is satisfied, its code block is transformed and passed as the argument; otherwise,buildOptional(_:)
is called withnil
as its argument. For example, the following declarations are equivalent:@ArrayBuilder var builderOptional: [Int] { if (someNumber % 2) == 1 { 20 } } var partialResult: [Int]? = nil if (someNumber % 2) == 1 { partialResult = ArrayBuilder.buildExpression(20) } var manualOptional = ArrayBuilder.buildOptional(partialResult)
If the result builder implements the
buildPartialBlock(first:)
andbuildPartialBlock(accumulated:next:)
methods, a code block ordo
statement becomes a call to those methods. The first statement inside of the block is transformed to become an argument to thebuildPartialBlock(first:)
method, and the remaining statements become nested calls to thebuildPartialBlock(accumulated:next:)
method. For example, the following declarations are equivalent:struct DrawBoth<First: Drawable, Second: Drawable>: Drawable { var first: First var second: Second func draw() -> String { return first.draw() + second.draw() } } @resultBuilder struct DrawingPartialBlockBuilder { static func buildPartialBlock<D: Drawable>(first: D) -> D { return first } static func buildPartialBlock<Accumulated: Drawable, Next: Drawable>( accumulated: Accumulated, next: Next ) -> DrawBoth<Accumulated, Next> { return DrawBoth(first: accumulated, second: next) } } @DrawingPartialBlockBuilder var builderBlock: some Drawable { Text("First") Line(elements: [Text("Second"), Text("Third")]) Text("Last") } let partialResult1 = DrawingPartialBlockBuilder.buildPartialBlock(first: Text("first")) let partialResult2 = DrawingPartialBlockBuilder.buildPartialBlock( accumulated: partialResult1, next: Line(elements: [Text("Second"), Text("Third")]) ) let manualResult = DrawingPartialBlockBuilder.buildPartialBlock( accumulated: partialResult2, next: Text("Last") )
Otherwise, a code block or
do
statement becomes a call to thebuildBlock(_:)
method. Each of the statements inside of the block is transformed, one at a time, and they become the arguments to thebuildBlock(_:)
method. For example, the following declarations are equivalent:@ArrayBuilder var builderBlock: [Int] { 100 200 300 } var manualBlock = ArrayBuilder.buildBlock( ArrayBuilder.buildExpression(100), ArrayBuilder.buildExpression(200), ArrayBuilder.buildExpression(300) )
A
for
loop becomes a temporary variable, afor
loop, and call to thebuildArray(_:)
method. The newfor
loop iterates over the sequence and appends each partial result to that array. The temporary array is passed as the argument in thebuildArray(_:)
call. For example, the following declarations are equivalent:@ArrayBuilder var builderArray: [Int] { for i in 5...7 { 100 + i } } var temporary: [[Int]] = [] for i in 5...7 { let partialResult = ArrayBuilder.buildExpression(100 + i) temporary.append(partialResult) } let manualArray = ArrayBuilder.buildArray(temporary)
If the result builder has a
buildFinalResult(_:)
method, the final result becomes a call to that method. This transformation is always last.
Although the transformation behavior is described in terms of temporary variables, using a result builder doesn’t actually create any new declarations that are visible from the rest of your code.
You can’t use break
, continue
, defer
, guard
, or return
statements, while
statements, or do
-catch
statements in the code that a result builder transforms.
The transformation process doesn’t change declarations in the code, which lets you use temporary constants and variables to build up expressions piece by piece. It also doesn’t change throw
statements, compile-time diagnostic statements, or closures that contain a return
statement.
Whenever possible, transformations are coalesced. For example, the expression 4 + 5 * 6
becomes buildExpression(4 + 5 * 6)
rather multiple calls to that function. Likewise, nested branch statements become a single binary tree of calls to the buildEither
methods.
Custom Result-Builder Attributes
Creating a result builder type creates a custom attribute with the same name. You can apply that attribute in the following places:
On a function declaration, the result builder builds the body of the function.
On a variable or subscript declaration that includes a getter, the result builder builds the body of the getter.
On a parameter in a function declaration, the result builder builds the body of a closure that’s passed as the corresponding argument.
Applying a result builder attribute doesn’t impact ABI compatibility. Applying a result builder attribute to a parameter makes that attribute part of the function’s interface, which can affect source compatibility.
requires_stored_property_inits
Apply this attribute to a class declaration to require all stored properties within the class to provide default values as part of their definitions. This attribute is inferred for any class that inherits from NSManagedObject
.
testable
Apply this attribute to an import
declaration to import that module with changes to its access control that simplify testing the module’s code. Entities in the imported module that are marked with the internal
access-level modifier are imported as if they were declared with the public
access-level modifier. Classes and class members that are marked with the internal
or public
access-level modifier are imported as if they were declared with the open
access-level modifier. The imported module must be compiled with testing enabled.
UIApplicationMain
Apply this attribute to a class to indicate that it’s the app delegate. Using this attribute is equivalent to calling the UIApplicationMain
function and passing this class’s name as the name of the delegate class.
If you don’t use this attribute, supply a main.swift
file with code at the top level that calls the UIApplicationMain(_:_:_:_:) function. For example, if your app uses a custom subclass of UIApplication
as its principal class, call the UIApplicationMain(_:_:_:_:)
function instead of using this attribute.
The Swift code you compile to make an executable can contain at most one top-level entry point, as discussed in Top-Level Code.
unchecked
Apply this attribute to a protocol type as part of a type declaration’s list of adopted protocols to turn off enforcement of that protocol’s requirements.
The only supported protocol is Sendable.
usableFromInline
Apply this attribute to a function, method, computed property, subscript, initializer, or deinitializer declaration to allow that symbol to be used in inlinable code that’s defined in the same module as the declaration. The declaration must have the internal
access-level modifier. A structure or class marked usableFromInline
can use only types that are public or usableFromInline
for its properties. An enumeration marked usableFromInline
can use only types that are public or usableFromInline
for the raw values and associated values of its cases.
Like the public
access-level modifier, this attribute exposes the declaration as part of the module’s public interface. Unlike public
, the compiler doesn’t allow declarations marked with usableFromInline
to be referenced by name in code outside the module, even though the declaration’s symbol is exported. However, code outside the module might still be able to interact with the declaration’s symbol by using runtime behavior.
Declarations marked with the inlinable
attribute are implicitly usable from inlinable code. Although either inlinable
or usableFromInline
can be applied to internal
declarations, applying both attributes is an error.
warn_unqualified_access
Apply this attribute to a top-level function, instance method, or class or static method to trigger warnings when that function or method is used without a preceding qualifier, such as a module name, type name, or instance variable or constant. Use this attribute to help discourage ambiguity between functions with the same name that are accessible from the same scope.
For example, the Swift standard library includes both a top-level min(_:_:) function and a min() method for sequences with comparable elements. The sequence method is declared with the warn_unqualified_access
attribute to help reduce confusion when attempting to use one or the other from within a Sequence
extension.
Declaration Attributes Used by Interface Builder
Interface Builder attributes are declaration attributes used by Interface Builder to synchronize with Xcode. Swift provides the following Interface Builder attributes: IBAction
, IBSegueAction
, IBOutlet
, IBDesignable
, and IBInspectable
. These attributes are conceptually the same as their Objective-C counterparts.
You apply the IBOutlet
and IBInspectable
attributes to property declarations of a class. You apply the IBAction
and IBSegueAction
attribute to method declarations of a class and the IBDesignable
attribute to class declarations.
Applying the IBAction
, IBSegueAction
, IBOutlet
, IBDesignable
, or IBInspectable
attribute also implies the objc
attribute.
Type Attributes
You can apply type attributes to types only.
autoclosure
Apply this attribute to delay the evaluation of an expression by automatically wrapping that expression in a closure with no arguments. You apply it to a parameter’s type in a function or method declaration, for a parameter whose type is a function type that takes no arguments and that returns a value of the type of the expression. For an example of how to use the autoclosure
attribute, see Autoclosures and Function Type.
convention
Apply this attribute to the type of a function to indicate its calling conventions.
The convention
attribute always appears with one of the following arguments:
The
swift
argument indicates a Swift function reference. This is the standard calling convention for function values in Swift.The
block
argument indicates an Objective-C compatible block reference. The function value is represented as a reference to the block object, which is anid
-compatible Objective-C object that embeds its invocation function within the object. The invocation function uses the C calling convention.The
c
argument indicates a C function reference. The function value carries no context and uses the C calling convention.
With a few exceptions, a function of any calling convention can be used when a function any other calling convention is needed. A nongeneric global function, a local function that doesn’t capture any local variables, or a closure that doesn’t capture any local variables can be converted to the C calling convention. Other Swift functions can’t be converted to the C calling convention. A function with the Objective-C block calling convention can’t be converted to the C calling convention.
escaping
Apply this attribute to a parameter’s type in a function or method declaration to indicate that the parameter’s value can be stored for later execution. This means that the value is allowed to outlive the lifetime of the call. Function type parameters with the escaping
type attribute require explicit use of self.
for properties or methods. For an example of how to use the escaping
attribute, see Escaping Closures.
Sendable
Apply this attribute to the type of a function to indicate that the function or closure is sendable. Applying this attribute to a function type has the same meaning as conforming a non–function type to the Sendable protocol.
This attribute is inferred on functions and closures if the function or closure is used in a context that expects a sendable value, and the function or closure satisfies the requirements to be sendable.
A sendable function type is a subtype of the corresponding nonsendable function type.
Switch Case Attributes
You can apply switch case attributes to switch cases only.
unknown
Apply this attribute to a switch case to indicate that it isn’t expected to be matched by any case of the enumeration that’s known at the time the code is compiled. For an example of how to use the unknown
attribute, see Switching Over Future Enumeration Cases.