I am converting my newtonsoft implementation to new JSON library in .net core 3.0. I have the following code
public static bool IsValidJson(string json)
{
try
{
JObject.Parse(json);
return true;
}
catch (Exception ex)
{
Logger.ErrorFormat("Invalid Json Received {0}", json);
Logger.Fatal(ex.Message);
return false;
}
}
I am not able to find any equivalent for JObject.Parse(json);
Also what will be the attribute JsonProperty
equivalent
public class ResponseJson
{
[JsonProperty(PropertyName = "status")]
public bool Status { get; set; }
[JsonProperty(PropertyName = "message")]
public string Message { get; set; }
[JsonProperty(PropertyName = "Log_id")]
public string LogId { get; set; }
[JsonProperty(PropertyName = "Log_status")]
public string LogStatus { get; set; }
public string FailureReason { get; set; }
}
One more thing i will be looking for the equivalent of Formating.None
.
You are asking a few questions here:
I am not able to find any equivalent for
JObject.Parse(json);
You can use
JsonDocument
to parse and examine any JSON. But do take note of this documentation remark:This class utilizes resources from pooled memory to minimize the impact of the garbage collector (GC) in high-usage scenarios. Failure to properly dispose this object will result in the memory not being returned to the pool, which will increase GC impact across various parts of the framework.
Also note that this type is currently read-only and does not provide an API for creating or modifying JSON. There is currently an open issue Issue #39922: Writable Json DOM tracking this.
An example of use is as follows:
//https://docs.microsoft.com/en-us/dotnet/csharp/whats-new/csharp-8#using-declarations using var doc = JsonDocument.Parse(json); var names = doc.RootElement.EnumerateObject().Select(p => p.Name); Console.WriteLine("Property names: {0}", string.Join(",", names)); // Property names: status,message,Log_id,Log_status,FailureReason using var ms = new MemoryStream(); using (var writer = new Utf8JsonWriter(ms, new JsonWriterOptions { Indented = true })) { doc.WriteTo(writer); } var json2 = Encoding.UTF8.GetString(ms.ToArray()); Console.WriteLine(json2);
Also what will be the attribute
JsonProperty
equivalent?Attributes that can control
JsonSerializer
are placed in theSystem.Text.Json.Serialization
namespace. UnlikeJsonProperty
, there is no omnibus attribute that can control all aspects of property serialization. Instead there are specific attributes to control specific aspects.As of .NET Core 3 these include:
[JsonPropertyNameAttribute(string)]
:Specifies the property name that is present in the JSON when serializing and deserializing. This overrides any naming policy specified by
JsonNamingPolicy
.This is attribute you want to use to control the serialized names of your
ResponseJson
class:public class ResponseJson { [JsonPropertyName("status")] public bool Status { get; set; } [JsonPropertyName("message")] public string Message { get; set; } [JsonPropertyName("Log_id")] public string LogId { get; set; } [JsonPropertyName("Log_status")] public string LogStatus { get; set; } public string FailureReason { get; set; } }
[JsonConverterAttribute(Type)]
:When placed on a type, the specified converter will be used unless a compatible converter is added to the
JsonSerializerOptions.Converters
collection or there is anotherJsonConverterAttribute
on a property of the same type.Note that the documented priority of converters -- settings before attributes -- is opposite from the documented order for Newtonsoft converters, which is the JsonConverter defined by attribute on a member, then the JsonConverter defined by an attribute on a class, and finally any converters passed to the JsonSerializer.
[JsonExtensionDataAttribute]
- corresponds to Newtonsoft's[JsonExtensionData]
.[JsonIgnoreAttribute]
- corresponds to Newtonsoft's[JsonIgnore]
.
When writing JSON via
Utf8JsonWriter
, indentation can be controlled by settingJsonWriterOptions.Indented
totrue
orfalse
.When serializing to JSON via
JsonSerializer.Serialize
, indentation can be controlled by settingJsonSerializerOptions.WriteIndented
totrue
orfalse
.
Demo fiddle here showing serialization with JsonSerializer
and parsing with JsonDocument
.
This link should get you going, snippets of which I copied below.
https://devblogs.microsoft.com/dotnet/try-the-new-system-text-json-apis/
WeatherForecast Deserialize(string json)
{
var options = new JsonSerializerOptions
{
AllowTrailingCommas = true
};
return JsonSerializer.Parse<WeatherForecast>(json, options);
}
class WeatherForecast {
public DateTimeOffset Date { get; set; }
// Always in Celsius.
[JsonPropertyName("temp")]
public int TemperatureC { get; set; }
public string Summary { get; set; }
// Don't serialize this property.
[JsonIgnore]
public bool IsHot => TemperatureC >= 30;
}
来源:https://stackoverflow.com/questions/58271901/converting-newtonsoft-code-to-system-text-json-in-net-core-3-whats-equivalent