web-dev-qa-db-fra.com

Surcharge des constructeurs C #

Comment puis-je utiliser les constructeurs en C # comme ceci:

public Point2D(double x, double y)
{
    // ... Contracts ...

    X = x;
    Y = y;
}

public Point2D(Point2D point)
{
    if (point == null)
        ArgumentNullException("point");
    Contract.EndContractsBlock();

    this(point.X, point.Y);
}

J'en ai besoin pour ne pas copier le code d'un autre constructeur ...

61

Vous pouvez intégrer votre logique commune à une méthode privée, par exemple appelée Initialize, appelée à partir des deux constructeurs.

Étant donné que vous souhaitez effectuer la validation des arguments, vous ne pouvez pas recourir au chaînage de constructeurs.

Exemple:

public Point2D(double x, double y)
{
    // Contracts

    Initialize(x, y);
}

public Point2D(Point2D point)
{
    if (point == null)
        throw new ArgumentNullException("point");

    // Contracts

    Initialize(point.X, point.Y);
}

private void Initialize(double x, double y)
{
    X = x;
    Y = y;
}
61
João Angelo
public Point2D(Point2D point) : this(point.X, point.Y) { }
177
Mark Cidade

Peut-être que votre cours n'est pas complet. Personnellement, j'utilise une fonction privée init () avec tous mes constructeurs surchargés.

class Point2D {

  double X, Y;

  public Point2D(double x, double y) {
    init(x, y);
  }

  public Point2D(Point2D point) {
    if (point == null)
      throw new ArgumentNullException("point");
    init(point.X, point.Y);
  }

  void init(double x, double y) {
    // ... Contracts ...
    X = x;
    Y = y;
  }
}
5
jp2code