0

従業員クラスのオブジェクトをシリアル化しています。クラスの一部のプロパティが null である可能性があります。null プロパティが null を再送信するように、null 値を使用してオブジェクトを逆シリアル化する必要があります。null 値を逆シリアル化しようとすると、TargetInvocationException が発生します。私を助けてください

public class Employee
{
   public string Name {get; set;}
   public string Id{get;set;}
}
public mainclass
{
   public void MainMethod()
   {
   Employee emp = new Employee();
   emp.ID = 1;
   //Name field is intentionally uninitialized
   Stream stream = File.Open("Sample.erl", FileMode.Create);
   BinaryFormatter bformatter = new BinaryFormatter();
   bformatter.Serialize(stream, sample);
   stream.Close()
   stream = File.Open("Sample.erl", FileMode.Open);
   bformatter = new BinaryFormatter();
   sample = (Employee)bformatter.Deserialize(stream); //TargetInvocationException here
   //It works fine if Name field is initialized
   stream.Close();
   Textbox1.text = sample.Name;
   Textbox2.text = sample.ID;
   }

}
4

2 に答える 2

0

上記のように、必要な属性を適用するだけです。

namespace SO
{
  using System;
  using System.IO;
  using System.Runtime.Serialization.Formatters.Binary;

  [Serializable]
  public class Employee
  {
    public string Name { get; set; }

    public string Id { get; set; }
  }

  public class Test
  {
    public static void Main()
    {
      var emp = new Employee { Id = "1" };
      //Name field is intentionally uninitialized

      using (var stream = File.Open("Sample.erl", FileMode.Create))
      {
        var bformatter = new BinaryFormatter();

        bformatter.Serialize(stream, emp);
      }

      using (var stream = File.Open("Sample.erl", FileMode.Open))
      {
        var bformatter = new BinaryFormatter();

        var empFromFile = (Employee)bformatter.Deserialize(stream);

        Console.WriteLine(empFromFile.Id);
        Console.ReadLine();
      }
    }
  }
}
于 2013-02-11T09:28:20.423 に答える
0

LinqPad であなたのコードを試してみました (いくつかの mod を使用すると、上記のコードはコンパイルまたは動作しませんでした)。これはうまくいきます:

void Main()
{
    Employee emp = new Employee();
    emp.Id = "1";

    const string path = @"C:\Documents and Settings\LeeP\Sample.erl";

    emp.Dump();

    using(var stream = File.Open(path, FileMode.Create))
    {
        var formatter = new BinaryFormatter();
        formatter.Serialize(stream, emp);
    }

    using(var stream = File.Open(path, FileMode.Open))
    {
        var formatter = new BinaryFormatter();
        var sample = (Employee)formatter.Deserialize(stream); 

        sample.Dump();
    }
}

// You need to mark this class as [Serializable]
[Serializable]
public class Employee
{
    public string Name {get; set;}
    public string Id{get;set;}
}
于 2013-02-11T09:00:00.730 に答える