如何根据某些参数调用构造函数内的基础构造函数?

时间:2013-02-25 16:39:31

标签: c# asp.net-mvc entity-framework constructor

如何根据参数调用构造函数内的基础构造函数? 例如:

public SomeConstructor (){
       if(SomeParameter == "something") //here call base("something");
          else //here call base("something else")
}

在我的例子中

SomeParameter

可以是例如本地计算机名称。

为了解释我在做什么,我想根据计算机名确定构造函数。我正在研究MVC项目,当我在服务器上发布项目时,我仍然忘记更改连接字符串的名称。所以,我想指定计算机名称==我的计算机名称,然后调用

:base("DefaultConnection")

否则,请致电

:base("ServerConnectionString")

4 个答案:

答案 0 :(得分:8)

你不能这样做,你只能在后面的例子中调用,即使这样,你的例子都传递了一个字符串而不是改变参数类型,所以这种方式似乎毫无意义(它们不是甚至你正在调用的不同构造函数。您可以通过传统方式调用构造函数,并确保提供的值在此之前是有效值。

作为一个袖口示例,请考虑以下事项:

public SomeConstructor() 
  : base(Configuration.ConnectionString) {

}

public static Configuration {
  public static string ConnectionString {
    get { 
      /* some logic to determine the appropriate value */
#if DEBUG
      return ConfigurationManager.ConnectionStrings["DebugConnectionString"]; 
#else
      return ConfigurationManager.ConnectionStrings["ReleaseConnectionString"]; 
#endif
    } 
  }
}

答案 1 :(得分:2)

试试这个:

public class TestInherit : Child
{
    public TestInherit()
        : base(Environment.MachineName=="MyPC" ? "here" : "there")
    {
    }

}

public class Child
{
    public Child(string name) { }
}

答案 2 :(得分:2)

您不能调用不同的构造函数,但可以使用条件opreator将不同的值发送到同一个构造函数中:

public SomeConstructor ()
  : base(SomeParameter == "something" ? "something" : "something else") {
}

如果需要使用不同的基础构造函数,则可以为每个构造函数创建一个构造函数,并使用静态方法在不同的构造函数之间进行选择。例如:

private SomeConstructor() : base("some", "thing") {}

private SomeConstructor(bool flag) : base("some", "other", "thing") {}

public SomeConstructor Create() {
  if (SomeParameter == "something") {
    return new SomeConstructor();
  } else {
    return new SomeConstructor(true);
  }
}

(这里我使用布尔参数只是为了使构造函数签名不同。你可能有不同的数据要发送到它们中,所以你不需要那样区分它们。)

答案 3 :(得分:1)

根据构建配置使用一个具有不同值的连接字符串。这是通过Config file transformations实现的。

Web.config 中使用

  <connectionStrings>
    <add name="Foo" connectionString="DefaultConnection" />
  </connectionStrings>

如果 Web.Release.config 使用

  <connectionStrings>
    <add name="Foo" connectionString="ServerConnectionString"
         xdt:Transform="SetAttributes" xdt:Locator="Match(name)"/>
  </connectionStrings>

当您在发布配置中构建项目时, Web.config 将具有值为ServerConnectionString Foo 连接字符串。

另外,我建议您使用SlowCheetah包,它允许您根据构建配置转换app.config或任何其他XML文件。


正如我在评论中提到的,如果您由于某种原因不想依赖于构建配置,那么您可以向您的依赖注入框架(Unity,Ninject等)询问正确的参数。以下是Ninject的示例:

Bind<IFoo>().To<Foo>().WithConstructorArgument("bar", 
     context => IsLocalMachine ? "DefaultConnection" : "ServerConnectionString");

当Foo被实例化时(在你的情况下为DbContext),相应的字符串将被传递给构造函数:

public class Foo : FooBase, IFoo
{
    public Foo(string bar) : base(bar)
    {            
    }
}