3

What libraries are available to handle JSON in .Net? I've seen this: http://james.newtonking.com/projects/json-net.aspx but would prefer a native library, if possible.

sKIPper76
  • 49
  • 2

3 Answers3

2

I have been using the JavaScriptSerializer some to expose data structures from a WCF service to Ajax calls, and it has been working out quite well.

Fredrik Mörk
  • 155,851
  • 29
  • 291
  • 343
1

The JavaScriptSerializer has been marked as obsolete in .NET 3.5 and but you could use the DataContractJsonSerializer.

EDIT: See this question on SO about whether JavaScriptSerializer is actually obsolete going forward in the .NET BCL. It looks like JavaScriptSerializer is no longer obsolete in .NET 3.5 SP1 - so it's probably fine to use that. If in doubt, you can use the contract serializer from WCF, or JSON.NET (if you're willing to include 3rd party code).

Here's some wrapper code to make using DataContractJsonSerializer nicer.

using System.Runtime.Serialization;
using System.Runtime.Serialization.Json;

public class JSONHelper
{
    public static string Serialize<T>(T obj)
    {
        DataContractJsonSerializer serializer = 
              new DataContractJsonSerializer(obj.GetType());
        using( MemoryStream ms = new MemoryStream() ) 
        {
            serializer.WriteObject(ms, obj);
            string retVal = Encoding.Default.GetString(ms.ToArray());
            return retVal;
        }
    }

    public static T Deserialize<T>(string json)
    {
        using( MemoryStream ms = new MemoryStream(Encoding.Unicode.GetBytes(json)) )
        {
            DataContractJsonSerializer serializer =
                  new DataContractJsonSerializer(typeof(T));
            T obj = (T)serializer.ReadObject(ms);
            ms.Close();
            return obj;
        }
    }
}

The code above is courtesy of: http://pietschsoft.com/post/2008/02/NET-35-JSON-Serialization-using-the-DataContractJsonSerializer.aspx,

I have altered it from it's original form to use best practices for object disposal (the using pattern .NET supports).

Community
  • 1
  • 1
LBushkin
  • 129,300
  • 32
  • 216
  • 265
0

If you can require .Net 3.5, use System.Web.Script.Serialization.JavaScriptSerializer

Frank Schwieterman
  • 24,142
  • 15
  • 92
  • 130