我想反序列化以下 XML 元素。
<error code="1" type="post">
  <bad-request xmlns="blah:ns"> // <-- may be some different element name
    <text>You fail.</text> // <-- this is optional
  </bad-request>
</error>
子元素bad-request可以有几个不同的名称。我想将该元素名称反序列化为错误类型,该错误类型在我的命名空间中定义为枚举,如下所示。
public enum ErrorType { BadRequest = 1, Forbidden = 2, Blah = 3, ... }
此外,我希望将text' 元素文本解析为ErrorText属性。所以我的最后一堂课看起来像这样。
public class Error 
{
  public string ErrorText { get; set; }
  public ErrorType ErrorType { get; set; }
}
如何在 C# 和反序列化中实现类似的功能?
更新:
我目前的解决方案对我来说似乎有点矫枉过正。
public class Error
{
    private string _type;
    [XmlAttribute("type")]
    public string Type // <-- there is clearly a bug in here I should not do that on the type attribute because it has nothing to do with the error type
    {
        get { return _type; }
        set
        {
            _type = value;
            switch (value)
            {
                case "bad-request":
                    ErrorType = ErrorTypes.BadRequest;
                    ErrorText = BadRequest.Text.Value;
                    break;                    
                default:
                    ...
                    break;
            }
        }
    }
    public ErrorTypes ErrorType { get; set; }
    public string ErrorText { get; set; }
    [XmlElement("bad-request")]
    public BadRequest BadRequest { get; set; }
}
public enum ErrorTypes 
{ 
    BadRequest = 0,
    Conflict = 1,
    FeatureNotImplemented = 2,
    Forbidden = 3
}
public class Text 
{
    [XmlText]
    public string Value { get; set; }
}
public class BadRequest
{        
    [XmlElement("text")]
    public Text Text { get; set; }
}
上面的代码需要为每个元素名称/类型设置一个单独的类。