我目前正在研究 C# 中的矩阵实现。这不是关于如何……的问题。应该工作或某事。相似的。它更多的是关于“设计部分”......所以,我想实现一个函数,它转置一个矩阵(http://en.wikipedia.org/wiki/Transpose)。简单的事情想,但我真的很难选择,哪种实现方式最优雅。
但这里首先是矩阵类的一些代码:
namespace Math
{
public class Matrix
{
protected double[,] matrix;
public Matrix(byte m, byte n)[...]
public Matrix(Matrix matrix)[...]
public byte M { get; private set; }
public byte N { get; private set; }
// Possibility 1 (changes the matrix directly)
public void Transpose()[...]
// Possibility 2 (getter method)
public Matrix GetTransposed()[...]
// Possibility 3 (property)
public Matrix TransposedMatrix
{
get[...]
}
// Possibility 4 (static method; a bit like an operator)
public static Matrix Transpose(Matrix matrix)[...]
}
}
在这里,您将如何使用不同的可能性:
namespace MathTest
{
class Program
{
static void Main(string[] args)
{
// Create a new matrix object...
var mat1 = new Math.Matrix(4, 4);
// Using possibility 2 (getter method, like "GetHashCode()" or sth. similar)
var mat2 = mat1.GetTransposed();
// Using possibility 3 (the transposed matrix is a property of each matrix)
var mat3 = mat1.TransposedMatrix;
// Using possibility 4 (definition and use is like an unary operator)
var mat4 = Math.Matrix.Transpose(mat1);
// Using possibility 1 (changes the matrix directly)
mat1.Transpose();
}
}
}
您更喜欢哪种方式,为什么?还是有更好的方法来实现矩阵的转置?
非常感谢你!
本杰明