我已经搜索了很长一段时间,但什么都找不到。然后是标题的应用程序,因为有很多关于将内容转换为字符串数组的内容,这不是我所需要的。
我需要一种方法将JsonArray的内容原样转换为字符串。有一些方法可以使用ValueConverters处理弱类型json,但我特别不想使用它们,因为我需要将字段的内容作为字符串传递给WebView中的Javascript函数。
我有以下json(注意标记指示字符串的位置):
"highlights2":[
{
"_id":"highlight2-2850cb68121f9d4093e67950665c45fab02cec81",
"_rev":"9-c4345794001495104f8cbf5dd6999f3a",
"content":{ <---- Need this as string
"#roepman.17.0":[
[
233,
249,
"itsi-hl-gr"
],
[
298,
317,
"itsi-hl-bl"
]
],
"#roepman.19.0":[
[
5,
7,
"itsi-hl-gr"
]
]
}, <----- Up to here
"created":1434552587
}, //...more like this
],
"book":"book-930d62a2-9b7c-46a9-b092-f90469206900",
"serverTime":1435151280
理想情况下,我想将其解析为以下类型的列表:
public class HighlightInfo2
{
public string _id { get; set; }
public string _rev { get; set; }}
public string content { get; set; }
public long created { get; set; }
}
但是,这是不可能的,因为"content"的内容属于JsonArray类型。因此,为了避免不必为"内容"指定类型,我使用了以下内容:
public class HighlightInfo2
{
public string _id { get; set; }
public string _rev { get; set; }}
public Dictionary<string, List<JsonArray>> content { get; set; }
public long created { get; set; }
}
但这意味着我仍然必须在某个时刻将List<JsonArray>中的一个字符串,然后我将"content"的内容传递给Web视图中的Javascript函数。
有什么方法可以将JsonArray转换为字符串吗?
根据您的注释,该字符串的格式无关紧要。它只需要是表示原始数据的有效JSON。
然后,我建议让content
成为object
类型的HighlightInfo2
中的成员,并简单地执行JsonConvert.SerializeObject(highlightInfo.content)
以获得JSON字符串。这就是您可以传递给JavaScript函数的内容。
如果您需要经常这样做,您可以将其与Behzad的答案结合起来,并向存储此转换值的类中添加另一个成员。
我建议在highlightInfo2类下创建另一个类似contentJson的属性,并在其中放入jsonaray字符串。
public class HighlightInfo2
{
private Dictionary<string, List<JsonArray>> _content;
public string _id { get; set; }
public string _rev { get; set; }
public Dictionary<string, List<JsonArray>> content
{
get { return _content; }
set
{
_content = value;
foreach (var item in _content)
{
contentJson += string.Join("rn", item.Value);
}
}
}
[JsonIgnore] //note, this depends on your json serializer
public string contentJson { set; get; }
public long created { get; set; }
}
使用Daniel的Answer和Behzad的Answers的组合,我提出了用于反序列化的类/类型,它可以顺利工作。谢谢你的帮助。
public class HighlightInfo2
{
public string _id { get; set; }
public string _rev { get; set; }
public long created { get; set; }
private JToken _content { get; set; }
public JToken content
{
get { return _content; }
set
{
_content = value;
contentString = JsonConvert.SerializeObject(value);
}
}
[JsonIgnore]
public string contentString { get; set; }
}