Кортежи и распаковка поддержки назначения в C#?
в Python я могу написать
def myMethod():
#some work to find the row and col
return (row, col)
row, col = myMethod()
mylist[row][col] # do work on this element
но в C# я обнаружил, что пишу
int[] MyMethod()
{
// some work to find row and col
return new int[] { row, col }
}
int[] coords = MyMethod();
mylist[coords[0]][coords[1]] //do work on this element
Питонический путь obivously гораздо чище. Есть ли способ сделать это в C#?
5 ответов
есть набор кортежа!--4--> классы в .NET:
Tuple<int, int> MyMethod()
{
// some work to find row and col
return Tuple.Create(row, col);
}
но нет компактного синтаксиса для распаковки их, как в Python:
Tuple<int, int> coords = MyMethod();
mylist[coords.Item1][coords.Item2] //do work on this element
начиная с C# 7, Вы можете использовать ValueTuple:
Install-Package System.ValueTuple
затем вы можете упаковать и распаковать ValueTuples
:
(int, int) MyMethod()
{
return (row, col);
}
(int row, int col) = MyMethod();
// mylist[row][col]
расширение может приблизить его к распаковке кортежа Python, не более эффективной, но более читаемой (и Pythonic):
public class Extensions
{
public static void UnpackTo<T1, T2>(this Tuple<T1, T2> t, out T1 v1, out T2 v2)
{
v1 = t.Item1;
v2 = t.Item2;
}
}
Tuple<int, int> MyMethod()
{
// some work to find row and col
return Tuple.Create(row, col);
}
int row, col;
MyMethod().UnpackTo(out row, out col);
mylist[row][col]; // do work on this element
C# - строго типизированный язык с системой типов, которая применяет правило, что функции не могут иметь ни одного (void
) или 1 возвращаемое значение. C# 4.0 представляет класс кортежа:
Tuple<int, int> MyMethod()
{
return Tuple.Create(0, 1);
}
// Usage:
var myTuple = MyMethod();
var row = myTuple.Item1; // value of 0
var col = myTuple.Item2; // value of 1
вот пример zip со значением распаковки. Здесь zip возвращает итератор над кортежами.
int[] numbers = {1, 2, 3, 4};
string[] words = {"one", "two", "three"};
foreach ((var n, var w) in numbers.Zip(words, Tuple.Create))
{
Console.WriteLine("{0} -> {1}", n, w);
}
выход:
1 -> one
2 -> two
3 -> three