我正在尝试使用一个具有显式(但也会因隐式失败)强制转换运算符的类,该类在使用LINQ的Cast<T>()函数时会失败。这是两个类的定义

public class DatabaseInfoElement : ConfigurationElement
{
    [ConfigurationProperty("AllowedServer", IsRequired = true)]
    public string AllowedServer { get { return (string)base["AllowedServer"]; } }

    [ConfigurationProperty("DatabaseName", IsRequired = true)]
    public string DatabaseName { get { return (string)base["DatabaseName"]; } }

    [ConfigurationProperty("SqlInstance", IsRequired = true)]
    public string SqlInstance { get { return (string)base["SqlInstance"]; } }

    public static explicit operator DatabaseInfo(DatabaseInfoElement element)
    {
        return new DatabaseInfo(element.AllowedServer, element.DatabaseName, element.SqlInstance);
    }

}

public class DatabaseInfo
{
    public DatabaseInfo(string allowedServer, string sqlInstance, string databaseName)
    {
        AllowedServer = allowedServer;
        SqlInstance = sqlInstance;
        DatabaseName = databaseName;
    }

    public string AllowedServer { get; set; }
    public string SqlInstance { get; set; }
    public string DatabaseName { get; set; }
}

这是我用来测试的代码。
//Gets the ConfigurationSection that contains the collection "Databases"
var section = DatabaseInfoConfig.GetSection();

//This line works perfectly.
DatabaseInfo test = (DatabaseInfo)section.Databases[0];

//This line throws a execption
var test2 = new List<DatabaseInfo>(section.Databases.Cast<DatabaseInfo>());

这是我得到的异常(exception)

用户代码未处理System.InvalidCastException
HResult = -2147467262
Message =无法将类型为“Server.Config.DatabaseInfoElement”的对象强制转换为类型为“Server.DatabaseInfo”的对象。
源= System.Core
堆栈跟踪:
在System.Linq.Enumerable.d__b1`1.MoveNext()
在System.Collections.Generic.List`1..ctor(IEnumerable`1集合)处
在Sandbox.Main()的E:\Code\Sandbox\Program.cs:line 82中
InnerException:

为了使此功能按我想要的方式工作,我在做错什么?

最佳答案

当您定义显式/隐式强制转换运算符时,它们将在编译时绑定(bind)在调用位置。这就是第一行起作用的原因:编译器可以计算出所需的所有类型信息,因此可以将您的自定义显式强制转换运算符替换为默认的。

但是,由于Cast<T>仅执行通用类型转换,因此编译器不了解您的运算符,因此将其忽略。结果:无效的强制转换异常。

您可以通过执行.Select(x => (DatabaseInfo)x)来解决此问题。另外,您可以添加一个名为ToDatabaseInfo()的方法,这样就不会隐藏实际发生的事情。

08-18 03:43
查看更多