为什么序列化ImageList;我工作不好

本文关键字:工作 序列化 ImageList 为什么 | 更新日期: 2023-09-27 17:58:20

我使用的是BinaryFormatter,我序列化了一个树视图。现在我想对ImageList 做同样的事情

我用这个代码来序列化:

    public static void SerializeImageList(ImageList imglist)
    {
        FileStream fs = new FileStream("imagelist.iml", FileMode.Create);
        BinaryFormatter bf = new BinaryFormatter();
        bf.Serialize(fs, imglist.ImageStream);
        fs.Close();
    }

这个要反序列化:

    public static void DeSerializeImageList(ref ImageList imgList)
    {
        FileStream fs = new FileStream("imagelist.iml", FileMode.Open);
        BinaryFormatter bf = new BinaryFormatter();
        imgList.ImageStream = (ImageListStreamer)bf.Deserialize(fs);
        fs.Close();
    }

但我在所有键中都有一个空字符串!!

ImgList.Images.Keys

为什么?

为什么序列化ImageList;我工作不好

大多数人不会使用他们的全部资源来交叉引用他们已经知道的东西。ImageList在当前形式下是不可序列化的,但您真正想保存的只有两件事,那就是KeyImage。因此,您构建了一个可序列化的中间类来容纳它们,如下例所示:

[Serializable()]
public class FlatImage
{
    public Image _image { get; set; }
    public string _key { get; set; }
}
void Serialize()
{
    string path = Options.GetLocalPath("ImageList.bin");
    BinaryFormatter formatter = new BinaryFormatter();
    List<FlatImage> fis = new List<FlatImage>();
    for (int index = 0; index < _smallImageList.Images.Count; index++)
    {
        FlatImage fi = new FlatImage();
        fi._key = _smallImageList.Images.Keys[index];
        fi._image = _smallImageList.Images[index];
        fis.Add(fi);
    }
    using (FileStream stream = File.OpenWrite(path))
    {
        formatter.Serialize(stream, fis);
    }
}
void Deserialize()
{
    string path = Options.GetLocalPath("ImageList.bin");
    BinaryFormatter formatter = new BinaryFormatter();
    try
    {
        using (FileStream stream = File.OpenRead(path))
        {
            List<FlatImage> ilc = formatter.Deserialize(stream) as List<FlatImage>;
            for( int index = 0; index < ilc.Count; index++ )
            {
                Image i = ilc[index]._image;
                string key = ilc[index]._key;
                _smallImageList.Images.Add(key as string, i);
            }
        }
    }
    catch { }
}