8

我有一个有两个构造函数(C#)的类。这是代码片段:

public class FooBar()
{
    public FooBar(string s)
    {
        // constructor 1, some functionality
    }

    public FooBar(int i) : this("My String")
    {
        // constructor 2, some other functionality
    }

}

是的,我知道我可以使用上述方法从另一个构造函数调用一个构造函数。但是在这种情况下,如果我调用构造函数 2,构造函数 1 中的所有语句都将在构造函数 2 中的语句执行之前运行。

我想要的是,在构造函数 2 中的所有语句都运行之后,它会调用构造函数 1。

在我的确切情况下,我正在进行用户身份验证。构造函数 1 仅使用用户 ID 检索用户信息,但构造函数 2 使用电子邮件和密码进行用户身份验证。如果用户在数据库中,它会获取用户 ID,现在我希望构造函数 1 填充类的所有属性。

如果您需要更多信息,请告诉我。如果您认为还有另一种更好的方法,我很乐意听取建议。

更新1:我想知道为什么没有实现这样的事情:

public FooBar(bool b)
{
    // constructor 3, some more functionality
    this.FooBar("My String"); // calling constructor 1
}
4

5 回答 5

8

在这种情况下,不要使用构造函数调用,而是使用类似:

public class FooBar()
{
    public FooBar(string s)
    {
        Init1();
    }

    public FooBar(int i)
    {
        Init2(); 
        Init1();
    }

}

我认为这是Init1(..)Init2(..)相应构造函数的某些特定初始化逻辑相关的方法。

实际上,您可以以更适合您需要的方式安排此函数调用。

于 2012-06-20T15:31:38.610 回答
8

您可以使用另一个私有方法进行初始化:

public class FooBar()
{
    public FooBar(string s)
    {
        this.Initialize(s);
    }

    public FooBar(int i)
    {
        this.Initialize("My String");
    }

    private void Initialize(string s) {
        // Do what constructor 1 did
    }
}
于 2012-06-20T15:33:53.763 回答
2

为什么不将该功能包装成一些method并在构造函数(或任何你想要的地方)中调用它?

public class FooBar()
{
    public FooBar(string s)
    {
        LoadUser(s);
    }

    public FooBar(int i) : this("My String")
    {
        var s=CheckUser();
        LoadUser(s);
    }

    private string CheckUser()
    {
       return "the id/name from db";
    }
    private void LoadUser(string s)
    {
          //load the user
    }

}

这是一个通用的解决方案。您可以根据您的具体情况更改返回类型。

于 2012-06-20T15:30:38.130 回答
2

一般来说,你可以使用这个:

public class FooBar()
{
    private Test(string s)
    {
        // Some functionality
    }

    public FooBar(string s)
    {
        Test(s);
    }

    public FooBar(int i)
    {
        // Do what you need here
        Test("MyString");
    }    
}
于 2012-06-20T15:30:44.500 回答
1

最佳方法 - 不要将该逻辑放在构造函数中。将其分解为您可以随意调用的其他方法,而无需担心构造函数链接。

于 2012-06-20T15:31:40.910 回答