3

我有一个具有 2 个属性的类,称为 MinValue,MaxValue,如果有人想调用此类并实例化此类,我需要一些具有允许选择 MinValue 或 Max Value 或两者的构造函数,MinValue 和 MaxValue 它们都是int,所以构造函数不允许我这样:

public class Constructor
{
    public int Min { get; set; }
    public int Max { get; set; }
    public Constructor(int MinValue, int MaxValue)
    {
        this.Min = MinValue;
        this.Max = MaxValue;
    }

    public Constructor(int MaxValue)
    {
        this.Max = MaxValue;
    }

    public Constructor(int MinValue)
    {
        this.Min = MinValue;
    }
}

现在我不能这样做,因为我不能重载两个构造函数,我该如何实现呢?

4

3 回答 3

6

我将为您仅获得部分信息的两个部分创建两个静态方法。例如:

public Constructor(int minValue, int maxValue)
{  
    this.Min = minValue;
    this.Max = maxValue;
}

public static Constructor FromMinimumValue(int minValue)
{
    // Adjust default max value as you wish
    return new Constructor(minValue, int.MaxValue);
}

public static Constructor FromMaximumValue(int maxValue)
{
    // Adjust default min value as you wish
    return new Constructor(int.MinValue, maxValue);
}

(使用命名参数的 C# 4 选项也很好,但前提是您知道所有调用者都将支持命名参数。)

于 2012-11-17T18:33:37.297 回答
4

你不能。但是,如果您使用的是 C# 4.0,则可以这样做:

class YourTypeName
{
    public YourTypeName(int MinValue = 1,  int MaxValue = 100)
    {  
        this.Min=MinValue;
        this.Max=MaxValue;
    }
}


var a = new YourTypeName(MinValue: 20);
var b = new YourTypeName(MaxValue: 80);

或者,在 C# 3.0 及更高版本中,您可以这样做:

class YourTypeName
{
    public YourTypeName()
    {
    }

    public YourTypeName(int MinValue,  int MaxValue)
    {  
        this.Min=MinValue;
        this.Max=MaxValue;
    }

    public int Min {get;set;}

    public int Max {get;set;}
}

var a = new YourTypeName { Min = 20 };
var b = new YourTypeName { Max = 20 };
于 2012-11-17T18:36:46.490 回答
0
public Constructor(int minValue = 0, int maxValue = 0) // requires C# 4+
{
}

或者

struct ValueInfo
{
    public MinValue { get; set; }
    public MaxValue { get; set; }
}

public Constructor(ValueInfo values) // one or another or both values can be specified
{
}
于 2012-11-17T18:47:13.740 回答