16

我遵循一个约定,我不会在类中使用任何打印语句,但我已经在构造函数中进行了参数验证。请告诉我如何将我在构造函数中完成的验证返回给 Main 函数。

4

6 回答 6

34

构造函数确实返回一个值 - 正在构造的类型......

构造函数不应该返回任何其他类型的值。

在构造函数中进行验证时,如果传入的值无效,则应抛出异常。

public class MyType
{
    public MyType(int toValidate)
    {
      if (toValidate < 0)
      {
        throw new ArgumentException("toValidate should be positive!");
      }
    }
}
于 2012-11-21T16:27:22.697 回答
5

构造函数没有返回类型,但您可以使用ref关键字通过引用传递值。最好从构造函数中抛出异常以指示验证失败。

public class YourClass
{
    public YourClass(ref string msg)
    {
         msg = "your message";
    }

}    

public void CallingMethod()
{
    string msg = string.Empty;
    YourClass c = new YourClass(ref msg);       
}
于 2012-11-21T16:26:38.200 回答
2

使用 Out 参数创建一个构造函数并通过相同的方式发送您的返回值。

public class ClassA
{
    public ClassA(out bool success)
    {
        success = true;
    }
}
于 2015-07-03T08:40:17.373 回答
0

构造函数返回被实例化的类型,如有必要,可以抛出异常。也许更好的解决方案是添加一个静态方法来尝试创建类的实例:

public static bool TryCreatingMyClass(out MyClass result, out string message)
{
    // Set the value of result and message, return true if success, false if failure
}
于 2012-11-21T16:28:54.633 回答
0

当构造函数接收到无效参数时,通常会抛出异常。然后,您可以捕获此异常并解析它包含的数据。

try
{
    int input = -1;
    var myClass = new MyClass(input);
}
catch (ArgumentException ex)
{
    // Validation failed.
}
于 2012-11-21T16:28:24.913 回答
0

我认为我的方法也可能有用。需要向构造函数添加公共属性,然后您可以从其他类访问此属性,如下例所示。

// constructor
public class DoSomeStuffForm : Form
{
    private int _value;

    public DoSomeStuffForm
    {
        InitializeComponent();

        // do some calculations
        int calcResult = 60;
        _value = calcResult;
    }

    // add public property
    public int ValueToReturn
    {
        get 
        {
            return _value;
        }
    }
}

// call constructor from other class
public statc void ShowDoSomeStuffForm()
{
    int resultFromConstructor;

    DoSomeStuffForm newForm = new DoSomeStuffForm()
    newForm.StartPosition = System.Windows.Forms.FormStartPosition.CenterScreen;
    newForm.ShowDialog();

    // now you can access value from constructor
    resultFromConstructor = newForm.ValueToReturn;

    newForm.Dispose();
}
于 2019-01-10T16:46:18.923 回答