-
Notifications
You must be signed in to change notification settings - Fork 1k
This issue was moved to a discussion.
You can continue the conversation there. Go to discussion →
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
[Proposal]: Nominal and Collection Deconstruction #4082
Comments
IMO I'd rather build deconstruction on top of pattern matching grammar rather than trying to mirror it. I get that you're trying to achieve a parity with tuple deconstruction, but to me it just seems to make everything significantly more complicated. I'd be happy if deconstruction was nothing more than: pattern = relational_expression; And the compiler would warn if the single match was not exhaustive. Maybe error if there are no pattern variables. I know that you've had a long discussion about this on the Discord channel so please pardon me for being a bit naive about it. Like most things it's probably a lot more complicated than it seems it should be on the surface. 😄 |
If you want to factor out the "shorthand" syntax beyond the existing positional deconstruction, that will probably work with a primary pattern on the left, we just require l-values instead of constants which I agree is a good idea - otherwise all of this is necessary. Also, we shouldn't check for "exhaustiveness", we just skip the checks. For example |
How is that deconstruction non-exhaustive today? I thought it only worked if the expression was a tuple known to be two elements, or the expression had a compatible |
Tuple<int, int> t = null;
var (x, y) = t; // throw
if (t is var (x, y)) // false |
Thanks for the very detailed write up Yair. I'm going to champion this as I'm interested in deconstruction assignment moving forward, I'll read through the proposed spec at a later point. |
Ah yeah, due to |
If you only exclude null checks, sure. But that will make it impossible to introduce list deconstruction as it always needs to match a specific length. |
I'm much less interested in how they're implemented and the exact specifications than I am that they feel natural and intuitive with pattern matching and that one can take a match with a single case with pattern variables and convert it quickly and easily into a deconstruction. List deconstruction shouldn't feel different from list matching, etc. But aside the nitpickiness I love the idea and hope it is added to the language. 🥳 |
A quick explanation as to why the spec can't be as simple as: "try to pattern match this, and throw a DeconstructionException if the pattern returns false". There are a number of differences between pattern matching and deconstruction that makes this impossible.
E.g. using System;
public class C {
public int M() {
var(x, (y, z)) = (1, (C)null);
return x + y + z;
}
void Deconstruct(out int a, out int b) => throw null;
} Is lowered to public int M()
{
int a;
int b;
((C)null).Deconstruct(out a, out b);
int num = a;
int num2 = b;
return 1 + num + num2;
}
E.g. This will compile: public class C {
public void M() {
(long a, int b) = ((int)1, new C());
}
public static implicit operator int(C c) => 42;
} But the equivalent match
E.g. (object a, object b) = (null, null); Will successfully assign |
Adding a new way to get |
@gafter you would still get NRT warnings, just like you would today when you would have to deconstruct it manually. |
Excellent proposal that deals with every scenario I can think of. |
That is really nice, I think this could be extended for methods and lambda arguments too. public record Foo(int Bar, string Baz);
// So this
public DoSomething(Foo foo) => Console.WriteLine($"{foo.Bar} and {foo.Baz}");
// could be this
public DoSomething(Foo { Bar: bar, Baz: baz }) => Console.WriteLine($"{bar} and {baz}");
//or this
public DoSomething(Foo (bar, baz)) => Console.WriteLine($"{bar} and {baz}"); |
Seems like a ton of new syntax to make the rare occasions you need to do something like this marginally more terse (and possibly unclear to the 99.9% of C# devs who will never use the new syntax). |
Have a discussion about something that relates to this, mainly for function arguments, but it could be great to think of both as one |
I think this could be kinda nice, if it ever goes forward. I just enabled C# 11 in a small new project and, aware of the new list patterns but without thinking very much about the nuances of pattern-matching v deconstruction, typed this line of code: var [A, B, C, D] = solve(m); where But anyway, I used the following as an alternative: var ABCD = solve(m);
var (A, B, C, D) = (ABCD[0], ABCD[1], ABCD[2], ABCD[3]); |
@rummelsworth You can use the list pattern to do what you want with the added benefit of verifying the list's size: var ABCD = new[] { "A", "B", "C", "D" };
if (ABCD is [var A, var B, var C, var D])
{
// Do alphabet stuff...
Console.WriteLine(A+B+C+D);
} HTH |
Thanks @mrwensveen, I tried this. Unfortunately, my actual code doesn't really make sense using an
|
I like the idea of expanding deconstruction in such a way, but what I really find troublesome is the expansion of the expression in the LHS. In the provided example: var {
Start: { Line: startLine, Column: startColumn },
End: { Line: endLine, Column: endColumn },
} = textRange; we have a syntactically massive LHS, with the RHS only being a simple identifier expression. To me, this looks somewhat unorthodoxical. What I believe would be nicer to have is to use another way to declare the deconstruction, in a more fluent-like syntax: textRange into var
{
Start: ...
End: ...
}; The _ = textRange is {
Start: { Line: var startLine, Column: var startColumn },
End: { Line: var endLine, Column: var endColumn },
}; Another approach can be to keep the LHS/RHS arrangement, but replace the var {
Start: { Line: var startLine, Column: var startColumn },
End: { Line: var endLine, Column: var endColumn },
}
from textRange; The only problem with this approach is that it might make parsing slightly more difficult by having to handle the |
This proposal is intentionally attempting to keep a symmetry with pattern matching syntax, and with the existing positional deconstruction. Already legal: // pattern matching
if (obj is (var name, var age)) { ... }
// deconstruction
var (name, age) = obj; |
This issue was moved to a discussion.
You can continue the conversation there. Go to discussion →
Nominal and Collection Deconstruction
Summary
We allow deconstructing an instance into its constituent properties/fields in a way paralleling how property patterns can conditionally deconstruct an instance, and positional deconstruction can deconstruct instances with a suitable
Deconstruct
method.We similiarly allow deconstructing a collection into its constituent elements in a way parraleling list patterns.
Motivation
It is common to want to extract a number of fields/properties from an instance. Currently this is possible to do declaratively using property patterns, but the fields/properties are only assigned when the pattern matches. This forces you to put your code within an
if statement
if you want to use pattern matching to declaratively extract a number of properties from an instance. In order to keep this brief I will link to a motivating example from an earlier discussion: #3546.Additionally there's an aspect of symmetry in the language (see #3107 for more on this theme):
There is currently a parralelism in two dimensions between positional data, nominal data, and collections on one axis, and declaration, construction, deconstruction, and pattern matching on the other.
You can declare types positionally using positional records/primary constructors. You can construct an instance positionally using a constructor, you can deconstruct it using positional deconstructions, you can pattern match it using a positional pattern.
You can declare types nominally through properties/fields. You can construct an instance nominally through an object initialize and you can pattern match it using property patterns.
You can construct a collection using a collection initializer, and you will likely soon be able to pattern match it using list patterns.
This proposal fills in two of the three missing squares here by introducing nominal and sequence deconstructions.
Detailed design
High level overview.
We have 3 aims which inform this design:
The most common case is to simply want to declare a bunch of variables. Here we take a cue from positional deconstruction, which allow you to preface a deconstruction with
var
to automatically declare locals for all identifiers within the deconstruction:This declares 4 variables,
startLine
,startColumn
,endLine
,endColumn
.Positional deconstruction also allows you to specify the type explicitly, and assign to arbitrary lValues, so we allow that by leaving off the
var
:Patterns can contain any arbitrary pattern so we allow nesting any deconstruction in any other, e.g:
Patterns can assign a pattern to a variable, even if the pattern itself contains other nested patterns, so we allow that:
It's useful to be able to assign such a variable to an existing local, like so:
On the other hand, we want to be able to declare a new local. We can't do so by putting
var
beforehand, since that makes all nested identifiers declare new locals. We don't want to do so by putting an explicit type beforehand, since that would lead to a confusing difference betweenvar
and other types. Instead we say that{} identifier
declares a new local if one does not exist, and otherwise assigns to the existing local. This is very different to how C# works so far and may be reconsidered.We apply all these principles to positional and collection deconstructions as well, so the grammar and spec for the 3 deconstructions is very similiar.
Unlike patterns, deconstruction does no checking for null, or bounds checking, and will throw a
NullReferenceException
or aIndexOutOfRangeException
if these are violated. As ever, the compiler will warn you if you deconstruct a maybe null reference.Changes to grammar
Examples:
Detailed Spec
variable_designation
A
var_variable_designation
is lowered recursively as follows:Every
var_variable_designation
has a unique targett
, which is a temporary variable of typeT
inferred from the expression that is assigned tot
.If the
var_variable_designation
is the top levelvar_variable_designation
in adeclaration_statement
we assignexpression
tot
.If the
var_variable_designation
is the top levelvar_variable_designation
in aforeach_statement
we assignenumerator.Current
tot
.Else
t
is defined recursively below.If a
var_variable_designation
defines anidentifier
i
, we declare a local of typeT?
and namei
and the same scope as the scope of thedeclaration_statement
/foreach_statement
, and assignt
toi
.Assuming the
var_variable_designation
hasn
childvariable_designation
sv0
tovn - 1
, we produce a set of child tempst0
totn - 1
as follows.var_variable_designation
is aparenthesized_variable_designation
we look for a suitable deconstructor onT
to deconstructt
intot0
totn - 1
. See the spec for more details.var_variable_designation
is anominal_variable_designation
, for eachnamed_variable_designation
with identifierix
,t
must have an accessible property or fieldix
, and we assignt.ix
totx
(this should match the spec for property patterns).var_variable_designation
is asequence_variable_designation
,t
must have an indexer accepting a single parameter of typeint
, and we assignt[x]
totx
(this should match and keep up to date with spec for collection patterns, e.g. we may allow use ofGetEnumerator
here).For each child
variable_designation
vx
vx
is avar_variable_designation
we lower vx as specified here, usingtx
ast
forvx
.vx
issingle_variable_designation
withidentifier
ix
we declare a local of typeTx?
and nameix
and the same scope as the scope of thedeclaration_statement
/foreach_statement
, and assigntx
toix
.vx
is adiscard_designation
we do nothing.deconstruction
A
deconstruction
is lowered recursively as follows:Every
deconstruction
has a unique targett
, which is a temporary variable of typeT
inferred from the expression that is assigned tot
.If the
deconstruction
is the top leveldeconstruction
in adeclaration_statement
we assignexpression
tot
.Else
t
is defined recursively below.If a
deconstruction
defines anidentifier
i
i
we assignt
toi
.T?
and namei
and the same scope as the scope of thedeclaration_statement
, and assignt
toi
.Assuming the
deconstruction
hasn
childdeclaration_target_or_expression
sd0
todn - 1
:If this is a top level
deconstruction
:For each
declaration_target_or_expression
dx
dx
is anexpression
, it must be a valid lValue as defined by the spec, and we evaluate as much ofdx
as is evaluated before the RHS of an assignment operator as defined by the spec. The result of this evaluation is stored in a tempdtx
.dx
is adeconstruction
we perform this step recursively to evaluate as much of it's childexpression
s as are necessary.We produce a set of child temps
t0
totn - 1
as follows.deconstruction
is apositional_deconstruction
we look for a suitable deconstructor onT
to deconstructt
intot0
totn - 1
. See the spec for more details.deconstruction
is anominal_deconstruction
, for eachnominal_deconstruction_element
with identifierix
,t
must have an accessible property or fieldix
, and we assignt.ix
totx
(this should match the spec for property patterns).deconstruction
is asequence_deconstruction
,t
must have an indexer accepting a single parameter of typeint
, and we assignt[x]
totx
(this should match and keep up to date with spec for collection patterns, e.g. we may allow use ofGetEnumerator
here).For each child
declaration_target_or_expression
dx
dx
is anexpression
we assigntx
todtx
as specified by the spec on simple assignment. The assignment must be valid according to the rules specified there.dx
is adeclaration
declaration
is avar_variable_designation
we lower vx as specified above, usingtx
ast
forvx
.declaration
is asingle_variable_designation
withidentifier
ix
andtype
Tx
we declare a local of typeTx`` and name
ixand the same scope as the scope of the
declaration_statement, and assign
txto
ix. If
typeis
varis inferred from
tx`.declaration
is adiscard_designation
we do nothing.dx
is adeconstruction
we lowerdx
as specified here, usingtx
ast
fordx
.Drawbacks
This is a significant set of enhancements to deconstruction. Deconstruction is far less common than pattern matching, so it may be that the benefit from this set of enhancements is not considered sufficient to pay for itself.
Parsing ambiguities
In order to distinguish between a
nominal_deconstruction
and ablock
, we need to parse till we reach a,
a;
or the closing brace (at which point we can check if it's followed by a=
or not). This lookahead may be expensive. However much of the parsed syntax tree can be reused between the two cases.In order to distinguish between a
positional_attribute
and an attribute on a local function we need to parse till we reach the closing]
and check to see if it's followed by a=
or not. This may also be expensive, although I imagine the most expensive cases will quickly run into something that will disambiguate them, such as expressions that are disallowed in attributes.If expression blocks are added in the future, this may possibly lead to genuine ambiguities even at a semantic level. E.g
{ P : (condition ? ref a : ref b) } = e;
could be a nominal deconstruction, or an assignment to an expression block containing the labelP
. It shouldn't be too difficult to work around this (e.g. disallow labels for final expression of an expression block).Alternatives
There are a number of simplifications to this spec we could consider:
var
form of the patterns as the most common.etc.
As well there's a lot of axis on which the exact grammar/semantics could be adjusted. I hope I made clear in my high level overview why I made the decisions I did, but I will not be surprised if others come to different conclusions.
Unresolved questions
How do we modify the spec I've given above to allow target typing of literals in the case of tuple deconstruction.
Design meetings
https://github.com/dotnet/csharplang/blob/master/meetings/2020/LDM-2020-11-16.md#nominal-and-collection-deconstruction
The text was updated successfully, but these errors were encountered: