web-dev-qa-db-ja.com

XmlSerializerによるNull値型の放出を抑制

Null許容XmlElementとしてマークされている次のAmount値型プロパティを検討してください。

[XmlElement(IsNullable=true)] 
public double? Amount { get ; set ; }

Null許容値タイプがnullに設定されている場合、C#XmlSerializerの結果は次のようになります。

<amount xsi:nil="true" />

この要素を発行するのではなく、XmlSerializerで要素を完全に抑制したいと思います。どうして?オンライン支払いにAuthorize.NETを使用しており、このnull要素が存在する場合、Authorize.NETはリクエストを拒否します。

現在の解決策/回避策は、Amount値タイププロパティをまったくシリアル化しないことです。代わりに、Amountに基づいてシリアル化される補完可能なプロパティSerializableAmountを作成しました。 SerializableAmountはString型であり、参照型と同様に、デフォルトでnullの場合はXmlSerializerによって抑制されるため、すべて正常に機能します。

/// <summary>
/// Gets or sets the amount.
/// </summary>
[XmlIgnore]
public double? Amount { get; set; }

/// <summary>
/// Gets or sets the amount for serialization purposes only.
/// This had to be done because setting value types to null 
/// does not prevent them from being included when a class 
/// is being serialized.  When a nullable value type is set 
/// to null, such as with the Amount property, the result 
/// looks like: &gt;amount xsi:nil="true" /&lt; which will 
/// cause the Authorize.NET to reject the request.  Strings 
/// when set to null will be removed as they are a 
/// reference type.
/// </summary>
[XmlElement("amount", IsNullable = false)]
public string SerializableAmount
{
    get { return this.Amount == null ? null : this.Amount.ToString(); }
    set { this.Amount = Convert.ToDouble(value); }
}

もちろん、これは単なる回避策です。 null値型の要素が出力されるのを抑制するよりクリーンな方法はありますか?

63
Ben Griswold

追加してみてください:

public bool ShouldSerializeAmount() {
   return Amount != null;
}

フレームワークの一部によって認識されるパターンがいくつかあります。詳細については、XmlSerializerpublic bool AmountSpecified {get;set;}も検索します。

完全な例(decimalに切り替える):

using System;
using System.Xml.Serialization;

public class Data {
    public decimal? Amount { get; set; }
    public bool ShouldSerializeAmount() {
        return Amount != null;
    }
    static void Main() {
        Data d = new Data();
        XmlSerializer ser = new XmlSerializer(d.GetType());
        ser.Serialize(Console.Out, d);
        Console.WriteLine();
        Console.WriteLine();
        d.Amount = 123.45M;
        ser.Serialize(Console.Out, d);
    }
}

MSDNのShouldSerialize * の詳細。

132
Marc Gravell

取得する代替手段もあります

 <amount /> instead of <amount xsi:nil="true" />

使用する

[XmlElement("amount", IsNullable = false)]
public string SerializableAmount
{
    get { return this.Amount == null ? "" : this.Amount.ToString(); }
    set { this.Amount = Convert.ToDouble(value); }
}
6
mko

これを試すことができます:

xml.Replace("xsi:nil=\"true\"", string.Empty);

0