0

使用 vs2012,我有一个包含 .edmx 文件和 linq 的测试单元项目(用于测试服务)。edmx 是在设计时创建的,我创建了一个对象(称为 Store.Data.Common),它从 App.Config 文件中检索连接字符串(解密字符串并构建包括元数据在内的整个字符串):

//Object is called Store.Data.Common
public static string GetConnectionString(string databaseName)
{
    var security = new Security();

    var connectionString = security.GetDecoded(ConfigurationManager.ConnectionStrings[databaseName+"Encrypted"].ToString(), 0);
    var environment = ConfigurationManager.AppSettings["Environment"].ToString();
    var dataSource = security.GetDecoded(ConfigurationManager.AppSettings[environment], 0);

    connectionString = string.Format(connectionString, dataSource);

    return connectionString;
}

我还修改了 .tt 文件以包含构造函数的重载以调用此方法来构建连接字符串,如下所示:

//Original Constructor which I modified and added the parameter to pass to the other constructor.
public StoreContext()
 : base("name=StoreContext")
{
}

//Constructor I added:
public StoreContext(string connection)
{
    Store.Data.Common.ConnectionBuilder.GetConnectionString("StoreContext");
}

一切都正确构建,但是,当我尝试为 StoreContext 新建一个对象并将构造函数留空时,它永远不会到达第二个构造函数:

StoreContext storeContext = new StoreContext();

当我调试这个测试并遍历它时,它只会到达第一个构造函数,就是这样。显然,如果我这样做:

StoreContext storeContext = new StoreContext("Blah");

然后它按预期进入第二个....我的问题是,为什么第一个方法在没有传递给构造函数时不起作用?从技术上讲,它应该可以工作,对吧?

4

1 回答 1

3

我想你的意思是使用

public StoreContext()
  : this("name=StoreContext")
{
}

(使用this而不是base)。

usingthis()表示您正在同一个类上调用构造函数。当您说base()您正在尝试调用基类上的构造函数时。

编辑:看起来您也没有使用传递给该非默认构造函数的参数。但这是另一个问题,不是问题的根源。

于 2013-07-12T13:55:24.090 回答