我尝试使用列表列表实现2D数组类。有人可以帮我实现类似于下面的T [this x,int y]函数的get函数,以获取[int x,:]给出的列中的所有元素,其中x是列。作为数组返回会很好。
public class Matrix<T>
{
List<List<T>> matrix;
public Matrix()
{
matrix = new List<List<T>>();
}
public void Add(IEnumerable<T> row)
{
List<T> newRow = new List<T>(row);
matrix.Add(newRow);
}
public T this[int x, int y]
{
get { return matrix[y][x]; }
}
}
答案 0 :(得分:4)
由于您要返回的每个值都在一个单独的行中,因此在单独的List
中,您必须遍历所有行列表并返回这些行的元素x
。 / p>
返回的值总数将始终等于行数,因此您可以:
T[] columnValues = new T[matrix.Count];
for (int i = 0; i < matrix.Count; i++)
{
columnValues[i] = matrix[i][x];
}
return columnValues;
答案 1 :(得分:2)
或者: return matrix.Select(z =&gt; z.ElementAtOrDefault(x));
答案 2 :(得分:1)
public IEnumerable<T> this[int x]
{
get
{
for(int y=0; y<matrix.Count; y++)
yield return matrix[y][x];
}
}
Yielding比实例化结果数组有一些好处,因为它可以更好地控制输出的使用方式。例如。 myMatrix [1] .ToArray()会给你一个double []而myMatrix [1] .Take(5)。ToArray()只会实例化一个double [5]
答案 3 :(得分:0)
你必须确保每个矩阵列表至少有x个元素
public T[] this[int x]
{
get
{
T[] result = new T[matrix.Count];
for (int y = 0; y < matrix.Count; y++)
{
result[y] = matrix[y][x];
}
return result;
}
}