create object from json c# code example

Example 1: object to json c#

using Newtonsoft.Json;

var jsonString = JsonConvert.SerializeObject(obj);

Example 2: create json string c#

//Create my object
        var my_jsondata = new
        {
            Host = @"sftp.myhost.gr",
            UserName = "my_username",
            Password = "my_password",
            SourceDir = "/export/zip/mypath/",
            FileName = "my_file.zip"
        };

        //Tranform it to Json object
        string json_data = JsonConvert.SerializeObject(my_jsondata);

        //Print the Json object
        Console.WriteLine(json_data);

        //Parse the json object
        JObject json_object = JObject.Parse(json_data);

        //Print the parsed Json object
        Console.WriteLine((string)json_object["Host"]);
        Console.WriteLine((string)json_object["UserName"]);
        Console.WriteLine((string)json_object["Password"]);
        Console.WriteLine((string)json_object["SourceDir"]);
        Console.WriteLine((string)json_object["FileName"]);

Example 3: json to csharp

//Make use of the third party library called Newton soft.
  
//To serialize a JSON object to C# class. The below will help. 
//Note: The C# class and JSON Object should have the same structure
  public static T Deserialize(string serializedData)
        {
            var deJson = JsonConvert.DeserializeObject<T>(serializedData);
            return deJson;
        }

//To de-serialize a JSON object to C# class. The below will help. 
//Note: The C# class and JSON Object should have the same structure
//The contract resolver and settings are only needed if you have specific attributes in your JSON string
 public static string Serialize(object objectName)
        {
            var settings = new JsonSerializerSettings()
            {
                ContractResolver = new OrderedContractResolver()
            };
            var json = JsonConvert.SerializeObject(objectName, Formatting.Indented, settings);
            return json;

        }
//No settings:
 public static string Serialize(object objectName)
        {
            var json = JsonConvert.SerializeObject(objectName, Formatting.Indented);
            return json;

        }

Tags:

Php Example