I've been toying around with Json.NET and I'm liking it a lot. However, I've run into a problem when deserializing objects with value-type members. For example, consider this code:
public struct Vector
{
public float X;
public float Y;
public float Z;
public override string ToString()
{
return string.Format("({0},{1},{2})", X, Y, Z);
}
}
public class Object
{
public Vector Position;
}
class Program
{
static void Main(string[] args)
{
var obj = new Object();
obj.Position = new Vector { X = 1, Y = 2, Z = 3 };
var str = JsonConvert.SerializeObject(obj);
Console.WriteLine(str); // {"Position":{"X":1.0,"Y":2.0,"Z":3.0}}
obj = JsonConvert.DeserializeObject<Object>(str);
Console.WriteLine(obj.Position); // (0,0,0)
Console.ReadKey(true);
}
}
The position is serialized correctly, but it is not recovered during deserialization. Interestingly, the following code works as expected.
class Program
{
static void Main(string[] args)
{
var vec = new Vector { X = 1, Y = 2, Z = 3 };
var str = JsonConvert.SerializeObject(vec);
Console.WriteLine(str); // {"X":1.0,"Y":2.0,"Z":3.0}
vec = JsonConvert.DeserializeObject<Vector>(str);
Console.WriteLine(vec); // (1,2,3)
Console.ReadKey(true);
}
}
As you can see, the vector is getting properly serialized/deserialized by itself. Is there an easy solution for the first scenario, or do I have to create something along the lines of a custom converter?