It appears that C# 12's collection initializers don't produce the same result as a ImmutableArray's Empty
property; for example:
using System;
using System.Collections.Immutable;
public class Program
{
public static void Main()
{
ImmutableArray<object> a = ImmutableArray<object>.Empty;
ImmutableArray<object> b = ImmutableArray<object>.Empty;
ImmutableArray<object> c = [];
ImmutableArray<object> d = [];
Console.WriteLine($"a == b: {a == b}");
Console.WriteLine($"a == c: {a == c}");
Console.WriteLine($"c == d: {c == d}");
}
}
a == b: True
a == c: False
c == d: True
What's the reason for this?
Some notes: On further reflection, I've updated the post, as changing the code to use ImmutableList<T>
yields true
in all cases.
TL;DR
ImmutableArray<T>.Equals
compares underlying arrays:And all instances of
ImmutableArray<object>.Empty
will point to the same array and all instances ofImmutableArray<object> _ = [];
will point to the same array but those would be 2 different empty arrays.Details
While specification explicitly mentions that:
And
ImmutableArray<T>
having create method proxied withCollectionBuilderAttribute
(source code) toImmutableArray.Create
:And
ImmutableArray<T>.Empty
is:But as you can see in the actual decompilation of empty collection expression results in:
Which just creates a new
ImmutableArray
:So
ImmutableArray<object>.Empty
andImmutableArray<object> c = []
will point to different locations in memory (but they will be the same for the same expressions used). I.e. allImmutableArray<object>.Empty
will be equal and allImmutableArray<object> _ = []
will be equal but not equal to each other. Note that in general it does not break any guarantees made by specification (since it is not even guaranteed to be a singleton).Submitted issue @gitub