ラージオブジェクトの配列をJSON HTTP応答ストリームにシリアル化します。次に、これらのオブジェクトをストリームから1つずつ非シリアル化します。これを可能にするC#ライブラリはありますか? json.netを見てきましたが、オブジェクトの配列全体を一度にデシリアライズする必要があるようです。
[{large json object},{large json object}.....]
明確化:ストリームから一度に1つのjsonオブジェクトを読み取り、デシリアライズします。
JSONをインクリメンタルに読み取るには、JsonTextReader
とStreamReader
を組み合わせて使用する必要があります。ただし、必ずしもすべてのJSONをリーダーから手動で読み取る必要はありません。 Linq-To-JSON APIを活用してリーダーから各大きなオブジェクトをロードできるようにして、より簡単に操作できるようにする必要があります。
簡単な例として、次のようなJSONファイルがあるとします。
[
{
"name": "foo",
"id": 1
},
{
"name": "bar",
"id": 2
},
{
"name": "baz",
"id": 3
}
]
ファイルから増分的に読み取るコードは、次のようになります。 (あなたの場合、FileStreamを応答ストリームに置き換えます。)
using (FileStream fs = new FileStream(@"C:\temp\data.json", FileMode.Open, FileAccess.Read))
using (StreamReader sr = new StreamReader(fs))
using (JsonTextReader reader = new JsonTextReader(sr))
{
while (reader.Read())
{
if (reader.TokenType == JsonToken.StartObject)
{
// Load each object from the stream and do something with it
JObject obj = JObject.Load(reader);
Console.WriteLine(obj["id"] + " - " + obj["name"]);
}
}
}
上記の出力は次のようになります。
1 - foo
2 - bar
3 - baz
パーサー/デシリアライザーのサンプル/テストの1つを単純化して、この質問のユースケースにもっと簡単に答えました。
テストデータは次のとおりです。
https://github.com/ysharplanguage/FastJsonParser/tree/master/JsonTest/TestData
(cf. fathers.json.txt)
次に、サンプルコードを示します。
using System;
using System.Collections.Generic;
using System.IO;
using System.Linq;
using System.Text;
// Our stuff
using System.Text.Json;
//...
public class FathersData
{
public Father[] fathers { get; set; }
}
public class Someone
{
public string name { get; set; }
}
public class Father : Someone
{
public int id { get; set; }
public bool married { get; set; }
// Lists...
public List<Son> sons { get; set; }
// ... or arrays for collections, that's fine:
public Daughter[] daughters { get; set; }
}
public class Child : Someone
{
public int age { get; set; }
}
public class Son : Child
{
}
public class Daughter : Child
{
public string maidenName { get; set; }
}
//...
static void FilteredFatherStreamTestSimplified()
{
// Get our parser:
var parser = new JsonParser();
// (Note this will be invoked thanks to the "filters" dictionary below)
Func<object, object> filteredFatherStreamCallback = obj =>
{
Father father = (obj as Father);
// Output only the individual fathers that the filters decided to keep (i.e., when obj.Type equals typeof(Father)),
// but don't output (even once) the resulting array (i.e., when obj.Type equals typeof(Father[])):
if (father != null)
{
Console.WriteLine("\t\tId : {0}\t\tName : {1}", father.id, father.name);
}
// Do not project the filtered data in any specific way otherwise,
// just return it deserialized as-is:
return obj;
};
// Prepare our filter, and thus:
// 1) we want only the last five (5) fathers (array index in the resulting "Father[]" >= 29,995),
// (assuming we somehow have prior knowledge that the total count is 30,000)
// and for each of them,
// 2) we're interested in deserializing them with only their "id" and "name" properties
var filters =
new Dictionary<Type, Func<Type, object, object, int, Func<object, object>>>
{
// We don't care about anything but these 2 properties:
{
typeof(Father), // Note the type
(type, obj, key, index) =>
((key as string) == "id" || (key as string) == "name") ?
filteredFatherStreamCallback :
JsonParser.Skip
},
// We want to pick only the last 5 fathers from the source:
{
typeof(Father[]), // Note the type
(type, obj, key, index) =>
(index >= 29995) ?
filteredFatherStreamCallback :
JsonParser.Skip
}
};
// Read, parse, and deserialize fathers.json.txt in a streamed fashion,
// and using the above filters, along with the callback we've set up:
using (var reader = new System.IO.StreamReader(FATHERS_TEST_FILE_PATH))
{
FathersData data = parser.Parse<FathersData>(reader, filters);
System.Diagnostics.Debug.Assert
(
(data != null) &&
(data.fathers != null) &&
(data.fathers.Length == 5)
);
foreach (var i in Enumerable.Range(29995, 5))
System.Diagnostics.Debug.Assert
(
(data.fathers[i - 29995].id == i) &&
!String.IsNullOrEmpty(data.fathers[i - 29995].name)
);
}
Console.ReadKey();
}
残りのビットはここから入手できます。
https://github.com/ysharplanguage/FastJsonParser
'HTH、
これは、さまざまなソースからの組み合わせですが、主に Brian Rogers ソリューションに基づいており、巨大なJSONファイル(オブジェクトの配列)を汎用オブジェクトのXMLファイルに変換します。
JSONは次のようになります。
{
"Order": [
{ order object 1},
{ order object 2},
{...}
{ order object 10000},
]
}
出力XML:
<Order>...</Order>
<Order>...</Order>
<Order>...</Order>
C#コード:
XmlWriterSettings xws = new XmlWriterSettings { OmitXmlDeclaration = true };
using (StreamWriter sw = new StreamWriter(xmlFile))
using (FileStream fs = new FileStream(jsonFile, FileMode.Open, FileAccess.Read))
using (StreamReader sr = new StreamReader(fs))
using (JsonTextReader reader = new JsonTextReader(sr))
{
//sw.Write("<root>");
while (reader.Read())
{
if (reader.TokenType == JsonToken.StartArray)
{
while (reader.Read())
{
if (reader.TokenType == JsonToken.StartObject)
{
JObject obj = JObject.Load(reader);
XmlDocument doc = JsonConvert.DeserializeXmlNode(obj.ToString(), "Order");
sw.Write(doc.InnerXml); // a line of XML code <Order>...</Order>
sw.Write("\n");
//this approach produces not strictly valid XML document
//add root element at the beginning and at the end to make it valid XML
}
}
}
}
//sw.Write("</root>");
}
Cinchoo ETL -オープンソースライブラリを使用すると、大きなメモリ容量を少ないメモリフットプリントで効率的に解析できます。オブジェクトが構築され、ストリームベースのプルモデルで返されるため
using (var p = new ChoJSONReader(** YOUR JSON FILE **))
{
foreach (var rec in p)
{
Console.WriteLine($"Name: {rec.name}, Id: {rec.id}");
}
}
詳細については、codeprojectの記事をご覧ください。
それが役に立てば幸い。