C#6为此添加了一个新功能:扩展方法Add。对于VB.net来说,这始终是可能的,但现在在C#中可用。
现在,您不必Add()
直接向类中添加方法,您可以将它们实现为扩展方法。当使用Add()
方法扩展任何可枚举类型时,您将可以在集合初始值设定项表达式中使用它。因此,您不必再从列表中显式派生(如另一个答案中所述),只需扩展它即可。
public static class TupleListExtensions
{
public static void Add<T1, T2>(this IList<Tuple<T1, T2>> list,
T1 item1, T2 item2)
{
list.Add(Tuple.Create(item1, item2));
}
public static void Add<T1, T2, T3>(this IList<Tuple<T1, T2, T3>> list,
T1 item1, T2 item2, T3 item3)
{
list.Add(Tuple.Create(item1, item2, item3));
}
// and so on...
}
这将允许您在实现以下任何类的基础上执行此操作IList<>
:
var numbers = new List<Tuple<int, string>>
{
{ 1, "one" },
{ 2, "two" },
{ 3, "three" },
{ 4, "four" },
{ 5, "five" },
};
var points = new ObservableCollection<Tuple<double, double, double>>
{
{ 0, 0, 0 },
{ 1, 2, 3 },
{ -4, -2, 42 },
};
当然,您不限于扩展元组的集合,它可以用于您想要特殊语法的任何特定类型的集合。
public static class BigIntegerListExtensions
{
public static void Add(this IList<BigInteger> list,
params byte[] value)
{
list.Add(new BigInteger(value));
}
public static void Add(this IList<BigInteger> list,
string value)
{
list.Add(BigInteger.Parse(value));
}
}
var bigNumbers = new List<BigInteger>
{
new BigInteger(1), // constructor BigInteger(int)
2222222222L, // implicit operator BigInteger(long)
3333333333UL, // implicit operator BigInteger(ulong)
{ 4, 4, 4, 4, 4, 4, 4, 4 }, // extension Add(byte[])
"55555555555555555555555555555555555555", // extension Add(string)
};
C#7将增加对内置在该语言中的元组的支持,尽管它们将是另一种类型(System.ValueTuple
相反)。因此,最好为值元组添加重载,以便您也可以选择使用它们。不幸的是,两者之间没有定义隐式转换。
public static class ValueTupleListExtensions
{
public static void Add<T1, T2>(this IList<Tuple<T1, T2>> list,
ValueTuple<T1, T2> item) => list.Add(item.ToTuple());
}
这样,列表初始化看起来会更好。
var points = new List<Tuple<int, int, int>>
{
(0, 0, 0),
(1, 2, 3),
(-1, 12, -73),
};
但是,与其解决所有这些麻烦,不如转而使用ValueTuple
专有。
var points = new List<(int, int, int)>
{
(0, 0, 0),
(1, 2, 3),
(-1, 12, -73),
};