次のような構造のXMLファイルに2次元座標を保存しています。
<?xml version="1.0" encoding="utf-8" ?>
<grid>
<coordinate time="78">
<initial>540:672</initial>
<final>540:672</final>
</coordinate>
</grid>
XMLファイルを開いてXmlTextReaderを介して読み取ることはできますが、座標をループして、次のような形式で初期ノードと最終ノードの間の時間属性とデータの両方を取得するにはどうすればよいですか。
string initial = "540:672";
string final = "540:672";
int time = 78;
私の新しいコード:
//Read the XML file.
XDocument xmlDoc = XDocument.Load("C:\\test.xml");
foreach (var coordinate in xmlDoc.Descendants("coordinate"))
{
this.coordinates[this.counter][0] = coordinate.Attribute("time").Value;
this.coordinates[this.counter][1] = coordinate.Element("initial").Value;
this.coordinates[this.counter][2] = coordinate.Element("final").Value;
this.counter++;
};
しかし今、私はこのエラーを受け取ります:
"オブジェクト参照がオブジェクトインスタンスに設定されていません。"
XML
<?xml version="1.0" encoding="utf-8"?>
<grid>
<coordinate time="62">
<initial>540:672</initial>
<final>540:672</final>
</coordinate>
...
<coordinate time="46">
<initial>176:605</initial>
<final>181:617</final>
</coordinate>
</grid>
フィットするようにいくつかの座標タグをスキップしましたが、それらはすべて時間属性と初期/最終サブタグを持っていました。
グローバル
uint counter = 0;
// Coordinates to be retrieved from the XML file.
string[][] coordinates;
Linq-to-XMLのようなものにチェックインすることをお勧めします。
XDocument coordinates = XDocument.Load("yourfilename.xml");
foreach(var coordinate in coordinates.Descendants("coordinate"))
{
string time = coordinate.Attribute("time").Value;
string initial = coordinate.Element("initial").Value;
string final = coordinate.Element("final").Value;
// do whatever you want to do with those items of information now
}
これは、単純な低レベルのXmlTextReaderを使用するよりもはるかに簡単なはずです。
Linq-to-XMLの概要については、 ここ または ここ (または他の非常に多くの場所)を参照してください。
更新:
このコードを試してみてください-それが機能し、結果のリストにすべての座標が含まれている場合は、Linq-to-XMLコードで問題ありません。
新しいヘルパークラスを定義します。
public class Coordinate
{
public string Time { get; set; }
public string Initial { get; set; }
public string Final { get; set; }
}
そしてあなたのメインコードで:
XDocument xdoc = XDocument.Load("C:\\test.xml");
IEnumerable<XElement> cords= xdoc.Descendants("coordinate");
var coordinates = cords
.Select(x => new Coordinate()
{
Time = x.Attribute("time").Value,
Initial = x.Attribute("initial").Value,
Final = x.Attribute("final").Value
});
このリストとその内容はどのように見えますか?あなたはあなたが期待しているすべての座標を手に入れましたか?
XmlSerializationを使用して、XMLを、少量の作業で座標クラスの単純なリストにすることができます。
public class coordinate
{
[XmlAttribute]
public int time;
[XmlElement(ElementName="initial")]
public string initial;
[XmlElement(ElementName = "final")]
public string final;
public coordinate()
{
time = 0;
initial = "";
final = "";
}
}
public class grid
{
[XmlElement(ElementName="coordinate", Type = typeof(coordinate))]
public coordinate[] list;
public grid()
{
list = new coordinate[0];
}
}
次に、コードで:
XmlReader r = new XmlReader.Create(...);
grid g = (grid) new XmlSerializer(typeof(grid)).Deserialize(r);