From db3e7bffd134cfca5c771eb06335e36224b7bae1 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Fri, 24 Jan 2025 16:22:01 -0800 Subject: [PATCH 01/44] Initial work --- docs/syntax-destructuring.md | 134 +++++++++++++++++++++++++++++++++++ 1 file changed, 134 insertions(+) create mode 100644 docs/syntax-destructuring.md diff --git a/docs/syntax-destructuring.md b/docs/syntax-destructuring.md new file mode 100644 index 0000000..cc6192e --- /dev/null +++ b/docs/syntax-destructuring.md @@ -0,0 +1,134 @@ +# Destructuring + +## Summary + +Introduce a set of destructuring utilities that: +- work with array & dictionary style tables +- work with both declaration and assignment +- don't require parser backtrack +- are consistent with Luau style + +Specifically: + +1) A `...` unpacking expression: + +```Lua +local array: {string} +local dict: {daisy: string, emerald: string, florence: string} + +local amy, becca, chloe = array... +amy, becca, chloe = array... + +local daisy, emerald, florence = dict... +daisy, emerald, florence = dict... +``` + +2) A `...=` unpacking assignment: + +```Lua +local array: {string} +local dict: {daisy: string, emerald: string, florence: string} + +local amy, becca, chloe ...= array +amy, becca, chloe ...= array + +local daisy, emerald, florence ...= dict +daisy, emerald, florence ...= dict +``` + +## Motivation + +This is intended as a spiritual successor to the older ["Key destructuring" RFC by Kampfkarren](https://github.com/luau-lang/rfcs/pull/24), which was very popular but was unfortunately not able to survive implementation concerns. + +---- + +Simple indexes on tables are very common both in and outside of Luau. A common use case is large libraries. It is common in the web world to see something like: + +```js +const { useState, useEffect } = require("react"); +``` + +...which allows you to quickly use `useState` and `useEffect` without fully qualifying it in the form of `React.useState` and `React.useEffect`. In Luau, if you do not want to fully qualify common React functions, the top of your file will often look like: + +```lua +local useEffect = React.useEffect +local useMemo = React.useMemo +local useState = React.useState +-- etc +``` + +...which creates a lot of redundant cruft. + +It is also common to want to have short identifiers to React properties, which basically always map onto a variable of the same name. As an anecdote, a regex search of `^\s+local (\w+) = \w+\.\1$` comes up 103 times in the My Movie codebase, many in the form of indexing React properties: + +```lua +local position = props.position +local style = props.style +-- etc... +``` + +...whereas in JavaScript this would look like: +```js +const { position, style } = props + +// Supported in JavaScript, but not this proposal +function MyComponent({ + position, + style, +}) +``` + +React properties are themselves an example of a common idiom of passing around large tables as function arguments, such as with HTTP requests: + +```js +// JavaScript +get("/users", ({ + users, + nextPageCursor, +}) => { /* code */ }) +``` + +## Design + +### Destructuring expression + +Today, Luau implements positional unpacking via `table.unpack`, but does not implement keyed unpacking. Additionally, the previous RFC made it clear that many Luau users seek a more concise syntax for this common task. + +This proposal suggests the introduction of a new destructuring operator to replace `table.pack` for positional unpacking, and extend it to keyed unpacking. + +The `...` variadic token is selected, as it is not currently valid following an expression - it is only valid on its own. It also ties this operator to the concept of variadics and multiple returhs, which is appropriate. + +Positional unpacking is simple: + +``` +local numbers = {3, 5, 11} + +local three, five, eleven = numbers... +``` + + + +## Alternatives + +The previously popular RFC used braces around the list of identifiers to signal destructuring, and dot prefixes to disambiguate array and dictionary destructuring: + +```Lua +local rootUtils = require("../rootUtils") +local { .homeDir, .workingDir } = rootUtils.rootFolders +``` + +One reservation cited would be that this is difficult to implement for assignments without significant backtracking: + +```Lua +local rootUtils = require("../rootUtils") +{ .homeDir, .workingDir } = rootUtils.rootFolders +``` + +Removing the braces and relying on dot prefixes is not a solution, as this still requires significant backtracking to resolve: + +```Lua +local rootUtils = require("../rootUtils") +.homeDir, .workingDir = rootUtils.rootFolders +``` + +As such, this proposal does not pursue these design directions further. \ No newline at end of file From c0cdcaf49d9c3f0c225083758c567c314531fed9 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Sat, 25 Jan 2025 14:04:36 -0800 Subject: [PATCH 02/44] Let's explore a different direction --- docs/syntax-destructuring.md | 66 ++++++++++++++++++------------------ 1 file changed, 33 insertions(+), 33 deletions(-) diff --git a/docs/syntax-destructuring.md b/docs/syntax-destructuring.md index cc6192e..310da91 100644 --- a/docs/syntax-destructuring.md +++ b/docs/syntax-destructuring.md @@ -8,32 +8,8 @@ Introduce a set of destructuring utilities that: - don't require parser backtrack - are consistent with Luau style -Specifically: - -1) A `...` unpacking expression: - ```Lua -local array: {string} -local dict: {daisy: string, emerald: string, florence: string} - -local amy, becca, chloe = array... -amy, becca, chloe = array... - -local daisy, emerald, florence = dict... -daisy, emerald, florence = dict... -``` - -2) A `...=` unpacking assignment: - -```Lua -local array: {string} -local dict: {daisy: string, emerald: string, florence: string} - -local amy, becca, chloe ...= array -amy, becca, chloe ...= array - -local daisy, emerald, florence ...= dict -daisy, emerald, florence ...= dict +-- TODO ``` ## Motivation @@ -90,20 +66,44 @@ get("/users", ({ ## Design -### Destructuring expression +### Multiple indexing -Today, Luau implements positional unpacking via `table.unpack`, but does not implement keyed unpacking. Additionally, the previous RFC made it clear that many Luau users seek a more concise syntax for this common task. +The RFC is built around the idea of being able to index multiple keys in a table simultaneously. The simplest form of this idea is introduced. -This proposal suggests the introduction of a new destructuring operator to replace `table.pack` for positional unpacking, and extend it to keyed unpacking. - -The `...` variadic token is selected, as it is not currently valid following an expression - it is only valid on its own. It also ties this operator to the concept of variadics and multiple returhs, which is appropriate. - -Positional unpacking is simple: +The `[]` indexing operator is extended to support comma-separated arguments, to simultaneously read from multiple keys at once: ``` local numbers = {3, 5, 11} -local three, five, eleven = numbers... +local three, five, eleven = numbers[1, 2, 3] +``` + +### Range indexing + +Multiple indexing can replace manual unpacking of tables with `table.unpack`. + +Instead of providing a list of keys, an inclusive range of keys can be specified with `[x : y]`, where `x` and `y` evaluate to a number. + +``` +local numbers = {3, 5, 11} + +local three, five, eleven = numbers[1 : 3] +``` + +Negative numbers are allowed, with symmetric behaviour to other Luau functions that accept negative indices (subtracting from the length of the table). + +``` +local numbers = {3, 5, 11} + +local three, five, eleven = numbers[1 : -1] +``` + +This can be extended to other types such as strings and buffers, to replace the relevant operations in their libraries. + +``` +local text = "Hello, world" + +local where = text[8 : -1] ``` From 01a3a929458df7a62a30fa86255d50a2bb03dd76 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Sat, 25 Jan 2025 16:12:10 -0800 Subject: [PATCH 03/44] Completed --- docs/syntax-destructuring.md | 295 ++++++++++++++++++++++++++++++++--- 1 file changed, 270 insertions(+), 25 deletions(-) diff --git a/docs/syntax-destructuring.md b/docs/syntax-destructuring.md index 310da91..c349b89 100644 --- a/docs/syntax-destructuring.md +++ b/docs/syntax-destructuring.md @@ -2,15 +2,13 @@ ## Summary -Introduce a set of destructuring utilities that: -- work with array & dictionary style tables -- work with both declaration and assignment -- don't require parser backtrack -- are consistent with Luau style +Introduce multiple indexing, an extension of table indexing that allows for multiple values to be read at the same time, with dedicated array and map shorthands for ergonomics. -```Lua --- TODO -``` +This allows for destructuring that: +- works with array & map style tables +- shortens both declaration and assignment +- doesn't require parser backtrack +- is consistent with Luau style ## Motivation @@ -66,25 +64,24 @@ get("/users", ({ ## Design -### Multiple indexing +The `[]` indexing operator is extended to support explicitly reading from multiple (potentially) non-consecutive keys at once, by provided a comma-separated set of expressions. -The RFC is built around the idea of being able to index multiple keys in a table simultaneously. The simplest form of this idea is introduced. - -The `[]` indexing operator is extended to support comma-separated arguments, to simultaneously read from multiple keys at once: - -``` +```Lua local numbers = {3, 5, 11} local three, five, eleven = numbers[1, 2, 3] ``` -### Range indexing - -Multiple indexing can replace manual unpacking of tables with `table.unpack`. - -Instead of providing a list of keys, an inclusive range of keys can be specified with `[x : y]`, where `x` and `y` evaluate to a number. +This will desugar to this behaviour exactly: +```Lua +local numbers = {3, 5, 11} +local three, five, eleven = numbers[1], numbers[2], numbers[3] ``` + +Arrays can read out an inclusive range of values from consecutively numbered keys. This is specified with `[x : y]`, where `x` and `y` evaluate to a number. + +```Lua local numbers = {3, 5, 11} local three, five, eleven = numbers[1 : 3] @@ -92,24 +89,38 @@ local three, five, eleven = numbers[1 : 3] Negative numbers are allowed, with symmetric behaviour to other Luau functions that accept negative indices (subtracting from the length of the table). -``` +```Lua local numbers = {3, 5, 11} local three, five, eleven = numbers[1 : -1] ``` -This can be extended to other types such as strings and buffers, to replace the relevant operations in their libraries. +Multiple index expressions run the risk of duplicating information already specified by the names of identifiers in declarations or re-assignments. -``` -local text = "Hello, world" +```Lua +local nicknames = { amelia = "amy", bethany = "beth", caroline = "carol" } -local where = text[8 : -1] +local amelia, bethany, caroline = nicknames["amelia", "bethany", "caroline"] + +amelia, bethany, caroline = nicknames["amelia", "bethany", "caroline"] ``` +If the expression appears on the right hand side of assignment to explicit identifiers, the keys may be implied to be the identifier strings. +```Lua +local nicknames = { amelia = "amy", bethany = "beth", caroline = "carol" } + +local amelia, bethany, caroline = nicknames[] + +amelia, bethany, caroline = nicknames[] +``` + +Implied keys do not correlate to identifier position; when positional indices are desired, use range shorthand instead. ## Alternatives +### Braces around identifier list during assignment + The previously popular RFC used braces around the list of identifiers to signal destructuring, and dot prefixes to disambiguate array and dictionary destructuring: ```Lua @@ -131,4 +142,238 @@ local rootUtils = require("../rootUtils") .homeDir, .workingDir = rootUtils.rootFolders ``` -As such, this proposal does not pursue these design directions further. \ No newline at end of file +It also does not provision for destructuring in the middle of an expression, which would be required for fully superseding library functions such as `table.unpack`. This would leave Luau in limbo with two ways of performing an unpack operation, where only one is valid most of the time. + +As such, this proposal does not pursue these design directions further, as the patterns it proposes struggle to be extrapolated and repeated elsewhere in Luau. + +### Indexing assignment + +To address the problems around assignment support, a large amount of effort was poured into finding a way of moving the destructuring syntax into the middle of the assignment. + +A `.=` and/or `[]=` assignment was considered for this, for maps and arrays respectively: + +```Lua +local amelia, bethany, caroline .= nicknames +local three, five, eleven []= numbers +``` + +However, this was discarded as it does not align with the design of other compound assignment operations, which mutate the left-hand-side and take the right-hand-side of the assignment as the right-hand-side of the operation itself. + +```Lua +local foo = {bar = "baz"} +foo .= "bar" +print(foo) --> baz +``` + +Many alternate syntaxes were considered, but discarded because it was unclear how to introduce a dinstinction between maps and arrays. They also didn't feel like they conformed to the "shape of Luau". + +```Lua +local amelia, bethany, caroline [=] nicknames +local amelia, bethany, caroline ...= nicknames +local ...amelia, bethany, caroline = nicknames +``` + +### Type-aware destructuring + +Another exploration revolved around deciding between array/map destructuring based on the type inferred for the right-hand-side. + +However, this was discarded because it made the behaviour of the assignment behave on non-local information, and was not clearly telegraphed by the syntax. It would also not work without a properly inferred type, making it unusable in the absence of type checking. + +### Open ranges + +A syntax for indexing open ranges was considered, where the start and/or end of the range would be implied to be the first/last index. + +```Lua +-- closed range +local three, five, eleven = numbers[1 : -1] + +-- range with open end index +local three, five, eleven = numbers[1 :] + +-- range with open start index +local three, five, eleven = numbers[: -1] + +-- range wih open start & end indexes +local three, five, eleven = numbers[:] +``` + +This is plausible to do, and is supported by ranges in other modern programming languages: + +``` Rust +// closed range +let slice = numbers[1..3] + +// range with open end index +let slice = numbers[1..] + +// range with open start index +let slice = numbers[..3] + +// range in open start & end indexes +let slice = numbers[..] +``` + +This proposal does not push for open ranges so as to limit the scope of the proposal, but they are explicitly left open as a option should we wish to pursue them at a later time. + +### Alternate range delimiters + +This proposal selected `:` as the token to act as the range delimiter. + +The `..` token was considered. However, this was discarded because it would be ambiguous with string concatenation. + +```Lua +local foo = bar["hello" .. "world"] -- is this correct? +``` + +The `...` token was considered. However, this was discarded because it would be ambiguous with a variadic multiple index. + +```Lua +local function foo(...) + return bar[...] -- open range or variadic? +end +``` + +The `in` token was considered. However, this was discarded because it may appear misleading, sound awkward, or be incompatible with future expression syntax using `in` as an infix operator. + +```Lua +-- every third index? +-- a 1/3 chance? +-- test if 1 is found in 3? +local three, five, eleven = numbers[1 in 3] +``` + +A prefix `in` was also considered, but was decided against since it could be mistaken for non-range indexing. + +```Lua +local three, five, eleven = numbers[in 1, 3] -- in indexes 1 and 3? +``` + +Combining `in` with another one of the tokens was considered, but it was considered too verbose to be desirable. + +```Lua +local foo = bar[in 1 ... 3] +``` + +`in` also has the disadvantage of being associated with `for`, where it does not function as a range delimiter, nor a multiple indexer: + +```Lua +for key, value in numbers do -- `in` has a different job here +``` + +### Don't add ranges / Don't add implicit keys + +This proposal explicitly intends to add two shorthands: +- Range shorthand is designed for arrays. +- Implicit key shorthand is designed for maps. + +This ensures both are equally easy to destructure, and that the syntax explicitly looks different for both to avoid confusion. + +One of the previous grounds for RFC rejection was that the suggested destructuring method was asymmetric and unclear between dictionaries and arrays, and so this proposal intends to avoid that. + +### Alternate implicit key syntax + +An alternate `[local]` syntax was considered for implicit keys, to make it more visible after a function call: + +```Lua +local useState = require("@react")[local] +``` + +There is nothing functionally wrong with this, so the proposal doesn't discard this possibility, but it was deemed to have a slightly odd shape compared to other Luau constructs. It could also have an adverse effect on line length. + +### Implicit key renaming + +Renaming identifiers was considered with implicit keys, and should be possible with full backwards compatibility, and support for arbitrary expressions. + +```Lua +amelia in "amy", beth in "bethany", carol in "caroline" = nicknames[] +``` + +Notably, this would allow the use of implicit keys with only some keys renamed, useful for avoiding namespace collisions: + +```Lua +local useEffect, useReactState in "useState", useMemo = require("@react")[] +local useState = require("@game/reactUtils")[] +``` + +However, it means we would need to reject this syntax for expressions without implicit keys: + +```Lua +local foo in "bar" = 2 + 2 -- not valid +``` + +However, renaming is already *technically* doable via shadowing: + +```Lua +local useState = require("@react")[] +local useReactState = useState +local useState = require("@game/reactUtils")[] +``` + +It is also possible with the explicit syntax: + +```Lua +local useEffect, useReactState, useMemo = require("@react")["useEffect", "useState", "useMemo"] +local useState = require("@game/reactUtils")[] +``` + +This proposal doesn't *reject* the idea of renaming, but considers it out of scope for now as it could potentially introduce a significant level of added complexity, and can be worked around in many ways. + +### Implicit positional keys + +It was considered whether to add a second "positional" implicit mode, and disambiguate between positional and identifier modes using syntax. + +```Lua +-- Hypothetical syntax +amelia, bethany, caroline = nicknames[.] +three, five, eleven = numbers[#] +``` + +However, all syntax choices led to suboptimal outcomes, where an open range would be equally concise, equal in functionality, and more consistent with the rest of the proposal. Not to mention, all syntax that is added is syntax that could block future RFCs. + +As such, the proposal is fine leaving implicit keys with only one mode for simplicity, as it is wildly counterproductive to have two equally valid ways of doing the same thing. + +```Lua +-- As proposed (w/ open ranges) +amelia, bethany, caroline = nicknames[] +three, five, eleven = numbers[:] +``` + +### Don't do anything + +This is always an option, given how much faff there has been trying to get a feature like this into Luau! + +However, it's clear there is widespread and loud demand for something like this, given the response to the previous RFC, and the disappointment after it was discarded at the last minute over design concerns. + +The main argument for doing nothing is the concern over how to integrate it in a forwards-compatible and backwards-compatible way, which arises from previous RFCs focusing solely on the assignment list which is notably sensitive to ambiguity issues. + +This proposal thus looks elsewhere in the Luau grammar, and finds other places where ambiguity is not omnipresent, so as to avoid this pitfall. + +## Drawbacks + +### Array/map distinction + +A common sticking point in previous destructuring designs has been how to disambiguate array destructuring from map destructuring. + +This proposal attempts to solve this functionally by introducing two syntaxes, one for each: + +```Lua +-- As proposed (w/ open ranges) +amelia, bethany, caroline = nicknames[] +three, five, eleven = numbers[:] + + +-- As proposed (closed ranges only) +amelia, bethany, caroline = nicknames[] +three, five, eleven = numbers[1 : -1] +``` + +While not strictly as intuitive as the design of previous RFCs, it solves every hard design problem nicely. That said, the proposal is still open to evolving this syntax based on feedback if the distinction is deemed unclear. + +### Roblox - Property casing +Today in Roblox, every index doubly works with camel case, such as `part.position` being equivalent to `part.Position`. This use is considered deprecated and frowned upon. However, even with variable renaming, this becomes significantly more appealing. For example, it is common you will only want a few pieces of information from a `RaycastResult`, so you might be tempted to write: + +```lua +local { .position } = Workspace:Raycast(etc) +``` + +...which would work as you expect, but rely on this deprecated style. \ No newline at end of file From d78a1413e3142f1139b2ee11fd57acd3091c6e0b Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Sat, 25 Jan 2025 16:14:36 -0800 Subject: [PATCH 04/44] Last minute polish --- docs/syntax-destructuring.md | 9 ++++++--- 1 file changed, 6 insertions(+), 3 deletions(-) diff --git a/docs/syntax-destructuring.md b/docs/syntax-destructuring.md index c349b89..7b33266 100644 --- a/docs/syntax-destructuring.md +++ b/docs/syntax-destructuring.md @@ -84,10 +84,10 @@ Arrays can read out an inclusive range of values from consecutively numbered key ```Lua local numbers = {3, 5, 11} -local three, five, eleven = numbers[1 : 3] +local three, five, eleven = numbers[1 : #numbers] ``` -Negative numbers are allowed, with symmetric behaviour to other Luau functions that accept negative indices (subtracting from the length of the table). +Negative numbers are allowed, with symmetric behaviour to Luau standard library functions that accept negative indices (offset from the end of the table). ```Lua local numbers = {3, 5, 11} @@ -336,6 +336,10 @@ As such, the proposal is fine leaving implicit keys with only one mode for simpl -- As proposed (w/ open ranges) amelia, bethany, caroline = nicknames[] three, five, eleven = numbers[:] + +-- As proposed (closed ranges only) +amelia, bethany, caroline = nicknames[] +three, five, eleven = numbers[1 : -1] ``` ### Don't do anything @@ -361,7 +365,6 @@ This proposal attempts to solve this functionally by introducing two syntaxes, o amelia, bethany, caroline = nicknames[] three, five, eleven = numbers[:] - -- As proposed (closed ranges only) amelia, bethany, caroline = nicknames[] three, five, eleven = numbers[1 : -1] From 4dccd2ca1255a075cf0784c95682206e24ffa6c1 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Sat, 25 Jan 2025 16:16:20 -0800 Subject: [PATCH 05/44] Rename files --- docs/{syntax-destructuring.md => syntax-multiple-index.md} | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) rename docs/{syntax-destructuring.md => syntax-multiple-index.md} (99%) diff --git a/docs/syntax-destructuring.md b/docs/syntax-multiple-index.md similarity index 99% rename from docs/syntax-destructuring.md rename to docs/syntax-multiple-index.md index 7b33266..4700456 100644 --- a/docs/syntax-destructuring.md +++ b/docs/syntax-multiple-index.md @@ -1,4 +1,4 @@ -# Destructuring +# Multiple indexing ## Summary From e473d5d825adb19cb7ced889face9b39ee9a1aa4 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Sat, 25 Jan 2025 16:20:30 -0800 Subject: [PATCH 06/44] Update syntax-multiple-index.md --- docs/syntax-multiple-index.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/docs/syntax-multiple-index.md b/docs/syntax-multiple-index.md index 4700456..df20120 100644 --- a/docs/syntax-multiple-index.md +++ b/docs/syntax-multiple-index.md @@ -285,7 +285,7 @@ There is nothing functionally wrong with this, so the proposal doesn't discard t Renaming identifiers was considered with implicit keys, and should be possible with full backwards compatibility, and support for arbitrary expressions. ```Lua -amelia in "amy", beth in "bethany", carol in "caroline" = nicknames[] +amy in "amelia", beth in "bethany", carol in "caroline" = nicknames[] ``` Notably, this would allow the use of implicit keys with only some keys renamed, useful for avoiding namespace collisions: @@ -379,4 +379,4 @@ Today in Roblox, every index doubly works with camel case, such as `part.positio local { .position } = Workspace:Raycast(etc) ``` -...which would work as you expect, but rely on this deprecated style. \ No newline at end of file +...which would work as you expect, but rely on this deprecated style. From f5ab7a803d5cc554c633db948253ad22351a2606 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Sat, 25 Jan 2025 16:22:41 -0800 Subject: [PATCH 07/44] Update outdated code sample --- docs/syntax-multiple-index.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/docs/syntax-multiple-index.md b/docs/syntax-multiple-index.md index df20120..ed864c4 100644 --- a/docs/syntax-multiple-index.md +++ b/docs/syntax-multiple-index.md @@ -376,7 +376,7 @@ While not strictly as intuitive as the design of previous RFCs, it solves every Today in Roblox, every index doubly works with camel case, such as `part.position` being equivalent to `part.Position`. This use is considered deprecated and frowned upon. However, even with variable renaming, this becomes significantly more appealing. For example, it is common you will only want a few pieces of information from a `RaycastResult`, so you might be tempted to write: ```lua -local { .position } = Workspace:Raycast(etc) +local position = Workspace:Raycast(etc)[] ``` ...which would work as you expect, but rely on this deprecated style. From 2817cd6c70c732a2cd301cd8e9415d8879131552 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Sat, 25 Jan 2025 16:34:43 -0800 Subject: [PATCH 08/44] Fix ambiguity --- docs/syntax-multiple-index.md | 32 +++++++++++++++++++------------- 1 file changed, 19 insertions(+), 13 deletions(-) diff --git a/docs/syntax-multiple-index.md b/docs/syntax-multiple-index.md index ed864c4..904e00e 100644 --- a/docs/syntax-multiple-index.md +++ b/docs/syntax-multiple-index.md @@ -79,12 +79,12 @@ local numbers = {3, 5, 11} local three, five, eleven = numbers[1], numbers[2], numbers[3] ``` -Arrays can read out an inclusive range of values from consecutively numbered keys. This is specified with `[x : y]`, where `x` and `y` evaluate to a number. +Arrays can read out an inclusive range of values from consecutively numbered keys. This is specified with `[x | y]`, where `x` and `y` evaluate to a number. ```Lua local numbers = {3, 5, 11} -local three, five, eleven = numbers[1 : #numbers] +local three, five, eleven = numbers[1 | #numbers] ``` Negative numbers are allowed, with symmetric behaviour to Luau standard library functions that accept negative indices (offset from the end of the table). @@ -92,7 +92,7 @@ Negative numbers are allowed, with symmetric behaviour to Luau standard library ```Lua local numbers = {3, 5, 11} -local three, five, eleven = numbers[1 : -1] +local three, five, eleven = numbers[1 | -1] ``` Multiple index expressions run the risk of duplicating information already specified by the names of identifiers in declarations or re-assignments. @@ -185,16 +185,16 @@ A syntax for indexing open ranges was considered, where the start and/or end of ```Lua -- closed range -local three, five, eleven = numbers[1 : -1] +local three, five, eleven = numbers[1 -> -1] -- range with open end index -local three, five, eleven = numbers[1 :] +local three, five, eleven = numbers[1 ->] -- range with open start index -local three, five, eleven = numbers[: -1] +local three, five, eleven = numbers[-> -1] -- range wih open start & end indexes -local three, five, eleven = numbers[:] +local three, five, eleven = numbers[->] ``` This is plausible to do, and is supported by ranges in other modern programming languages: @@ -217,7 +217,13 @@ This proposal does not push for open ranges so as to limit the scope of the prop ### Alternate range delimiters -This proposal selected `:` as the token to act as the range delimiter. +This proposal selected `->` as the token to act as the range delimiter. + +The `:` token was considered. However, this was discarded because it would be ambiguous with method call syntax. + +```Lua +local foo = bar[baz : garb()] -- ambiguous +``` The `..` token was considered. However, this was discarded because it would be ambiguous with string concatenation. @@ -328,18 +334,18 @@ amelia, bethany, caroline = nicknames[.] three, five, eleven = numbers[#] ``` -However, all syntax choices led to suboptimal outcomes, where an open range would be equally concise, equal in functionality, and more consistent with the rest of the proposal. Not to mention, all syntax that is added is syntax that could block future RFCs. +However, all syntax choices led to suboptimal outcomes, where an open range would be similarly concise, equal in functionality, and more consistent with the rest of the proposal. Not to mention, all syntax that is added is syntax that could block future RFCs. As such, the proposal is fine leaving implicit keys with only one mode for simplicity, as it is wildly counterproductive to have two equally valid ways of doing the same thing. ```Lua -- As proposed (w/ open ranges) amelia, bethany, caroline = nicknames[] -three, five, eleven = numbers[:] +three, five, eleven = numbers[->] -- As proposed (closed ranges only) amelia, bethany, caroline = nicknames[] -three, five, eleven = numbers[1 : -1] +three, five, eleven = numbers[1 -> -1] ``` ### Don't do anything @@ -363,11 +369,11 @@ This proposal attempts to solve this functionally by introducing two syntaxes, o ```Lua -- As proposed (w/ open ranges) amelia, bethany, caroline = nicknames[] -three, five, eleven = numbers[:] +three, five, eleven = numbers[->] -- As proposed (closed ranges only) amelia, bethany, caroline = nicknames[] -three, five, eleven = numbers[1 : -1] +three, five, eleven = numbers[1 -> -1] ``` While not strictly as intuitive as the design of previous RFCs, it solves every hard design problem nicely. That said, the proposal is still open to evolving this syntax based on feedback if the distinction is deemed unclear. From f505820dba042824b2c0e5940dbee4ce93dc3a34 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Sat, 25 Jan 2025 16:35:29 -0800 Subject: [PATCH 09/44] Update syntax-multiple-index.md --- docs/syntax-multiple-index.md | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/docs/syntax-multiple-index.md b/docs/syntax-multiple-index.md index 904e00e..f605157 100644 --- a/docs/syntax-multiple-index.md +++ b/docs/syntax-multiple-index.md @@ -79,12 +79,12 @@ local numbers = {3, 5, 11} local three, five, eleven = numbers[1], numbers[2], numbers[3] ``` -Arrays can read out an inclusive range of values from consecutively numbered keys. This is specified with `[x | y]`, where `x` and `y` evaluate to a number. +Arrays can read out an inclusive range of values from consecutively numbered keys. This is specified with `[x -> y]`, where `x` and `y` evaluate to a number. ```Lua local numbers = {3, 5, 11} -local three, five, eleven = numbers[1 | #numbers] +local three, five, eleven = numbers[1 -> #numbers] ``` Negative numbers are allowed, with symmetric behaviour to Luau standard library functions that accept negative indices (offset from the end of the table). @@ -92,7 +92,7 @@ Negative numbers are allowed, with symmetric behaviour to Luau standard library ```Lua local numbers = {3, 5, 11} -local three, five, eleven = numbers[1 | -1] +local three, five, eleven = numbers[1 -> -1] ``` Multiple index expressions run the risk of duplicating information already specified by the names of identifiers in declarations or re-assignments. From 8c69445f14db96d9b13c73126391515b92b72375 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Sat, 25 Jan 2025 16:53:02 -0800 Subject: [PATCH 10/44] world's first Luau proposal that reuses the `until` keyword --- docs/syntax-multiple-index.md | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/docs/syntax-multiple-index.md b/docs/syntax-multiple-index.md index f605157..32d0af1 100644 --- a/docs/syntax-multiple-index.md +++ b/docs/syntax-multiple-index.md @@ -225,6 +225,12 @@ The `:` token was considered. However, this was discarded because it would be am local foo = bar[baz : garb()] -- ambiguous ``` +The `until` token was considered. This is not ambiguous, but was discarded for now over concerns about verbosity. + +```Lua +local foo = bar[1 until 3] +``` + The `..` token was considered. However, this was discarded because it would be ambiguous with string concatenation. ```Lua From 7867133578ceb9ca4acce9a28dd29b49ca7b387c Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Sat, 25 Jan 2025 16:57:24 -0800 Subject: [PATCH 11/44] `until` as operator --- docs/syntax-multiple-index.md | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/docs/syntax-multiple-index.md b/docs/syntax-multiple-index.md index 32d0af1..198f4db 100644 --- a/docs/syntax-multiple-index.md +++ b/docs/syntax-multiple-index.md @@ -231,6 +231,12 @@ The `until` token was considered. This is not ambiguous, but was discarded for n local foo = bar[1 until 3] ``` +However, `until` could plausibly be implemented as its own operator since it is used by almost nothing else. The utility of this is questionable but it is interesting. + +```Lua +local one, two, three = 1 until 3 +``` + The `..` token was considered. However, this was discarded because it would be ambiguous with string concatenation. ```Lua From b1e00d1eb9f9c6cb798973fb9749e56c58ef22d3 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Sat, 25 Jan 2025 16:58:06 -0800 Subject: [PATCH 12/44] For loop example --- docs/syntax-multiple-index.md | 4 ++++ 1 file changed, 4 insertions(+) diff --git a/docs/syntax-multiple-index.md b/docs/syntax-multiple-index.md index 198f4db..af51537 100644 --- a/docs/syntax-multiple-index.md +++ b/docs/syntax-multiple-index.md @@ -235,6 +235,10 @@ However, `until` could plausibly be implemented as its own operator since it is ```Lua local one, two, three = 1 until 3 + +for numbers in {1 until 3} do + -- ... +end ``` The `..` token was considered. However, this was discarded because it would be ambiguous with string concatenation. From d49d29f73af4ae2ad83e6f98146e02fa0dff121f Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Sat, 25 Jan 2025 16:58:46 -0800 Subject: [PATCH 13/44] Nope that's ambiguous --- docs/syntax-multiple-index.md | 10 ---------- 1 file changed, 10 deletions(-) diff --git a/docs/syntax-multiple-index.md b/docs/syntax-multiple-index.md index af51537..32d0af1 100644 --- a/docs/syntax-multiple-index.md +++ b/docs/syntax-multiple-index.md @@ -231,16 +231,6 @@ The `until` token was considered. This is not ambiguous, but was discarded for n local foo = bar[1 until 3] ``` -However, `until` could plausibly be implemented as its own operator since it is used by almost nothing else. The utility of this is questionable but it is interesting. - -```Lua -local one, two, three = 1 until 3 - -for numbers in {1 until 3} do - -- ... -end -``` - The `..` token was considered. However, this was discarded because it would be ambiguous with string concatenation. ```Lua From 004b9168ce82c6ed8f49ea26c6afd2a5814fe2c1 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Sat, 25 Jan 2025 17:26:47 -0800 Subject: [PATCH 14/44] Add local...in syntax --- docs/syntax-multiple-index.md | 10 ++++++++++ 1 file changed, 10 insertions(+) diff --git a/docs/syntax-multiple-index.md b/docs/syntax-multiple-index.md index 32d0af1..3972cec 100644 --- a/docs/syntax-multiple-index.md +++ b/docs/syntax-multiple-index.md @@ -292,6 +292,16 @@ local useState = require("@react")[local] There is nothing functionally wrong with this, so the proposal doesn't discard this possibility, but it was deemed to have a slightly odd shape compared to other Luau constructs. It could also have an adverse effect on line length. +A `local...in` syntax was considered to make the relationship between identifiers and the indexing operation clearer. + +```Lua +local amelia, bethany, carol in nicknames +amelia, bethany, carol in nicknames +``` + +This was tacitly discarded for now over concerns that the reassignment doesn't seem obvious, and may not make intuitive sense when considered together with `for..in` syntax. + + ### Implicit key renaming Renaming identifiers was considered with implicit keys, and should be possible with full backwards compatibility, and support for arbitrary expressions. From 9354bbd4ef2833622881d6b3b281277fb33a08b2 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Sat, 25 Jan 2025 17:29:25 -0800 Subject: [PATCH 15/44] Add comment on braces prefix --- docs/syntax-multiple-index.md | 9 +++++++++ 1 file changed, 9 insertions(+) diff --git a/docs/syntax-multiple-index.md b/docs/syntax-multiple-index.md index 3972cec..0abed4c 100644 --- a/docs/syntax-multiple-index.md +++ b/docs/syntax-multiple-index.md @@ -146,6 +146,15 @@ It also does not provision for destructuring in the middle of an expression, whi As such, this proposal does not pursue these design directions further, as the patterns it proposes struggle to be extrapolated and repeated elsewhere in Luau. +There is a hypothetical way forward for this idea if the braces have a prefix. + +```Lua +-- One possible prefix +local rootUtils = require("../rootUtils") +local in { .homeDir, .workingDir } = rootUtils.rootFolders +in { .homeDir, .workingDir } = rootUtils.rootFolders +``` + ### Indexing assignment To address the problems around assignment support, a large amount of effort was poured into finding a way of moving the destructuring syntax into the middle of the assignment. From b4a786d8d4141a4cb81b5a53360ca1ee7b637632 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Tue, 28 Jan 2025 09:59:39 -0800 Subject: [PATCH 16/44] Reworking --- docs/syntax-multiple-index.md | 275 ++++------------------------------ 1 file changed, 31 insertions(+), 244 deletions(-) diff --git a/docs/syntax-multiple-index.md b/docs/syntax-multiple-index.md index 0abed4c..14ba696 100644 --- a/docs/syntax-multiple-index.md +++ b/docs/syntax-multiple-index.md @@ -64,62 +64,49 @@ get("/users", ({ ## Design -The `[]` indexing operator is extended to support explicitly reading from multiple (potentially) non-consecutive keys at once, by provided a comma-separated set of expressions. +## Structure matcher + +This proposal will use the term *structure matcher* to refer to syntax for retrieving values from table structures. + +Structure matchers can appear: +- In place of the identifiers in a `local ... = ...` declaration statement +- In place of the identifiers in a `... = ...` assignment statement + +A structure matcher starts with the `in` keyword, followed by braces. The keyword is necessary to avoid ambiguity on the LHS of assignments. ```Lua -local numbers = {3, 5, 11} - -local three, five, eleven = numbers[1, 2, 3] +local in { } = data +in { } = data ``` -This will desugar to this behaviour exactly: +### Matching using dot indexing + +Luau inherits the "dot indexing" shorthand, allowing string keys to be easily indexed: ```Lua -local numbers = {3, 5, 11} -local three, five, eleven = numbers[1], numbers[2], numbers[3] +local foo, bar = data.foo, data.bar ``` -Arrays can read out an inclusive range of values from consecutively numbered keys. This is specified with `[x -> y]`, where `x` and `y` evaluate to a number. +In structure matchers, identifiers can be specified with a dot prefix in a similar fashion. + +The identifier acts both as the bound variable name, and as the index to use. ```Lua -local numbers = {3, 5, 11} - -local three, five, eleven = numbers[1 -> #numbers] +local in { .foo, .bar } = data +in { .foo, .bar } = data ``` -Negative numbers are allowed, with symmetric behaviour to Luau standard library functions that accept negative indices (offset from the end of the table). +This desugars to: ```Lua -local numbers = {3, 5, 11} - -local three, five, eleven = numbers[1 -> -1] +local foo, bar = data.foo, data.bar +foo, bar = data.foo, data.bar ``` -Multiple index expressions run the risk of duplicating information already specified by the names of identifiers in declarations or re-assignments. - -```Lua -local nicknames = { amelia = "amy", bethany = "beth", caroline = "carol" } - -local amelia, bethany, caroline = nicknames["amelia", "bethany", "caroline"] - -amelia, bethany, caroline = nicknames["amelia", "bethany", "caroline"] -``` - -If the expression appears on the right hand side of assignment to explicit identifiers, the keys may be implied to be the identifier strings. - -```Lua -local nicknames = { amelia = "amy", bethany = "beth", caroline = "carol" } - -local amelia, bethany, caroline = nicknames[] - -amelia, bethany, caroline = nicknames[] -``` - -Implied keys do not correlate to identifier position; when positional indices are desired, use range shorthand instead. ## Alternatives -### Braces around identifier list during assignment +### Braces around identifier list without prefix The previously popular RFC used braces around the list of identifiers to signal destructuring, and dot prefixes to disambiguate array and dictionary destructuring: @@ -146,15 +133,6 @@ It also does not provision for destructuring in the middle of an expression, whi As such, this proposal does not pursue these design directions further, as the patterns it proposes struggle to be extrapolated and repeated elsewhere in Luau. -There is a hypothetical way forward for this idea if the braces have a prefix. - -```Lua --- One possible prefix -local rootUtils = require("../rootUtils") -local in { .homeDir, .workingDir } = rootUtils.rootFolders -in { .homeDir, .workingDir } = rootUtils.rootFolders -``` - ### Indexing assignment To address the problems around assignment support, a large amount of effort was poured into finding a way of moving the destructuring syntax into the middle of the assignment. @@ -188,189 +166,14 @@ Another exploration revolved around deciding between array/map destructuring bas However, this was discarded because it made the behaviour of the assignment behave on non-local information, and was not clearly telegraphed by the syntax. It would also not work without a properly inferred type, making it unusable in the absence of type checking. -### Open ranges +### Multiple indexing -A syntax for indexing open ranges was considered, where the start and/or end of the range would be implied to be the first/last index. +A syntax for indexing multiple locations in a table was considered, but rejected by the Luau team over concerns it could be confused for multi-dimensional array syntax. ```Lua --- closed range -local three, five, eleven = numbers[1 -> -1] +local numbers = {3, 5, 11} --- range with open end index -local three, five, eleven = numbers[1 ->] - --- range with open start index -local three, five, eleven = numbers[-> -1] - --- range wih open start & end indexes -local three, five, eleven = numbers[->] -``` - -This is plausible to do, and is supported by ranges in other modern programming languages: - -``` Rust -// closed range -let slice = numbers[1..3] - -// range with open end index -let slice = numbers[1..] - -// range with open start index -let slice = numbers[..3] - -// range in open start & end indexes -let slice = numbers[..] -``` - -This proposal does not push for open ranges so as to limit the scope of the proposal, but they are explicitly left open as a option should we wish to pursue them at a later time. - -### Alternate range delimiters - -This proposal selected `->` as the token to act as the range delimiter. - -The `:` token was considered. However, this was discarded because it would be ambiguous with method call syntax. - -```Lua -local foo = bar[baz : garb()] -- ambiguous -``` - -The `until` token was considered. This is not ambiguous, but was discarded for now over concerns about verbosity. - -```Lua -local foo = bar[1 until 3] -``` - -The `..` token was considered. However, this was discarded because it would be ambiguous with string concatenation. - -```Lua -local foo = bar["hello" .. "world"] -- is this correct? -``` - -The `...` token was considered. However, this was discarded because it would be ambiguous with a variadic multiple index. - -```Lua -local function foo(...) - return bar[...] -- open range or variadic? -end -``` - -The `in` token was considered. However, this was discarded because it may appear misleading, sound awkward, or be incompatible with future expression syntax using `in` as an infix operator. - -```Lua --- every third index? --- a 1/3 chance? --- test if 1 is found in 3? -local three, five, eleven = numbers[1 in 3] -``` - -A prefix `in` was also considered, but was decided against since it could be mistaken for non-range indexing. - -```Lua -local three, five, eleven = numbers[in 1, 3] -- in indexes 1 and 3? -``` - -Combining `in` with another one of the tokens was considered, but it was considered too verbose to be desirable. - -```Lua -local foo = bar[in 1 ... 3] -``` - -`in` also has the disadvantage of being associated with `for`, where it does not function as a range delimiter, nor a multiple indexer: - -```Lua -for key, value in numbers do -- `in` has a different job here -``` - -### Don't add ranges / Don't add implicit keys - -This proposal explicitly intends to add two shorthands: -- Range shorthand is designed for arrays. -- Implicit key shorthand is designed for maps. - -This ensures both are equally easy to destructure, and that the syntax explicitly looks different for both to avoid confusion. - -One of the previous grounds for RFC rejection was that the suggested destructuring method was asymmetric and unclear between dictionaries and arrays, and so this proposal intends to avoid that. - -### Alternate implicit key syntax - -An alternate `[local]` syntax was considered for implicit keys, to make it more visible after a function call: - -```Lua -local useState = require("@react")[local] -``` - -There is nothing functionally wrong with this, so the proposal doesn't discard this possibility, but it was deemed to have a slightly odd shape compared to other Luau constructs. It could also have an adverse effect on line length. - -A `local...in` syntax was considered to make the relationship between identifiers and the indexing operation clearer. - -```Lua -local amelia, bethany, carol in nicknames -amelia, bethany, carol in nicknames -``` - -This was tacitly discarded for now over concerns that the reassignment doesn't seem obvious, and may not make intuitive sense when considered together with `for..in` syntax. - - -### Implicit key renaming - -Renaming identifiers was considered with implicit keys, and should be possible with full backwards compatibility, and support for arbitrary expressions. - -```Lua -amy in "amelia", beth in "bethany", carol in "caroline" = nicknames[] -``` - -Notably, this would allow the use of implicit keys with only some keys renamed, useful for avoiding namespace collisions: - -```Lua -local useEffect, useReactState in "useState", useMemo = require("@react")[] -local useState = require("@game/reactUtils")[] -``` - -However, it means we would need to reject this syntax for expressions without implicit keys: - -```Lua -local foo in "bar" = 2 + 2 -- not valid -``` - -However, renaming is already *technically* doable via shadowing: - -```Lua -local useState = require("@react")[] -local useReactState = useState -local useState = require("@game/reactUtils")[] -``` - -It is also possible with the explicit syntax: - -```Lua -local useEffect, useReactState, useMemo = require("@react")["useEffect", "useState", "useMemo"] -local useState = require("@game/reactUtils")[] -``` - -This proposal doesn't *reject* the idea of renaming, but considers it out of scope for now as it could potentially introduce a significant level of added complexity, and can be worked around in many ways. - -### Implicit positional keys - -It was considered whether to add a second "positional" implicit mode, and disambiguate between positional and identifier modes using syntax. - -```Lua --- Hypothetical syntax -amelia, bethany, caroline = nicknames[.] -three, five, eleven = numbers[#] -``` - -However, all syntax choices led to suboptimal outcomes, where an open range would be similarly concise, equal in functionality, and more consistent with the rest of the proposal. Not to mention, all syntax that is added is syntax that could block future RFCs. - -As such, the proposal is fine leaving implicit keys with only one mode for simplicity, as it is wildly counterproductive to have two equally valid ways of doing the same thing. - -```Lua --- As proposed (w/ open ranges) -amelia, bethany, caroline = nicknames[] -three, five, eleven = numbers[->] - --- As proposed (closed ranges only) -amelia, bethany, caroline = nicknames[] -three, five, eleven = numbers[1 -> -1] +local three, five, eleven = numbers[1, 2, 3] ``` ### Don't do anything @@ -379,29 +182,13 @@ This is always an option, given how much faff there has been trying to get a fea However, it's clear there is widespread and loud demand for something like this, given the response to the previous RFC, and the disappointment after it was discarded at the last minute over design concerns. -The main argument for doing nothing is the concern over how to integrate it in a forwards-compatible and backwards-compatible way, which arises from previous RFCs focusing solely on the assignment list which is notably sensitive to ambiguity issues. - -This proposal thus looks elsewhere in the Luau grammar, and finds other places where ambiguity is not omnipresent, so as to avoid this pitfall. +The main argument for doing nothing is the concern over how to integrate it in a forwards-compatible and backwards-compatible way. This proposal thus looks to resolve those ambiguities in the Luau grammar so as to avoid this pitfall. ## Drawbacks -### Array/map distinction +### Use of `in` keyword as infix operator -A common sticking point in previous destructuring designs has been how to disambiguate array destructuring from map destructuring. - -This proposal attempts to solve this functionally by introducing two syntaxes, one for each: - -```Lua --- As proposed (w/ open ranges) -amelia, bethany, caroline = nicknames[] -three, five, eleven = numbers[->] - --- As proposed (closed ranges only) -amelia, bethany, caroline = nicknames[] -three, five, eleven = numbers[1 -> -1] -``` - -While not strictly as intuitive as the design of previous RFCs, it solves every hard design problem nicely. That said, the proposal is still open to evolving this syntax based on feedback if the distinction is deemed unclear. +By allowing `in` at the start of a statement, we preclude the use of `in` as an infix operator at any point in the future. There have been some discussions about a similar operator in the past, but they have not seen any clear support, so this proposal decided to use this keyword. ### Roblox - Property casing Today in Roblox, every index doubly works with camel case, such as `part.position` being equivalent to `part.Position`. This use is considered deprecated and frowned upon. However, even with variable renaming, this becomes significantly more appealing. For example, it is common you will only want a few pieces of information from a `RaycastResult`, so you might be tempted to write: From 198cf7a67802420343964cd962ba00ef8a5157e7 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Tue, 28 Jan 2025 16:11:19 -0800 Subject: [PATCH 17/44] This seems OK --- docs/syntax-multiple-index.md | 296 ++++++++++++++++++++++++++-------- 1 file changed, 227 insertions(+), 69 deletions(-) diff --git a/docs/syntax-multiple-index.md b/docs/syntax-multiple-index.md index 14ba696..2d20414 100644 --- a/docs/syntax-multiple-index.md +++ b/docs/syntax-multiple-index.md @@ -1,21 +1,15 @@ -# Multiple indexing +# Structure matching ## Summary -Introduce multiple indexing, an extension of table indexing that allows for multiple values to be read at the same time, with dedicated array and map shorthands for ergonomics. +Agree on the generic syntax for *structure matching* - a prerequisite to implementing destructuring in any part of Luau. -This allows for destructuring that: -- works with array & map style tables -- shortens both declaration and assignment -- doesn't require parser backtrack -- is consistent with Luau style +This is intended as a spiritual successor to the older ["Key destructuring" RFC by Kampfkarren](https://github.com/luau-lang/rfcs/pull/24), which was very popular but requires more rigour and wider consensus to have confidence implementing the feature. + +**This is not an implementation RFC.** ## Motivation -This is intended as a spiritual successor to the older ["Key destructuring" RFC by Kampfkarren](https://github.com/luau-lang/rfcs/pull/24), which was very popular but was unfortunately not able to survive implementation concerns. - ----- - Simple indexes on tables are very common both in and outside of Luau. A common use case is large libraries. It is common in the web world to see something like: ```js @@ -64,78 +58,156 @@ get("/users", ({ ## Design -## Structure matcher +This proposal does not specify any specific locations where this syntax should appear. Instead, the aim is to get consensus on the syntax we would be most comfortable with for all instances of destructuring we may choose to implement at a later date. -This proposal will use the term *structure matcher* to refer to syntax for retrieving values from table structures. +In particular, this proposal punts on implementation at sites of usage: -Structure matchers can appear: -- In place of the identifiers in a `local ... = ...` declaration statement -- In place of the identifiers in a `... = ...` assignment statement +- Destructuring re-assignment (as opposed to destructuring `local` declarations) +- Defaults for destructured fields (unclear how this interacts with function default arguments) +- Unnamed function parameters (destructuring a parameter doesn't name the parameter) -A structure matcher starts with the `in` keyword, followed by braces. The keyword is necessary to avoid ambiguity on the LHS of assignments. +The purpose of this proposal is to instead find consensus on specific syntax for the matching itself. + +This proposal puts forward a superset of syntax, able to match any table shape, with logical and simple desugaring, giving a rigorous foundation to the previously agreed-upon concise syntaxes. + +### Structure matching + +This proposal will use the term *structure matcher* to refer to syntax for retrieving values from table structures. + +The most basic structure matcher is a set of empty braces. All matching syntax occurs between these braces. ```Lua -local in { } = data -in { } = data +{ } ``` -### Matching using dot indexing +Empty structure matchers like these are not invalid (they still fit the pattern), but aren't very useful - linting for these makes sense. -Luau inherits the "dot indexing" shorthand, allowing string keys to be easily indexed: +#### Basic matching + +This is the most verbose, but compatible way of matching values. + +Keys are specified in square brackets, and are allowed to evaluate to any currently valid key (i.e. not `nil`, plus any other constraints in the current context). + +An identifier is specified on the right hand side, showing where the value will be saved to. + +*Open question: are we OK with having no delimiter between key and name? Discuss in comments.* ```Lua -local foo, bar = data.foo, data.bar -``` - -In structure matchers, identifiers can be specified with a dot prefix in a similar fashion. - -The identifier acts both as the bound variable name, and as the index to use. - -```Lua -local in { .foo, .bar } = data -in { .foo, .bar } = data +{ [1] foo, [#data] bar } ``` This desugars to: ```Lua -local foo, bar = data.foo, data.bar -foo, bar = data.foo, data.bar +foo, bar = data["foo"], data[bar()] +``` + +#### Dot keys with names + +Keys that are valid Luau identifiers can be expressed as `.key` instead of `["key"]`. + +```Lua +{ .foo myFoo, .bar myBar } +``` + +This desugars once to: + +```Lua +{ ["foo"] myFoo, ["bar"] myBar } +``` + +Then desugars again to: + +``` +myFoo, myBar = data["foo"], data["bar"] +``` + +#### Dot keys without names + +When using dot keys, the second identifier can be skipped if the destination uses the same identifier as the key. + +```Lua +{ .foo, .bar } +``` + +This desugars once to: + +```Lua +{ .foo foo, .bar bar } +``` + +Then desugars twice to: + +```Lua +{ ["foo"] foo, ["bar"] bar } +``` + +Then desugars again to: + +``` +foo, bar = data["foo"], data["bar"] +``` + +#### Consecutive keys + +Consecutive keys can be implicitly expressed by dropping the key. + +*Open question: are we OK with this in the context of dot keys without names? Discuss in comments.* + +```Lua +{ foo, bar } +``` + +This desugars once to: + +```Lua +{ [1] foo, [2] bar } +``` + +Then desugars again to: + +``` +foo, bar = data[1], data[2] +``` + +#### Nested structure + +A structure matcher can be specified on the right hand side of a key, to match nested structure inside of that key. + +An identifier and a structure matcher cannot be used at the same time. Exclusively one or the other may be on the right hand side. + +*Open question: if we add a delimiter between key and identifier, do we need a delimiter here too? Discuss in comments.* + +Illustrated with the most verbose syntax: + +```Lua +{ [1] { ["foo"] { ["bar"] myBar } } } +``` + +This desugars to: + +```Lua +local myBar = data[1]["foo"]["bar"] +``` + +Dot keys and consecutive keys are compatible, and expected to be used for conciseness. + +```Lua +{{ .foo { .bar myBar } }} +``` + +This desugars to the same: + +```Lua +local myBar = data[1]["foo"]["bar"] ``` ## Alternatives -### Braces around identifier list without prefix - -The previously popular RFC used braces around the list of identifiers to signal destructuring, and dot prefixes to disambiguate array and dictionary destructuring: - -```Lua -local rootUtils = require("../rootUtils") -local { .homeDir, .workingDir } = rootUtils.rootFolders -``` - -One reservation cited would be that this is difficult to implement for assignments without significant backtracking: - -```Lua -local rootUtils = require("../rootUtils") -{ .homeDir, .workingDir } = rootUtils.rootFolders -``` - -Removing the braces and relying on dot prefixes is not a solution, as this still requires significant backtracking to resolve: - -```Lua -local rootUtils = require("../rootUtils") -.homeDir, .workingDir = rootUtils.rootFolders -``` - -It also does not provision for destructuring in the middle of an expression, which would be required for fully superseding library functions such as `table.unpack`. This would leave Luau in limbo with two ways of performing an unpack operation, where only one is valid most of the time. - -As such, this proposal does not pursue these design directions further, as the patterns it proposes struggle to be extrapolated and repeated elsewhere in Luau. - ### Indexing assignment -To address the problems around assignment support, a large amount of effort was poured into finding a way of moving the destructuring syntax into the middle of the assignment. +A large amount of effort was poured into finding a way of moving the destructuring syntax into the middle of the assignment. A `.=` and/or `[]=` assignment was considered for this, for maps and arrays respectively: @@ -182,19 +254,105 @@ This is always an option, given how much faff there has been trying to get a fea However, it's clear there is widespread and loud demand for something like this, given the response to the previous RFC, and the disappointment after it was discarded at the last minute over design concerns. -The main argument for doing nothing is the concern over how to integrate it in a forwards-compatible and backwards-compatible way. This proposal thus looks to resolve those ambiguities in the Luau grammar so as to avoid this pitfall. +This proposal aims to tackle such design concerns in stages, agreeing on each step with open communication and space for appraising details. ## Drawbacks -### Use of `in` keyword as infix operator +### Structure matchers at line starts -By allowing `in` at the start of a statement, we preclude the use of `in` as an infix operator at any point in the future. There have been some discussions about a similar operator in the past, but they have not seen any clear support, so this proposal decided to use this keyword. +This design precludes the use of a structure matcher at the start of a new line, among other places, because of ambiguity with function call syntax: -### Roblox - Property casing -Today in Roblox, every index doubly works with camel case, such as `part.position` being equivalent to `part.Position`. This use is considered deprecated and frowned upon. However, even with variable renaming, this becomes significantly more appealing. For example, it is common you will only want a few pieces of information from a `RaycastResult`, so you might be tempted to write: +```Lua +local foo = bar -```lua -local position = Workspace:Raycast(etc)[] +{ } -- bar { }? ``` -...which would work as you expect, but rely on this deprecated style. +Such call sites will need a starting token (perhaps a reserved or contextual keyword) to dispel the ambiguity. + +We could mandate a reserved or contextual keyword before all structure matchers: + +```Lua +match { .foo myFoo } +in { .foo myFoo } +``` + +But this proposal punts on the issue, as this is most relevant for only certain implementations of matching, and so is considered external to the main syntax. We are free to decide on this later, once we know what the syntax looks like inside of the braces, should we agree that braces are desirable in any case. + +### Matching nested structure with identifiers + +In *Nested structure*: + +> An identifier and a structure matcher cannot be used at the same time. Exclusively one or the other may be on the right hand side. + +This is because allowing this would introduce ambiguity with dot keys without names: + +To illustrate: suppose we allow the following combination of nested structure and dot keys with names: + +```Lua +{ .foo myFoo { .bar } } +``` + +Which would desugar to: + +```Lua +local myFoo, bar = data.foo, data.foo.bar +``` + +If we switch to dot keys without names: + +```Lua +{ .foo { .bar } } +``` + +How would this desugar? + +```Lua +local foo, bar = data.foo, data.foo.bar +-- or +local bar = data.foo.bar +``` + +This is why it is explicitly disallowed. + +### Consecutive key misreading + +Consider this syntax. + +```Lua +{ foo, bar, baz } +``` + +This desugars to: + +```Lua +{ [1] foo, [2] bar, [3] baz } +``` + +But an untrained observer may interpret it as: + +```Lua +{ .foo foo, .bar bar, .baz baz } +``` + +Of course, we have rigorously defined dot keys without names to allow for this use case: + +```Lua +{ .foo, .bar, .baz } +``` + +But, while it fits into the desugaring logic, it is an open question whether we feel this is sufficient distinction. + +One case in favour of this proposal is that Luau already uses similar syntax for array literals: + +```Lua +local myArray = { foo, bar, baz } +``` + +But one case against is that JavaScript uses brackets/braces to dinstinguish arrays and maps, and a Luau array looks like a JS map: + +```JS +let { foo, bar, baz } = data; +``` + +Whether this downside is actually significant enough should be discussed in comments though. \ No newline at end of file From fcc3e324add2b62a242fa3b638ef60ec2e13c733 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Tue, 28 Jan 2025 16:11:36 -0800 Subject: [PATCH 18/44] get renamed, nerd --- docs/{syntax-multiple-index.md => syntax-structure-matching.md} | 0 1 file changed, 0 insertions(+), 0 deletions(-) rename docs/{syntax-multiple-index.md => syntax-structure-matching.md} (100%) diff --git a/docs/syntax-multiple-index.md b/docs/syntax-structure-matching.md similarity index 100% rename from docs/syntax-multiple-index.md rename to docs/syntax-structure-matching.md From 3bb50be55d97f7a8b7acc4a8484d0b3d10bbaa13 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Tue, 28 Jan 2025 16:33:50 -0800 Subject: [PATCH 19/44] typo --- docs/syntax-structure-matching.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index 2d20414..f28805a 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -99,7 +99,7 @@ An identifier is specified on the right hand side, showing where the value will This desugars to: ```Lua -foo, bar = data["foo"], data[bar()] +foo, bar = data["foo"], data[#data] ``` #### Dot keys with names From 10498ab0ef86c2865b0a8a58bbac4c2510087b25 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Tue, 28 Jan 2025 16:46:54 -0800 Subject: [PATCH 20/44] Tuple-like tables --- docs/syntax-structure-matching.md | 10 +++++++++- 1 file changed, 9 insertions(+), 1 deletion(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index f28805a..15ec58b 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -355,4 +355,12 @@ But one case against is that JavaScript uses brackets/braces to dinstinguish arr let { foo, bar, baz } = data; ``` -Whether this downside is actually significant enough should be discussed in comments though. \ No newline at end of file +Whether this downside is actually significant enough should be discussed in comments though. + +Consecutive keys are arguably most useful when used with tuple-like types like `{1, "foo", true}`, as they can match each value by position: + +```Luau +{ id, text, isNeat } +``` + +However, Luau does not allow these types to be expressed at the moment. It isn't out of the question that we could support this in the future, so the door should likely be left open for tuple-like tables. \ No newline at end of file From da49909ce1c3c52461aa093b32694edef2c1d0cb Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Wed, 29 Jan 2025 10:56:01 -0800 Subject: [PATCH 21/44] Delimiters for bindings --- docs/syntax-structure-matching.md | 30 ++++++++++++++---------------- 1 file changed, 14 insertions(+), 16 deletions(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index 15ec58b..f89176d 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -88,12 +88,10 @@ This is the most verbose, but compatible way of matching values. Keys are specified in square brackets, and are allowed to evaluate to any currently valid key (i.e. not `nil`, plus any other constraints in the current context). -An identifier is specified on the right hand side, showing where the value will be saved to. - -*Open question: are we OK with having no delimiter between key and name? Discuss in comments.* +To save the value at that key, an `=` is used, and an identifier is specified on the right hand side, showing where the value will be saved to. ```Lua -{ [1] foo, [#data] bar } +{ [1] = foo, [#data] = bar } ``` This desugars to: @@ -107,13 +105,13 @@ foo, bar = data["foo"], data[#data] Keys that are valid Luau identifiers can be expressed as `.key` instead of `["key"]`. ```Lua -{ .foo myFoo, .bar myBar } +{ .foo = myFoo, .bar = myBar } ``` This desugars once to: ```Lua -{ ["foo"] myFoo, ["bar"] myBar } +{ ["foo"] = myFoo, ["bar"] = myBar } ``` Then desugars again to: @@ -133,13 +131,13 @@ When using dot keys, the second identifier can be skipped if the destination use This desugars once to: ```Lua -{ .foo foo, .bar bar } +{ .foo = foo, .bar = bar } ``` Then desugars twice to: ```Lua -{ ["foo"] foo, ["bar"] bar } +{ ["foo"] = foo, ["bar"] = bar } ``` Then desugars again to: @@ -161,7 +159,7 @@ Consecutive keys can be implicitly expressed by dropping the key. This desugars once to: ```Lua -{ [1] foo, [2] bar } +{ [1] = foo, [2] = bar } ``` Then desugars again to: @@ -181,7 +179,7 @@ An identifier and a structure matcher cannot be used at the same time. Exclusive Illustrated with the most verbose syntax: ```Lua -{ [1] { ["foo"] { ["bar"] myBar } } } +{ [1] { ["foo"] { ["bar"] = myBar } } } ``` This desugars to: @@ -193,7 +191,7 @@ local myBar = data[1]["foo"]["bar"] Dot keys and consecutive keys are compatible, and expected to be used for conciseness. ```Lua -{{ .foo { .bar myBar } }} +{{ .foo { .bar = myBar } }} ``` This desugars to the same: @@ -273,8 +271,8 @@ Such call sites will need a starting token (perhaps a reserved or contextual key We could mandate a reserved or contextual keyword before all structure matchers: ```Lua -match { .foo myFoo } -in { .foo myFoo } +match { .foo = myFoo } +in { .foo = myFoo } ``` But this proposal punts on the issue, as this is most relevant for only certain implementations of matching, and so is considered external to the main syntax. We are free to decide on this later, once we know what the syntax looks like inside of the braces, should we agree that braces are desirable in any case. @@ -290,7 +288,7 @@ This is because allowing this would introduce ambiguity with dot keys without na To illustrate: suppose we allow the following combination of nested structure and dot keys with names: ```Lua -{ .foo myFoo { .bar } } +{ .foo = myFoo { .bar } } ``` Which would desugar to: @@ -326,13 +324,13 @@ Consider this syntax. This desugars to: ```Lua -{ [1] foo, [2] bar, [3] baz } +{ [1] = foo, [2] = bar, [3] = baz } ``` But an untrained observer may interpret it as: ```Lua -{ .foo foo, .bar bar, .baz baz } +{ .foo = foo, .bar = bar, .baz = baz } ``` Of course, we have rigorously defined dot keys without names to allow for this use case: From c2fadf8b8026d18c4bf355870e8aed0aaac9b78d Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Wed, 29 Jan 2025 11:00:29 -0800 Subject: [PATCH 22/44] Update note around nested structure = --- docs/syntax-structure-matching.md | 6 ++++-- 1 file changed, 4 insertions(+), 2 deletions(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index f89176d..94922c9 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -172,9 +172,11 @@ foo, bar = data[1], data[2] A structure matcher can be specified on the right hand side of a key, to match nested structure inside of that key. -An identifier and a structure matcher cannot be used at the same time. Exclusively one or the other may be on the right hand side. +No `=` is used, as this is not an assigning operation. -*Open question: if we add a delimiter between key and identifier, do we need a delimiter here too? Discuss in comments.* +*Open question: should we? or perhaps a different delimiter for visiting without binding? Discuss in comments.* + +An identifier and a structure matcher cannot be used at the same time. Exclusively one or the other may be on the right hand side. Illustrated with the most verbose syntax: From bf1a7195817a42bf1dcdd9974ff50b356f9e7550 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Wed, 29 Jan 2025 11:01:09 -0800 Subject: [PATCH 23/44] Simplify nested structure example --- docs/syntax-structure-matching.md | 17 +---------------- 1 file changed, 1 insertion(+), 16 deletions(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index 94922c9..93e207d 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -178,10 +178,8 @@ No `=` is used, as this is not an assigning operation. An identifier and a structure matcher cannot be used at the same time. Exclusively one or the other may be on the right hand side. -Illustrated with the most verbose syntax: - ```Lua -{ [1] { ["foo"] { ["bar"] = myBar } } } +{{ .foo { .bar = myBar } }} ``` This desugars to: @@ -190,19 +188,6 @@ This desugars to: local myBar = data[1]["foo"]["bar"] ``` -Dot keys and consecutive keys are compatible, and expected to be used for conciseness. - -```Lua -{{ .foo { .bar = myBar } }} -``` - -This desugars to the same: - -```Lua -local myBar = data[1]["foo"]["bar"] -``` - - ## Alternatives ### Indexing assignment From 2cc95ab374835c64a639b2dae2fdde03138b253d Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Wed, 29 Jan 2025 11:01:43 -0800 Subject: [PATCH 24/44] Simplify nested structure wording --- docs/syntax-structure-matching.md | 4 +--- 1 file changed, 1 insertion(+), 3 deletions(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index 93e207d..1ca2b0c 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -170,14 +170,12 @@ foo, bar = data[1], data[2] #### Nested structure -A structure matcher can be specified on the right hand side of a key, to match nested structure inside of that key. +A structure matcher can be specified instead of an identifier, to match nested structure inside of that key. This is compatible with consecutive keys and dot keys. No `=` is used, as this is not an assigning operation. *Open question: should we? or perhaps a different delimiter for visiting without binding? Discuss in comments.* -An identifier and a structure matcher cannot be used at the same time. Exclusively one or the other may be on the right hand side. - ```Lua {{ .foo { .bar = myBar } }} ``` From f6c14577c67ea0d8006ac684e0ef783eabdd01d0 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Wed, 29 Jan 2025 11:02:37 -0800 Subject: [PATCH 25/44] Show desugaring for nested structure --- docs/syntax-structure-matching.md | 8 +++++++- 1 file changed, 7 insertions(+), 1 deletion(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index 1ca2b0c..104f288 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -180,7 +180,13 @@ No `=` is used, as this is not an assigning operation. {{ .foo { .bar = myBar } }} ``` -This desugars to: +This desugars once to: + +```Lua +{ [1] { ["foo"] { ["bar"] = myBar } } } +``` + +Then desugars again to: ```Lua local myBar = data[1]["foo"]["bar"] From 3ef7e095a7a0f27642bbd28dfa365c590f6c3e39 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Wed, 29 Jan 2025 12:15:13 -0800 Subject: [PATCH 26/44] unpack syntax --- docs/syntax-structure-matching.md | 30 ++++++++++++++++++++++++------ 1 file changed, 24 insertions(+), 6 deletions(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index 104f288..b80999a 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -146,14 +146,12 @@ Then desugars again to: foo, bar = data["foo"], data["bar"] ``` -#### Consecutive keys +#### Unpacking -Consecutive keys can be implicitly expressed by dropping the key. - -*Open question: are we OK with this in the context of dot keys without names? Discuss in comments.* +Instead of listing out consecutive numeric keys, `unpack` can be used at the start of a matcher to implicitly key all subsequent items. This is useful for arrays and tuple-style tables. ```Lua -{ foo, bar } +{ unpack foo, bar } ``` This desugars once to: @@ -164,10 +162,30 @@ This desugars once to: Then desugars again to: -``` +```Lua foo, bar = data[1], data[2] ``` +`unpack` skips dot keys and explicitly written keys: + +```Lua +{ unpack foo, [10] = bar, baz, .garb } +``` + +This desugars once to: + +```Lua +{ [1] = foo, [10] = bar, [2] = baz, ["garb"] = garb } +``` + +Then desugars again to: + +```Lua +foo, bar, baz, garb = data[1], data[10], data[2], data["garb"] +``` + +It is invalid to specify an identifer without a key if `unpack` is not specified, for disambiguity with other languages. + #### Nested structure A structure matcher can be specified instead of an identifier, to match nested structure inside of that key. This is compatible with consecutive keys and dot keys. From 8931e7a4550a384536d883c8bcf0c31c64b84a9b Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Wed, 29 Jan 2025 12:15:30 -0800 Subject: [PATCH 27/44] Remove consecutive key downside --- docs/syntax-structure-matching.md | 52 +------------------------------ 1 file changed, 1 insertion(+), 51 deletions(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index b80999a..8f51228 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -320,54 +320,4 @@ local foo, bar = data.foo, data.foo.bar local bar = data.foo.bar ``` -This is why it is explicitly disallowed. - -### Consecutive key misreading - -Consider this syntax. - -```Lua -{ foo, bar, baz } -``` - -This desugars to: - -```Lua -{ [1] = foo, [2] = bar, [3] = baz } -``` - -But an untrained observer may interpret it as: - -```Lua -{ .foo = foo, .bar = bar, .baz = baz } -``` - -Of course, we have rigorously defined dot keys without names to allow for this use case: - -```Lua -{ .foo, .bar, .baz } -``` - -But, while it fits into the desugaring logic, it is an open question whether we feel this is sufficient distinction. - -One case in favour of this proposal is that Luau already uses similar syntax for array literals: - -```Lua -local myArray = { foo, bar, baz } -``` - -But one case against is that JavaScript uses brackets/braces to dinstinguish arrays and maps, and a Luau array looks like a JS map: - -```JS -let { foo, bar, baz } = data; -``` - -Whether this downside is actually significant enough should be discussed in comments though. - -Consecutive keys are arguably most useful when used with tuple-like types like `{1, "foo", true}`, as they can match each value by position: - -```Luau -{ id, text, isNeat } -``` - -However, Luau does not allow these types to be expressed at the moment. It isn't out of the question that we could support this in the future, so the door should likely be left open for tuple-like tables. \ No newline at end of file +This is why it is explicitly disallowed. \ No newline at end of file From f068d831ed91d2b66ee6e9c53bb6f622964aedb2 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Wed, 29 Jan 2025 12:16:56 -0800 Subject: [PATCH 28/44] Update nested structure example --- docs/syntax-structure-matching.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index 8f51228..8cfd449 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -188,14 +188,14 @@ It is invalid to specify an identifer without a key if `unpack` is not specified #### Nested structure -A structure matcher can be specified instead of an identifier, to match nested structure inside of that key. This is compatible with consecutive keys and dot keys. +A structure matcher can be specified instead of an identifier, to match nested structure inside of that key. This is compatible with unpacking and dot keys. No `=` is used, as this is not an assigning operation. *Open question: should we? or perhaps a different delimiter for visiting without binding? Discuss in comments.* ```Lua -{{ .foo { .bar = myBar } }} +{ unpack { .foo { .bar = myBar } }} ``` This desugars once to: From 4efa1eefe9f2d1df5b82c432bad8499e2f9dca37 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Wed, 29 Jan 2025 12:18:38 -0800 Subject: [PATCH 29/44] Update nested structure example --- docs/syntax-structure-matching.md | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index 8cfd449..3aeb073 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -195,19 +195,19 @@ No `=` is used, as this is not an assigning operation. *Open question: should we? or perhaps a different delimiter for visiting without binding? Discuss in comments.* ```Lua -{ unpack { .foo { .bar = myBar } }} +{ unpack { .foo { .bar } } { .baz } } ``` This desugars once to: ```Lua -{ [1] { ["foo"] { ["bar"] = myBar } } } +{ [1] { ["foo"] { ["bar"] = bar } } { ["baz"] = baz } } ``` Then desugars again to: ```Lua -local myBar = data[1]["foo"]["bar"] +local bar, baz = data[1]["foo"]["bar"], data[1]["foo"]["baz"] ``` ## Alternatives From 0dccd1b00980ea2ca0563646c71e6f56d1f5e7ab Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Wed, 29 Jan 2025 12:18:55 -0800 Subject: [PATCH 30/44] Whoops typos --- docs/syntax-structure-matching.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index 3aeb073..6bc1f96 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -195,13 +195,13 @@ No `=` is used, as this is not an assigning operation. *Open question: should we? or perhaps a different delimiter for visiting without binding? Discuss in comments.* ```Lua -{ unpack { .foo { .bar } } { .baz } } +{ unpack { .foo { .bar } }, { .baz } } ``` This desugars once to: ```Lua -{ [1] { ["foo"] { ["bar"] = bar } } { ["baz"] = baz } } +{ [1] { ["foo"] { ["bar"] = bar } }, [2] { ["baz"] = baz } } ``` Then desugars again to: From 43fc1a2463615e514d20dc69acf123b7eb20bf3c Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Wed, 29 Jan 2025 12:19:58 -0800 Subject: [PATCH 31/44] Simplify nested structure example --- docs/syntax-structure-matching.md | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index 6bc1f96..7c57174 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -195,19 +195,19 @@ No `=` is used, as this is not an assigning operation. *Open question: should we? or perhaps a different delimiter for visiting without binding? Discuss in comments.* ```Lua -{ unpack { .foo { .bar } }, { .baz } } +{ .foo { .bar } } ``` This desugars once to: ```Lua -{ [1] { ["foo"] { ["bar"] = bar } }, [2] { ["baz"] = baz } } +{ ["foo"] { ["bar"] = bar } } ``` Then desugars again to: ```Lua -local bar, baz = data[1]["foo"]["bar"], data[1]["foo"]["baz"] +local bar, baz = data["foo"]["bar"] ``` ## Alternatives From 4d665f39ba22ac0121828ba8426c6f240b342ddc Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Wed, 29 Jan 2025 12:20:51 -0800 Subject: [PATCH 32/44] Fix redundant assignment --- docs/syntax-structure-matching.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index 7c57174..84f362d 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -207,7 +207,7 @@ This desugars once to: Then desugars again to: ```Lua -local bar, baz = data["foo"]["bar"] +local bar = data["foo"]["bar"] ``` ## Alternatives From 0d205d42a00d078f4da3154920c8b85778614453 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Wed, 29 Jan 2025 12:23:09 -0800 Subject: [PATCH 33/44] Specify type error behaviour --- docs/syntax-structure-matching.md | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index 84f362d..4aa89f2 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -166,22 +166,22 @@ Then desugars again to: foo, bar = data[1], data[2] ``` -`unpack` skips dot keys and explicitly written keys: +`unpack` skips dot keys and explicitly written keys. If an explicit key collides with an implicit key, this is a type error. ```Lua -{ unpack foo, [10] = bar, baz, .garb } +{ unpack foo, [true] = bar, baz, .garb } ``` This desugars once to: ```Lua -{ [1] = foo, [10] = bar, [2] = baz, ["garb"] = garb } +{ [1] = foo, [true] = bar, [2] = baz, ["garb"] = garb } ``` Then desugars again to: ```Lua -foo, bar, baz, garb = data[1], data[10], data[2], data["garb"] +foo, bar, baz, garb = data[1], data[true], data[2], data["garb"] ``` It is invalid to specify an identifer without a key if `unpack` is not specified, for disambiguity with other languages. From ad1b7afdc29efd6b0827d9c265c2b31c16e72c3b Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Wed, 29 Jan 2025 12:32:06 -0800 Subject: [PATCH 34/44] Punt on type declarations --- docs/syntax-structure-matching.md | 1 + 1 file changed, 1 insertion(+) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index 4aa89f2..c7d96ae 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -65,6 +65,7 @@ In particular, this proposal punts on implementation at sites of usage: - Destructuring re-assignment (as opposed to destructuring `local` declarations) - Defaults for destructured fields (unclear how this interacts with function default arguments) - Unnamed function parameters (destructuring a parameter doesn't name the parameter) +- Type declarations on keys (for providing types when destructuring a function argument) The purpose of this proposal is to instead find consensus on specific syntax for the matching itself. From eaf45cca9e64bfcce6d33d9c09e3a5977f1c999c Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Wed, 29 Jan 2025 14:21:23 -0800 Subject: [PATCH 35/44] Discard unpack syntax --- docs/syntax-structure-matching.md | 94 ++++++++++++++++++------------- 1 file changed, 54 insertions(+), 40 deletions(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index c7d96ae..789c3bc 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -147,46 +147,6 @@ Then desugars again to: foo, bar = data["foo"], data["bar"] ``` -#### Unpacking - -Instead of listing out consecutive numeric keys, `unpack` can be used at the start of a matcher to implicitly key all subsequent items. This is useful for arrays and tuple-style tables. - -```Lua -{ unpack foo, bar } -``` - -This desugars once to: - -```Lua -{ [1] = foo, [2] = bar } -``` - -Then desugars again to: - -```Lua -foo, bar = data[1], data[2] -``` - -`unpack` skips dot keys and explicitly written keys. If an explicit key collides with an implicit key, this is a type error. - -```Lua -{ unpack foo, [true] = bar, baz, .garb } -``` - -This desugars once to: - -```Lua -{ [1] = foo, [true] = bar, [2] = baz, ["garb"] = garb } -``` - -Then desugars again to: - -```Lua -foo, bar, baz, garb = data[1], data[true], data[2], data["garb"] -``` - -It is invalid to specify an identifer without a key if `unpack` is not specified, for disambiguity with other languages. - #### Nested structure A structure matcher can be specified instead of an identifier, to match nested structure inside of that key. This is compatible with unpacking and dot keys. @@ -213,6 +173,60 @@ local bar = data["foo"]["bar"] ## Alternatives +### Unpack syntax + +Dedicated array/tuple unpacking syntax was considered, but rejected in favour of basic syntax. + +For unpacking arrays, this proposal suggests: + +```Lua +{ [1] = foo, [2] = bar } +``` + +For disambiguity with other languages, we would still not allow: + +```Lua +{ foo, bar } +``` + +The original `unpack` syntax is listed below. + +Instead of listing out consecutive numeric keys, `unpack` would be used at the start of a matcher to implicitly key all subsequent items. + +```Lua +{ unpack foo, bar } +``` + +This would desugar once to: + +```Lua +{ [1] = foo, [2] = bar } +``` + +Then desugars again to: + +```Lua +foo, bar = data[1], data[2] +``` + +`unpack` would have skipped dot keys and explicitly written keys. If an explicit key collided with an implicit key, this would be a type error. + +```Lua +{ unpack foo, [true] = bar, baz, .garb } +``` + +This would desugar once to: + +```Lua +{ [1] = foo, [true] = bar, [2] = baz, ["garb"] = garb } +``` + +Then desugars again to: + +```Lua +foo, bar, baz, garb = data[1], data[true], data[2], data["garb"] +``` + ### Indexing assignment A large amount of effort was poured into finding a way of moving the destructuring syntax into the middle of the assignment. From 7eed972c2798d3e10c795b8c4cf277fad7eb37e6 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Wed, 29 Jan 2025 14:32:06 -0800 Subject: [PATCH 36/44] Add table.unpack comment --- docs/syntax-structure-matching.md | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index 789c3bc..de47e99 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -183,6 +183,12 @@ For unpacking arrays, this proposal suggests: { [1] = foo, [2] = bar } ``` +Or alternatively, using `table.unpack`: + +```Lua +foo, bar = table.unpack(data) +``` + For disambiguity with other languages, we would still not allow: ```Lua From 5df5e03b30756fb1c6a1a2041db7befcfe2d8d50 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Fri, 7 Feb 2025 10:01:15 -0800 Subject: [PATCH 37/44] Right hand side identifiers --- docs/syntax-structure-matching.md | 66 +++++++------------------------ 1 file changed, 15 insertions(+), 51 deletions(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index de47e99..a0b076a 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -89,16 +89,16 @@ This is the most verbose, but compatible way of matching values. Keys are specified in square brackets, and are allowed to evaluate to any currently valid key (i.e. not `nil`, plus any other constraints in the current context). -To save the value at that key, an `=` is used, and an identifier is specified on the right hand side, showing where the value will be saved to. +To save the value at that key, an identifier is specified to the left of the key. An `=` is used to indicate assignment. ```Lua -{ [1] = foo, [#data] = bar } +{ foo = [1], bar = [#data] } ``` This desugars to: ```Lua -foo, bar = data["foo"], data[#data] +foo, bar = data[1], data[#data] ``` #### Dot keys with names @@ -106,13 +106,13 @@ foo, bar = data["foo"], data[#data] Keys that are valid Luau identifiers can be expressed as `.key` instead of `["key"]`. ```Lua -{ .foo = myFoo, .bar = myBar } +{ myFoo = .foo, myBar = .bar } ``` This desugars once to: ```Lua -{ ["foo"] = myFoo, ["bar"] = myBar } +{ myFoo = ["foo"], myBar = ["bar"] } ``` Then desugars again to: @@ -132,13 +132,13 @@ When using dot keys, the second identifier can be skipped if the destination use This desugars once to: ```Lua -{ .foo = foo, .bar = bar } +{ foo = .foo, bar = .bar } ``` Then desugars twice to: ```Lua -{ ["foo"] = foo, ["bar"] = bar } +{ foo = ["foo"], bar = ["bar"] } ``` Then desugars again to: @@ -162,7 +162,7 @@ No `=` is used, as this is not an assigning operation. This desugars once to: ```Lua -{ ["foo"] { ["bar"] = bar } } +{ ["foo"] { bar = ["bar"] } } ``` Then desugars again to: @@ -180,7 +180,7 @@ Dedicated array/tuple unpacking syntax was considered, but rejected in favour of For unpacking arrays, this proposal suggests: ```Lua -{ [1] = foo, [2] = bar } +{ foo = [1], bar = [2] } ``` Or alternatively, using `table.unpack`: @@ -206,7 +206,7 @@ Instead of listing out consecutive numeric keys, `unpack` would be used at the s This would desugar once to: ```Lua -{ [1] = foo, [2] = bar } +{ foo = [1], bar = [2] } ``` Then desugars again to: @@ -218,13 +218,13 @@ foo, bar = data[1], data[2] `unpack` would have skipped dot keys and explicitly written keys. If an explicit key collided with an implicit key, this would be a type error. ```Lua -{ unpack foo, [true] = bar, baz, .garb } +{ unpack foo, bar = [true], baz, .garb } ``` This would desugar once to: ```Lua -{ [1] = foo, [true] = bar, [2] = baz, ["garb"] = garb } +{ foo = [1], bar = [true], baz = [2], garb = ["garb"] } ``` Then desugars again to: @@ -301,44 +301,8 @@ Such call sites will need a starting token (perhaps a reserved or contextual key We could mandate a reserved or contextual keyword before all structure matchers: ```Lua -match { .foo = myFoo } -in { .foo = myFoo } +match { myFoo = .foo } +in { myFoo = .foo } ``` -But this proposal punts on the issue, as this is most relevant for only certain implementations of matching, and so is considered external to the main syntax. We are free to decide on this later, once we know what the syntax looks like inside of the braces, should we agree that braces are desirable in any case. - -### Matching nested structure with identifiers - -In *Nested structure*: - -> An identifier and a structure matcher cannot be used at the same time. Exclusively one or the other may be on the right hand side. - -This is because allowing this would introduce ambiguity with dot keys without names: - -To illustrate: suppose we allow the following combination of nested structure and dot keys with names: - -```Lua -{ .foo = myFoo { .bar } } -``` - -Which would desugar to: - -```Lua -local myFoo, bar = data.foo, data.foo.bar -``` - -If we switch to dot keys without names: - -```Lua -{ .foo { .bar } } -``` - -How would this desugar? - -```Lua -local foo, bar = data.foo, data.foo.bar --- or -local bar = data.foo.bar -``` - -This is why it is explicitly disallowed. \ No newline at end of file +But this proposal punts on the issue, as this is most relevant for only certain implementations of matching, and so is considered external to the main syntax. We are free to decide on this later, once we know what the syntax looks like inside of the braces, should we agree that braces are desirable in any case. \ No newline at end of file From ee3c9765d251e26498d2457e2931484365c2ebc3 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Fri, 7 Feb 2025 10:07:01 -0800 Subject: [PATCH 38/44] Fix syntax highlighting --- docs/syntax-structure-matching.md | 6 +++--- 1 file changed, 3 insertions(+), 3 deletions(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index a0b076a..8f609e7 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -117,7 +117,7 @@ This desugars once to: Then desugars again to: -``` +```Lua myFoo, myBar = data["foo"], data["bar"] ``` @@ -143,7 +143,7 @@ Then desugars twice to: Then desugars again to: -``` +```Lua foo, bar = data["foo"], data["bar"] ``` @@ -156,7 +156,7 @@ No `=` is used, as this is not an assigning operation. *Open question: should we? or perhaps a different delimiter for visiting without binding? Discuss in comments.* ```Lua -{ .foo { .bar } } +{ { .bar } in .foo } ``` This desugars once to: From a85808cfea535266e4d50f17fc3d160a461d7e1a Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Fri, 7 Feb 2025 10:07:30 -0800 Subject: [PATCH 39/44] Whooops --- docs/syntax-structure-matching.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index 8f609e7..a213bc9 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -156,7 +156,7 @@ No `=` is used, as this is not an assigning operation. *Open question: should we? or perhaps a different delimiter for visiting without binding? Discuss in comments.* ```Lua -{ { .bar } in .foo } +{ .foo { .bar } } ``` This desugars once to: From edc415d8238bfa8b99450cef0604b035048fd19a Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Fri, 7 Feb 2025 10:50:01 -0800 Subject: [PATCH 40/44] Fully qualified paths --- docs/syntax-structure-matching.md | 42 +++++++++++++++++++++++++------ 1 file changed, 34 insertions(+), 8 deletions(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index a213bc9..4080519 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -149,26 +149,52 @@ foo, bar = data["foo"], data["bar"] #### Nested structure -A structure matcher can be specified instead of an identifier, to match nested structure inside of that key. This is compatible with unpacking and dot keys. - -No `=` is used, as this is not an assigning operation. - -*Open question: should we? or perhaps a different delimiter for visiting without binding? Discuss in comments.* +Keys can be chained together to match values in nested tables. ```Lua -{ .foo { .bar } } +{ .foo.bar } ``` This desugars once to: ```Lua -{ ["foo"] { bar = ["bar"] } } +{ bar = .foo.bar } +``` + +Then desugars twice to: + +```Lua +{ bar = ["foo"]["bar"] } ``` Then desugars again to: ```Lua -local bar = data["foo"]["bar"] +bar = data["foo"]["bar"] +``` + +To avoid fully qualifying multiple paths, parentheses can be used to share a common prefix: + +```Lua +{ .foo(.bar, myBaz = ["baz"]) } +``` + +This desugars once to: + +```Lua +{ .foo.bar, myBaz = .foo["baz"] } +``` + +Then desugars twice to: + +```Lua +{ foo = ["foo"]["bar"], myBaz = ["foo"]["baz"] } +``` + +Then desugars again to: + +```Lua +local bar, myBaz = data["foo"]["bar"], data["foo"]["baz"] ``` ## Alternatives From 97c355379c13541bd5d0201bec02821e23ca6ecf Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Mon, 3 Mar 2025 10:54:29 -0800 Subject: [PATCH 41/44] Remove parentheses from nested structure matching --- docs/syntax-structure-matching.md | 26 +------------------------- 1 file changed, 1 insertion(+), 25 deletions(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index 4080519..b8e2762 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -173,30 +173,6 @@ Then desugars again to: bar = data["foo"]["bar"] ``` -To avoid fully qualifying multiple paths, parentheses can be used to share a common prefix: - -```Lua -{ .foo(.bar, myBaz = ["baz"]) } -``` - -This desugars once to: - -```Lua -{ .foo.bar, myBaz = .foo["baz"] } -``` - -Then desugars twice to: - -```Lua -{ foo = ["foo"]["bar"], myBaz = ["foo"]["baz"] } -``` - -Then desugars again to: - -```Lua -local bar, myBaz = data["foo"]["bar"], data["foo"]["baz"] -``` - ## Alternatives ### Unpack syntax @@ -331,4 +307,4 @@ match { myFoo = .foo } in { myFoo = .foo } ``` -But this proposal punts on the issue, as this is most relevant for only certain implementations of matching, and so is considered external to the main syntax. We are free to decide on this later, once we know what the syntax looks like inside of the braces, should we agree that braces are desirable in any case. \ No newline at end of file +But this proposal punts on the issue, as this is most relevant for only certain implementations of matching, and so is considered external to the main syntax. We are free to decide on this later, once we know what the syntax looks like inside of the braces, should we agree that braces are desirable in any case. From 86e71dec4f17e1b465f6a7e8594d6773b1d32ea1 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Mon, 3 Mar 2025 10:58:47 -0800 Subject: [PATCH 42/44] Simplify --- docs/syntax-structure-matching.md | 79 +++++-------------------------- 1 file changed, 11 insertions(+), 68 deletions(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index b8e2762..e76bed1 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -109,15 +109,11 @@ Keys that are valid Luau identifiers can be expressed as `.key` instead of `["ke { myFoo = .foo, myBar = .bar } ``` -This desugars once to: +This desugars to: ```Lua { myFoo = ["foo"], myBar = ["bar"] } -``` -Then desugars again to: - -```Lua myFoo, myBar = data["foo"], data["bar"] ``` @@ -129,21 +125,13 @@ When using dot keys, the second identifier can be skipped if the destination use { .foo, .bar } ``` -This desugars once to: +This desugars to: ```Lua { foo = .foo, bar = .bar } -``` -Then desugars twice to: - -```Lua { foo = ["foo"], bar = ["bar"] } -``` -Then desugars again to: - -```Lua foo, bar = data["foo"], data["bar"] ``` @@ -155,21 +143,13 @@ Keys can be chained together to match values in nested tables. { .foo.bar } ``` -This desugars once to: +This desugars to: ```Lua { bar = .foo.bar } -``` -Then desugars twice to: - -```Lua { bar = ["foo"]["bar"] } -``` -Then desugars again to: - -```Lua bar = data["foo"]["bar"] ``` @@ -177,9 +157,13 @@ bar = data["foo"]["bar"] ### Unpack syntax -Dedicated array/tuple unpacking syntax was considered, but rejected in favour of basic syntax. +A dedicated array/tuple unpacking syntax was considered, but rejected in favour of basic syntax. -For unpacking arrays, this proposal suggests: +```Lua +{ unpack foo, bar } +``` + +Instead, for unpacking arrays, this proposal suggests: ```Lua { foo = [1], bar = [2] } @@ -197,44 +181,6 @@ For disambiguity with other languages, we would still not allow: { foo, bar } ``` -The original `unpack` syntax is listed below. - -Instead of listing out consecutive numeric keys, `unpack` would be used at the start of a matcher to implicitly key all subsequent items. - -```Lua -{ unpack foo, bar } -``` - -This would desugar once to: - -```Lua -{ foo = [1], bar = [2] } -``` - -Then desugars again to: - -```Lua -foo, bar = data[1], data[2] -``` - -`unpack` would have skipped dot keys and explicitly written keys. If an explicit key collided with an implicit key, this would be a type error. - -```Lua -{ unpack foo, bar = [true], baz, .garb } -``` - -This would desugar once to: - -```Lua -{ foo = [1], bar = [true], baz = [2], garb = ["garb"] } -``` - -Then desugars again to: - -```Lua -foo, bar, baz, garb = data[1], data[true], data[2], data["garb"] -``` - ### Indexing assignment A large amount of effort was poured into finding a way of moving the destructuring syntax into the middle of the assignment. @@ -298,13 +244,10 @@ local foo = bar { } -- bar { }? ``` -Such call sites will need a starting token (perhaps a reserved or contextual keyword) to dispel the ambiguity. - -We could mandate a reserved or contextual keyword before all structure matchers: +Such call sites will need a reserved keyword prior to the matcher to dispel the ambiguity. ```Lua -match { myFoo = .foo } in { myFoo = .foo } ``` -But this proposal punts on the issue, as this is most relevant for only certain implementations of matching, and so is considered external to the main syntax. We are free to decide on this later, once we know what the syntax looks like inside of the braces, should we agree that braces are desirable in any case. +That said, this would only manifest if attempting to add destructuring to re-assignment operations, which isn't done in other languages and has limited utility (only really being useful for late initialisation of variables). From c7cae191952208b9eee58bd9c931f9df4a480903 Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Wed, 26 Mar 2025 10:28:38 -0700 Subject: [PATCH 43/44] Whittle down --- docs/syntax-structure-matching.md | 79 ++++++++++--------------------- 1 file changed, 25 insertions(+), 54 deletions(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index e76bed1..931ebc8 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -78,83 +78,66 @@ This proposal will use the term *structure matcher* to refer to syntax for retri The most basic structure matcher is a set of empty braces. All matching syntax occurs between these braces. ```Lua -{ } +local { } = data ``` Empty structure matchers like these are not invalid (they still fit the pattern), but aren't very useful - linting for these makes sense. -#### Basic matching - -This is the most verbose, but compatible way of matching values. - -Keys are specified in square brackets, and are allowed to evaluate to any currently valid key (i.e. not `nil`, plus any other constraints in the current context). - -To save the value at that key, an identifier is specified to the left of the key. An `=` is used to indicate assignment. +String keys can be specified between the braces to introduce them as members of the namespace. ```Lua -{ foo = [1], bar = [#data] } +local { foo, bar } = data ``` This desugars to: ```Lua -foo, bar = data[1], data[#data] +local foo, bar = data.foo, data.bar ``` -#### Dot keys with names - -Keys that are valid Luau identifiers can be expressed as `.key` instead of `["key"]`. +If the member should be renamed, a new contextual `as` keyword can be used, with the key on the left and the member name on the right. ```Lua -{ myFoo = .foo, myBar = .bar } +local { foo as red, bar as blue } = data ``` This desugars to: ```Lua -{ myFoo = ["foo"], myBar = ["bar"] } - -myFoo, myBar = data["foo"], data["bar"] +local red, blue = data.foo, data.bar ``` -#### Dot keys without names +This proposal does not preclude supporting arrays, nested matching or non-string keys down the line (see Alternatives for proposed syntaxes), but it takes the opinion that these considerations do not outweigh the need for an internally consistent and ergonomic base variant for the most common case of matching string keys in maps. -When using dot keys, the second identifier can be skipped if the destination uses the same identifier as the key. +## Alternatives + +#### Symbol for renaming + +Using a symbol like `=` or `:` for renaming was considered, but was rejected because it was ambiguous whether the left hand side was the key, or the right hand side. By contrast, a keyword like `as` naturally implies an order. + + + +#### Dot keys + +A previous version of this proposal considered using dots at the start of identifiers. The original motive was to disambiguate +visually between arrays and maps (especially for people familiar with other languages). + +This was ultimately rejected after much deliberation as Luau already has a different pattern for working with arrays, and so would be unlikely to extend this syntax to work with them. + +Additionally, it didn't seem valuable enough to contort our syntax to follow the conventions of other languages; it was instead preferred to prioritise internal consistency of Luau and ergonomics. ```Lua { .foo, .bar } ``` -This desugars to: - -```Lua -{ foo = .foo, bar = .bar } - -{ foo = ["foo"], bar = ["bar"] } - -foo, bar = data["foo"], data["bar"] -``` - #### Nested structure -Keys can be chained together to match values in nested tables. +A previous version of this proposal considered matching nested structure, but this was rejected as it wasn't clear what the use case would be. ```Lua { .foo.bar } ``` -This desugars to: - -```Lua -{ bar = .foo.bar } - -{ bar = ["foo"]["bar"] } - -bar = data["foo"]["bar"] -``` - -## Alternatives - ### Unpack syntax A dedicated array/tuple unpacking syntax was considered, but rejected in favour of basic syntax. @@ -165,22 +148,10 @@ A dedicated array/tuple unpacking syntax was considered, but rejected in favour Instead, for unpacking arrays, this proposal suggests: -```Lua -{ foo = [1], bar = [2] } -``` - -Or alternatively, using `table.unpack`: - ```Lua foo, bar = table.unpack(data) ``` -For disambiguity with other languages, we would still not allow: - -```Lua -{ foo, bar } -``` - ### Indexing assignment A large amount of effort was poured into finding a way of moving the destructuring syntax into the middle of the assignment. From 4dda9ef84298e680890d37dc00a05d6340b631cb Mon Sep 17 00:00:00 2001 From: "Daniel P H Fox (Roblox)" Date: Wed, 26 Mar 2025 10:28:58 -0700 Subject: [PATCH 44/44] Add symbol rename example --- docs/syntax-structure-matching.md | 4 +++- 1 file changed, 3 insertions(+), 1 deletion(-) diff --git a/docs/syntax-structure-matching.md b/docs/syntax-structure-matching.md index 931ebc8..e0e7d73 100644 --- a/docs/syntax-structure-matching.md +++ b/docs/syntax-structure-matching.md @@ -115,7 +115,9 @@ This proposal does not preclude supporting arrays, nested matching or non-string Using a symbol like `=` or `:` for renaming was considered, but was rejected because it was ambiguous whether the left hand side was the key, or the right hand side. By contrast, a keyword like `as` naturally implies an order. - +```Lua +local { foo = red, bar = blue } = data +``` #### Dot keys