找不到类型的构造函数

时间:2014-08-29 23:43:22

标签: c# constructor constructor-exception

异常消息:Constructor on type StateLog not found

我有以下代码,不适用于只有一个类:

        List<T> list = new List<T>();
        string line;
        string[] lines;

        HttpWebResponse resp = (HttpWebResponse)HttpWebRequest.Create(requestURL).GetResponse();

        using (var reader = new StreamReader(resp.GetResponseStream()))
        {
            while ((line = reader.ReadLine()) != null)
            {
                lines = line.Split(splitParams);
                list.Add((T)Activator.CreateInstance(typeof(T), lines));
            }
        }

它不起作用的类的构造函数与它工作的其他类完全相同。唯一的区别是这个类将传递16个参数而不是2-5。构造函数看起来像这样:

    public StateLog(string[] line)
    {
        try
        {
            SessionID = long.Parse(line[0]);
            AgentNumber = int.Parse(line[1]);
            StateIndex = int.Parse(line[5]);
            ....
        }
        catch (ArgumentNullException anex)
        {
            ....
        }
    }

就像我说的那样,它适用于使用它的其他5个类,唯一的区别是输入数量。

1 个答案:

答案 0 :(得分:45)

那是因为你正在使用接受一个对象数组的Activator.CreateInstance overload,它应该包含一个构造函数参数列表。换句话说,它试图找到一个StateLog构造函数重载,它有16个参数,而不是一个。这是由array covariance编译的。

所以当编译器看到这个表达式时:

Activator.CreateInstance(typeof(T), lines)

因为linesstring[],所以它假设您希望依靠协方差将其自动转换为object[],这意味着编译器实际上看起来像这样:

Activator.CreateInstance(typeof(T), (object[])lines)

然后,该方法将尝试查找一个构造函数,该构造函数的参数等于lines.Length,所有类型都为string

例如,如果你有这些构造函数:

class StateLog
{
      public StateLog(string[] line) { ... }
      public StateLog(string a, string b, string c) { ... }
}

调用Activator.CreateInstance(typeof(StateLog), new string[] { "a", "b", "c" })将调用第二个构造函数(具有三个参数的构造函数),而不是第一个构造函数。

您真正想要的是有效地传递整个lines数组作为第一个数组项

var parameters = new object[1];
parameters[0] = lines;
Activator.CreateInstance(typeof(T), parameters)

当然,您只需使用内联数组初始值设定项:

list.Add((T)Activator.CreateInstance(typeof(T), new object[] { lines }));