我正在使用类来存储连接字符串。我的应用程序从设置类中读取设置并将其分配给实例变量。然后将其绑定到某些控件。我的连接字符串类具有以下属性集:
[TypeConverter(typeof(ConnectionStringConverter))]
我的类型转换器如下所示。
问题是如果设置文件中的设置为空,则设置类返回null。而不是使用默认构造函数的连接字符串类的实例。
请有人帮助我解决这个谜题。
感谢。
public class ConnectionStringConverter : TypeConverter
{
public override bool CanConvertFrom(ITypeDescriptorContext context, Type sourceType)
{
if (sourceType == typeof(string))
return true;
else
return base.CanConvertFrom(context, sourceType);
}
public override object ConvertFrom(ITypeDescriptorContext context, CultureInfo culture, object value)
{
if (value is string)
return (ConnectionString)(value as string);
else
return base.ConvertFrom(context, culture, value);
}
public override object ConvertTo(ITypeDescriptorContext context, CultureInfo culture, object value, Type destinationType)
{
if (destinationType == typeof(string))
return (string)(value as ConnectionString);
else
return base.ConvertTo(context, culture, value, destinationType);
}
}
答案 0 :(得分:0)
我相信问题在这里:
public override object ConvertFrom(ITypeDescriptorContext context,
CultureInfo culture, object value)
{
// The first condition.
if (value is string)
return (ConnectionString)(value as string);
else
return base.ConvertFrom(context, culture, value);
}
让我们分解条件陈述:
if (value is string)
这很好,这是您从字符串转换到ConnectionString
类的地方。
return (ConnectionString)(value as string);
这是问题所在。如果value
为null,那么value as string
也为空,并且您将返回空引用。
相反,你想这样做:
return (ConnectionString)(value as string) ?? new ConnectionString();
如果value
为null,coalesce operator将提供使用default-parametersless构造函数调用的ConnectionString
类的实例。