我正在使用. net JSON解析器,并想序列化我的配置文件,使其可读。所以不要:
{"blah":"v", "blah2":"v2"}
我想要更好的东西,比如:
{
"blah":"v",
"blah2":"v2"
}
我的代码是这样的:
using System.Web.Script.Serialization;
var ser = new JavaScriptSerializer();
configSz = ser.Serialize(config);
using (var f = (TextWriter)File.CreateText(configFn))
{
f.WriteLine(configSz);
f.Close();
}
. net 5内置了在System.Text.Json命名空间下处理JSON解析、序列化、反序列化的类。下面是一个序列化器的例子,它将。net对象转换为JSON字符串,
using System.Text.Json;
using System.Text.Json.Serialization;
private string ConvertJsonString(object obj)
{
JsonSerializerOptions options = new JsonSerializerOptions();
options.WriteIndented = true; //Pretty print using indent, white space, new line, etc.
options.NumberHandling = JsonNumberHandling.AllowNamedFloatingPointLiterals; //Allow NANs
string jsonString = JsonSerializer.Serialize(obj, options);
return jsonString;
}
用JavaScriptSerializer来完成这个任务会很困难。
试试JSON.Net。
对JSON进行了少量修改。净的例子
using System;
using Newtonsoft.Json;
namespace JsonPrettyPrint
{
internal class Program
{
private static void Main(string[] args)
{
Product product = new Product
{
Name = "Apple",
Expiry = new DateTime(2008, 12, 28),
Price = 3.99M,
Sizes = new[] { "Small", "Medium", "Large" }
};
string json = JsonConvert.SerializeObject(product, Formatting.Indented);
Console.WriteLine(json);
Product deserializedProduct = JsonConvert.DeserializeObject<Product>(json);
}
}
internal class Product
{
public String[] Sizes { get; set; }
public decimal Price { get; set; }
public DateTime Expiry { get; set; }
public string Name { get; set; }
}
}
结果
{
"Sizes": [
"Small",
"Medium",
"Large"
],
"Price": 3.99,
"Expiry": "\/Date(1230447600000-0700)\/",
"Name": "Apple"
}
文档:序列化对象
对于使用。net Core 3.1的UTF8编码的JSON文件,我最终能够使用基于微软的信息:https://learn.microsoft.com/en-us/dotnet/standard/serialization/system-text-json-how-to#utf8jsonreader-utf8jsonwriter-and-jsondocument的JsonDocument
string allLinesAsOneString = string.Empty;
string [] lines = File.ReadAllLines(filename, Encoding.UTF8);
foreach(var line in lines)
allLinesAsOneString += line;
JsonDocument jd = JsonDocument.Parse(Encoding.UTF8.GetBytes(allLinesAsOneString));
var writer = new Utf8JsonWriter(Console.OpenStandardOutput(), new JsonWriterOptions
{
Indented = true
});
JsonElement root = jd.RootElement;
if( root.ValueKind == JsonValueKind.Object )
{
writer.WriteStartObject();
}
foreach (var jp in root.EnumerateObject())
jp.WriteTo(writer);
writer.WriteEndObject();
writer.Flush();
首先我想在Duncan Smart的帖子下添加评论,但不幸的是,我还没有足够的声誉来留下评论。我在这里试试。
我只是想警告一下副作用。
JsonTextReader在内部将json解析为类型化的jtoken,然后将它们序列化回来。
例如,如果您的原始JSON是
{ "double":0.00002, "date":"\/Date(1198908717056)\/"}
美化之后你得到
{
"double":2E-05,
"date": "2007-12-29T06:11:57.056Z"
}
当然,这两个json字符串是等价的,并且将反序列化为结构上相等的对象,但如果您需要保留原始字符串值,则需要考虑这一点