我在序列化我的对象时遇到了一些问题,并将问题缩小到特定情况(参见下面的代码)。我收到以下错误:
错误1无效的Resx文件。无法加载类型Serialisation.Harness.Blob,Serialization,Version = 1.0.0.0,Culture = neutral,PublicKeyToken = null,在.RESX文件中使用。确保已将必要的引用添加到项目中。第129行,第5位......
现在真正奇怪的是,重新启动Visual Studio会导致错误消失并且代码可以工作,但之后看似随机数量的构建(在此期间,所述代码不更改)它会再次破裂。
你能看出我做错了什么/错过了吗?
非常感谢,
梅托
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.ComponentModel;
using System.Windows.Forms;
using System.Windows.Forms.Design; using System.ComponentModel.Design;
namespace Serialisation.Harness
{
[Serializable]
public class Blob
{
public Blob()
{
}
}
[Serializable]
public class Basic
{
private List<Blob> blobs;
public List<Blob> Blobs
{
get { return blobs; }
set { this.blobs= value; }
}
public Basic()
{
basics = new List<Blob>();
}
}
public class BasicComponent : Component
{
private Basic basic = new Basic();
private IContainer components = new Container();
public List<Blob> Blobs
{
get { return basic.Blobs; }
set { basic.Blobs= value; }
}
public BasicComponent(IContainer container)
{
container.Add(this);
}
}
}
答案 0 :(得分:6)
首先,Serializable
属性不用于设计器序列化。序列化对象时,设计器在不知道如何将其写入设计器代码时将序列化为资源文件。这会将resx写为blob,使用InstanceDescriptor
作为对象类型的默认构造函数(这会丢失您可能还想包含的任何属性值)。这就是Blobs
属性正在发生的事情,因为设计器没有很好地序列化通用列表(它确实知道如何序列化数组)。
为了保留这些持久化对象中的信息,您需要创建一个TypeConverter
,在InstanceDescriptor
中指定一个不同的构造函数(实际上需要一些状态来描述属性,例如作为您的Blobs
财产。例如,如果您将BasicComponent
类型的构造函数添加到IEnumerable<Blob>
,那么您可以获得InstanceDescriptor
到该构造函数,并传入Blob
个数组(你在构造函数中创建一个新的List<Blob>
)。因为设计人员知道如何将InstanceDescriptor
保存到代码中,并且因为它知道如何将数组保持为代码,所以它会将其添加到设计器代码而不是resx。
您还可以实现CodeDomSerializer
来指定用于描述实例的代码,设计人员可以使用该代码将对象保存到设计器代码而不是resx。
要使用类型转换器方法,您可能会执行以下操作:
public class BasicComponentTypeConverter : TypeConverter
{
public override bool CanConvertTo(ITypeDescriptorContext context, Type destinationType)
{
bool canConvert = base.CanConvertTo(context, destinationType);
if (!canConvert &&
(destinationType == typeof(InstanceDescriptor))
{
canConvert = true;
}
return canConvert;
}
public override object ConvertTo(ITypeDescriptorContext context, CultureInfo culture, object value, Type destinationType)
{
object conversion = null;
if (culture == null)
{
culture = CultureInfo.CurrentCulture;
}
BasicComponent component = value as BasicComponent;
if (basicComponent != null)
{
if (destinationType == typeof(InstanceDescriptor))
{
// Note that we convert the blobs to an array as this makes for nicer persisted code output.
// Without it, we might just get a resource blob which is not human-readable.
conversion = new InstanceDescriptor(
typeof(BasicComponent).GetConstructor(new Type[] { typeof(IEnumerable<Blob>) }),
new object[] { basicComponent.Blobs.ToArray() },
true);
}
}
if (conversion == null)
{
conversion = base.ConvertTo(context, culture, value, destinationType);
}
return conversion;
}
}
请注意,您可能还需要为Blob
类型编写类型转换器。要将类型转换器附加到类型,只需在类型转换器将转换的类上声明TypeConverter
属性,即上面示例的BasicConverter。