4

私はこのC#4.0タイプを持っています

public class DecimalField
{
    public decimal Value { get; set; }
    public bool Estimate { get; set; }
}

XmlSerializer を使用して型をシリアル化したい

<Val Estimate="true">123</Val>

理想的には、その値が虚偽の場合、推定属性を省略したいと思います。

この型からこの XML 表現に移行するには、どの属性/実装が必要ですか?

ありがとう。

4

3 に答える 3

2

属性のみで条件付きで見積もりを出力できるかどうかわかりません。しかし、間違いなく IXmlSerializable を実装し、WriteXml メソッド内の見積もり値を確認できます。

ここに例があります

于 2012-08-13T17:27:53.013 に答える
1

条件付きで省略Estimateすると、多くのコーディングが必要になります。私はそのように行きません。

XmlWriter writer = XmlWriter.Create(stream, new XmlWriterSettings() { OmitXmlDeclaration = true });

var ns = new XmlSerializerNamespaces();
ns.Add("", "");

XmlSerializer xml = new XmlSerializer(typeof(DecimalField));

xml.Serialize(writer, obj, ns);

-

[XmlRoot("Val")]
public class DecimalField
{
    [XmlText]
    public decimal Value { get; set; }
    [XmlAttribute]
    public bool Estimate { get; set; }
}

Linq2Xml を使用してクラスを手動でシリアル化することもできます

List<XObject> list = new List<XObject>();
list.Add(new XText(obj.Value.ToString()));
if (obj.Estimate) list.Add(new XAttribute("Estimate", obj.Estimate));

XElement xElem = new XElement("Val", list.ToArray());

xElem.Save(stream);
于 2012-08-13T17:50:12.420 に答える
0

これは、IXmlSerializableを実装せずに取得できる限り近いものです(Estimate属性は常に含まれています)。

[XmlRoot("Val")]
public class DecimalField
{
    [XmlText()]
    public decimal Value { get; set; }
    [XmlAttribute("Estimate")]
    public bool Estimate { get; set; }
}

IXmlSerializableを使用すると、クラスは次のようになります。

[XmlRoot("Val")]
public class DecimalField : IXmlSerializable
{
    public decimal Value { get; set; }
    public bool Estimate { get; set; }

    public void WriteXml(XmlWriter writer)
    {
        if (Estimate == true)
        {
            writer.WriteAttributeString("Estimate", Estimate.ToString());
        }

        writer.WriteString(Value.ToString());
    }

    public void ReadXml(XmlReader reader)
    {
        if (reader.MoveToAttribute("Estimate") && reader.ReadAttributeValue())
        {
            Estimate = bool.Parse(reader.Value);
        }
        else
        {
            Estimate = false;
        }

        reader.MoveToElement();
        Value = reader.ReadElementContentAsDecimal();
    }

    public XmlSchema GetSchema()
    {
        return null;
    }
}

次のようにクラスをテストできます。

    XmlSerializer xs = new XmlSerializer(typeof(DecimalField));

    string serializedXml = null;
    using (StringWriter sw = new StringWriter())
    {
        DecimalField df = new DecimalField() { Value = 12.0M, Estimate = false };
        xs.Serialize(sw, df);
        serializedXml = sw.ToString();
    }

    Console.WriteLine(serializedXml);

    using (StringReader sr = new StringReader(serializedXml))
    {
        DecimalField df = (DecimalField)xs.Deserialize(sr);

        Console.WriteLine(df.Estimate);
        Console.WriteLine(df.Value);
    }
于 2012-08-13T21:21:07.993 に答える