-
Notifications
You must be signed in to change notification settings - Fork 2.4k
Propose Pack Destructuring & Pack Splitting #2796
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Open
OguzYuuksel
wants to merge
4
commits into
swiftlang:main
Choose a base branch
from
OguzYuuksel:pack-destructuring-and-pack-splitting
base: main
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
Open
Changes from all commits
Commits
Show all changes
4 commits
Select commit
Hold shift + click to select a range
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
198 changes: 198 additions & 0 deletions
198
proposals/NNNN-pack-destructuring-and-pack-splitting.md
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,198 @@ | ||
# SE-NNNN: Pack Destructuring & Pack Splitting | ||
|
||
* Proposal: SE-0XXX | ||
* Authors: Oguz Yuksel | ||
* Review Manager: TBD | ||
* Status: Draft | ||
* Review: ([pitch](https://forums.swift.org/t/pitch-pack-destructuring-pack-splitting/79388)) | ||
|
||
## Introduction | ||
Swift's variadic generics story (SE‑0393 "Parameter Packs" and SE‑0408 "Pack Iteration") unlocks powerful abstractions over arbitrary arities. However, two missing features—recursive decomposition of packs in patterns and split‑expansion of packs at call sites—force library authors into brittle workarounds like fixed‑arity overloads or type erasure. This proposal completes the variadic‑generic toolbox by introducing: | ||
|
||
1. **Pack Destructuring in Patterns** – extract `head` and `tail` from a variadic tuple in a `let` or `switch` pattern. | ||
2. **Pack Splitting in Calls** – feed a single parameter‐pack expansion into separate head + tail parameters at call sites. | ||
|
||
These additions eliminate boilerplate, remove arbitrary arity limits, and enable truly recursive generic algorithms. | ||
|
||
## Motivation | ||
- **No recursive pack decomposition**: We cannot peel off the first element of a parameter pack at compile time. | ||
- **Fixed‑arity overloads & limits**: Combine's `zip` (up to 10 overloads) and SwiftUI's `TupleView` (10 views max) are symptomatic workarounds. | ||
- **Type erasure** sacrifices compile‑time safety and incurs runtime costs (`[AnyPublisher]`). | ||
- **Goal**: Give library authors a first‐class, type‑safe, zero‑overhead mechanism to recurse over arbitrary variadic tuples. | ||
|
||
## Proposed Solution | ||
I propose two orthogonal features: | ||
|
||
1. **Pack Destructuring in Patterns** | ||
2. **Pack Splitting in Calls** | ||
|
||
Both are purely compile‑time, require no ABI changes, and integrate smoothly with existing tuple layout and call‐site resolution rules. | ||
|
||
## Detailed Design | ||
|
||
### Pack Destructuring in Patterns | ||
**Syntax** | ||
```swift | ||
let (head, repeat each tail) = variadicTuple | ||
``` | ||
|
||
**Semantics** | ||
- `head` binds to the first element of the tuple. | ||
- `tail` binds to a new pack containing the remaining elements. | ||
- Exactly one `repeat each` may appear per tuple‐level. | ||
|
||
**Examples** | ||
```swift | ||
// New: peel off first element | ||
let tuple: (Int, String, Bool) = (1, "a", true) | ||
let (first, repeat each rest) = tuple | ||
// first: Int = 1 | ||
// rest: (String, Bool) | ||
|
||
switch result { | ||
case .success(let firstValue, repeat each otherValues): | ||
process(firstValue, repeat each otherValues) | ||
case .failure(let error): | ||
handleError(error) | ||
} | ||
``` | ||
|
||
**Static Checks** | ||
- If the pack is empty, pattern matching fails (compile‐time error). | ||
- Only one `repeat each` per tuple—extra expansions or mismatched arity are diagnostics. | ||
|
||
### Pack Splitting in Calls | ||
**Syntax** | ||
```swift | ||
func process(_ head: Head, _ tail: repeat each Tail) { … } | ||
|
||
// Given a pack: | ||
let pack: (A, B, C, D) = (…) | ||
|
||
// Call with split: | ||
process(repeat each pack) | ||
// Desugars to: | ||
// process(pack.0, (pack.1, pack.2, pack.3)) | ||
``` | ||
|
||
**Semantics** | ||
1. Non‑pack parameters bind first (in declaration order). | ||
2. A single `repeat each` parameter consumes all remaining elements as a pack. | ||
|
||
**Example** | ||
```swift | ||
func flatten(_ values: repeat each T) -> (repeat each T) { | ||
guard let (first, repeat each rest) = (repeat each values) else { | ||
return () // empty pack | ||
} | ||
return (first, repeat each flatten(rest)) | ||
} | ||
``` | ||
|
||
## Technical Design | ||
|
||
### Grammar Extension | ||
```ebnf | ||
tuple-pattern-element → pattern | ||
| 'repeat' 'each' identifier | ||
tuple-expression-element → expression | ||
| 'repeat' 'each' pack-expression | ||
``` | ||
|
||
### AST & Type System | ||
- Introduce `PackExpansionPattern` and `PackExpansionExpr` nodes. | ||
- Enforce at most one `repeat each` at each tuple nesting level. | ||
- Match arity at compile time; no runtime checks needed. | ||
|
||
### Source Compatibility | ||
This feature is purely additive. Existing code—packs, expansions, and overload resolution—continues to compile without change. | ||
|
||
### ABI Stability | ||
No new runtime structures or calling conventions are introduced. All destructuring is compiled to existing tuple projection instructions. | ||
|
||
### Performance | ||
Compile‑time type checking adds negligible cost. Generated code for tuple access and calls is identical to hand‑written projections. | ||
|
||
## Argument Binding Rules | ||
1. Bind all non‑pack parameters in declaration order. | ||
2. The single `repeat each` parameter then consumes the remaining arguments as one pack. | ||
3. Extra or missing arguments produce diagnostics as usual. | ||
|
||
```swift | ||
func accept(a: Int, b: String, c: repeat each C) { … } | ||
|
||
// Valid: | ||
accept(repeat each (1, "a", true, false)) | ||
// a = 1, b = "a", c = (true, false) | ||
|
||
// Error: too few args | ||
accept(repeat each (1, "a")) | ||
``` | ||
|
||
## Impact on Standard Library & Real‑World Examples | ||
|
||
### Combine.zip Before | ||
```swift | ||
// 10+ overloads: | ||
func zip<A,B>(_ a: A, _ b: B) -> Zip2<A,B> | ||
func zip<A,B,C>(_ a: A, _ b: B, _ c: C) -> Zip3<A,B,C> | ||
// … up to Zip10 | ||
``` | ||
|
||
### Combine.zip After | ||
```swift | ||
struct Zip<repeat each S>: Publisher { | ||
typealias Output = (repeat (each S).Output) | ||
|
||
let publishers: (repeat each S) | ||
|
||
func receive<Sub: Subscriber>(subscriber: Sub) where Sub.Input == Output { | ||
let (first, repeat each rest) = publishers | ||
first.receive(ZipHelper(subscriber, rest)) | ||
} | ||
} | ||
``` | ||
|
||
**Result**: ~250 LOC → ~20 LOC, no fixed arity limit, compile‑time safety preserved. | ||
|
||
## Future Directions | ||
- **Multi‑Pack Operations (Arbitrary‑arity & label‑free pack parameters)** | ||
Swift's current variadic generics support (SE‑0393) requires each pack-expansion parameter following another variadic parameter to have an external label, to disambiguate argument splitting. A future direction is to relax this requirement and allow multiple label-free packs in the same parameter list, as well as arbitrary numbers of packs, by defining new grammar and matching rules: | ||
|
||
```swift | ||
// Hypothetical future: no labels required, N‑pack zip | ||
func zip<each S1, each S2>( | ||
_ s1: repeat each S1, | ||
_ s2: repeat each S2 | ||
) -> (repeat each (S1, S2)) | ||
``` | ||
|
||
Usage: | ||
```swift | ||
let zipped = zip(1, 2, 3, "a", "b", "c") | ||
// ((1, "a"), (2, "b"), (3, "c")) | ||
``` | ||
This relies on compiler enhancements to infer pack boundaries without explicit labels, enabling truly arbitrary‑arity multi‑pack operations with a single generic definition. | ||
|
||
- **Named Pack Elements** | ||
```swift | ||
let (header: repeat each headers, body: repeat each bodies) = httpResponse | ||
``` | ||
- **Variadic async/await** | ||
```swift | ||
async let (firstResult, repeat each partials) = fetchAll(repeat each requests) | ||
``` | ||
|
||
## Alternatives Considered | ||
|
||
### 1. Fixed‑Arity Overloads | ||
- Pros: trivial, no language changes | ||
- Cons: boilerplate, arbitrary limits, code bloat | ||
|
||
|
||
## References | ||
1. [SE‑0393: Parameter Packs](https://github.com/apple/swift-evolution/blob/main/proposals/0393-parameter-packs.md) – Introduces variadic type‐parameter packs. | ||
2. [SE‑0408: Pack Iteration](https://github.com/swiftlang/swift-evolution/blob/main/proposals/0408-pack-iteration.md) – Enables iteration over packs. | ||
|
||
## Conclusion | ||
By adding pack destructuring in patterns and pack splitting in calls, this proposal fills the last gaps in Swift's variadic‑generic capabilities. Library authors can now write truly recursive, zero‑overhead abstractions without fixed arity limits or type erasure, while preserving source and ABI compatibility. |
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
Uh oh!
There was an error while loading. Please reload this page.