这是我的JSON
文件。
{
"webroot": "wwwroot",
"version": "1.0.0-*",
"dependencies": {
"EntityFramework.SqlServer": "7.0.0-beta5",
"EntityFramework.Commands": "7.0.0-beta5",
"Microsoft.AspNet.Mvc": "6.0.0-beta5",
},
"exclude": [
"wwwroot",
"node_modules",
"bower_components"
],
}
我可以读取值"webroot"作为字符串和"排除"作为数组使用下面的代码片段。
string file = File.ReadAllText("project.json");
Product pro = JsonConvert.DeserializeObject<Product>(file);
但是我无法读取dependencies的值。它抛出异常"读取字符串错误。意外令牌:starobject。路径依赖,…"
我的要求是读取依赖节点下的每个值并验证它。然后添加一个新值并将其写回json文件。请帮助。
编辑:我的产品类:
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
namespace ConsoleApplication1
{
class Product
{
private string webroot;
private string[] exclude;
private string[] dependencies;
public string WebRoot
{
get
{
return webroot;
}
set
{
webroot = value;
}
}
public string[] Exclude
{
get
{
return exclude;
}
set
{
exclude = value;
}
}
public string[] Dependencies
{
get
{
return dependencies;
}
set
{
dependencies = value;
}
}
}
}
抛出异常:
不能反序列化当前JSON对象(例如{"name":"value"})输入"System"。String[]',因为该类型需要JSON数组(例如[1,2,3])来正确反序列化。
Dependencies
属性是具有动态属性的对象,所以你需要在c#类中添加一些动态对象。
用Dictionary<string, string>
代替Dependencies
的性质可以解决这个问题。下面是一个例子:
public class Product
{
public string Webroot { get; set; }
public string Version { get; set; }
public Dictionary<string, string> Dependencies { get; set; }
public string[] Exclude { get; set; }
}
[ ... ]
static void Main()
{
string json = File.ReadAllText("project.json");
Product pro = JsonConvert.DeserializeObject<Product>(json);
foreach (var dependency in pro.Dependencies)
{
// Here you can validate each property instead of printing it ...
Console.WriteLine("{0}: {1}", dependency.Key, dependency.Value);
}
pro.Dependencies.Add("NewProperty", "NewValue");
var resultJson = JsonConvert.SerializeObject(pro, Formatting.Indented);
Console.WriteLine(resultJson);
}
要正确地反序列化文件,您的类应该是这样的。注意Json.NET
中的JsonProperty
属性。
using Newtonsoft.Json;
public class Product
{
public string webroot { get; set; }
public string version { get; set; }
public Dependencies dependencies { get; set; }
public string[] exclude { get; set; }
}
public class Dependencies
{
[JsonProperty("EntityFramework.SqlServer")]
public string EntityFrameworkSqlServer { get; set; }
[JsonProperty("EntityFramework.Commands")]
public string EntityFrameworkCommands { get; set; }
[JsonProperty("Microsoft.AspNet.Mvc")]
public string MicrosoftAspNetMvc { get; set; }
}
然后你可以直接使用Json.NET
像这样反序列化
string content = File.ReadAllText(@"C:YourDirectoryproduct.json");
var product = JsonConvert.DeserializeObject<Product>(content);
如果你只是想读取json的一些属性/部分,你可以使用Linq-to-Json
像这样
string content = File.ReadAllText(@"C:YourDirectoryproduct.json");
JObject jObj = JObject.Parse(content);
string entityFrameworkSqlServer = (string)jObj["dependencies"]["EntityFramework.SqlServer"];