尝试使用yamldotnet将YAML文件转换为哈希表

时间:2016-07-12 22:16:10

标签: c# yaml hashtable yamldotnet

现在我正在尝试使用YamlDotNet库中提供的Deserializer将YAML文件转换为哈希表。得到错误Excpected 'SequenceStart' got 'MappingStart'

var d = Deserializer();

var result = d.Deserialize<List<Hashtable>>(new StreamReader(*yaml path*));
foreach (var item in result)
{
    foreach (DictionaryEntry entry in item)
    {
        //print out using entry.Key and entry.Value and record
    }
}

YAML文件结构类似于

Title:

    Section1:
           Key1:    Value1
           Key2:    Value2
           Key3:    Value3

有时包含多个部分。

我也尝试了类似于此Seeking guidance reading .yaml files with C#的解决方案,但是会发生同样的错误。如何正确读取YAML文件,并使用YamlDotNet将其转换为哈希?

1 个答案:

答案 0 :(得分:2)

您正尝试将YAML输入反序列化为列表:

d.Deserialize<List<Hashtable>>
//            ^^^^

但是YAML文件中最上面的对象是一个映射(从Title:开始)。这就是你得到错误的原因。

您的结构有四个级别。顶级将字符串(Title)映射到第二级。第二级将字符串(Section1)映射到第三级。第三级将字符串(Key1)映射到字符串(Value1)。

因此,您应该反序列化为:

Dictionary<string, Dictionary<string, Dictionary<string, string>>>

如果你的最上面的对象总是只有一个键值对(以Title为键),你可以写一个类:

public class MyClass {
    public Dictionary<string, Dictionary<string, string>> Title { get; set; }
}

然后对此类使用反序列化:

var result = d.Deserialize<MyClass>(new StreamReader(/* path */));
foreach (var section in result.Title) {
    Console.WriteLine("Section: " + section.Key);
    foreach (var pair in section.Value) {
        Console.WriteLine("  " + pair.Key + " = " + pair.Value);
    }
}