.NET XML 직렬화 중 Null 값 제거
.NET의 XmlSerializer
기본 동작에는 직렬화된 XML 출력에 null 값이 포함됩니다. 이는 종종 바람직하지 않을 수 있습니다. 이를 방지하는 방법을 살펴보겠습니다. 샘플 클래스에서 생성된 다음 XML을 살펴보세요.
<code class="language-xml"><?xml version="1.0" encoding="utf-8"?><myclass><mynullableint p2:nil="true" xmlns:p2="http://www.w3.org/2001/XMLSchema-instance"></mynullableint><myotherint>-1</myotherint></myclass></code>
mynullableint
으로 설정된 null 허용 정수인 null
가 여전히 XML에 존재합니다. 해결책은 ShouldSerialize
패턴을 사용하는 것입니다.
null MyNullableInt
속성을 제외하려면 클래스 내에 다음 메서드를 구현하세요.
<code class="language-csharp">public bool ShouldSerializeMyNullableInt() { return MyNullableInt.HasValue; }</code>
이 방법은 직렬화를 조건부로 제어합니다. true
에 값이 있는 경우에만 MyNullableInt
을 반환하여 해당 값이 XML에 포함되도록 합니다. 그렇지 않으면 false
을 반환하여 요소를 효과적으로 억제합니다.
전체 예는 다음과 같습니다.
<code class="language-csharp">public class Person { public string Name { get; set; } public int? Age { get; set; } public bool ShouldSerializeAge() { return Age.HasValue; } }</code>
이 ShouldSerializeAge
메서드를 사용하면 다음 코드는 Age
요소가 null이기 때문에 이 요소 없이 XML을 생성합니다.
<code class="language-csharp">Person thePerson = new Person() { Name = "Chris" }; XmlSerializer xs = new XmlSerializer(typeof(Person)); StringWriter sw = new StringWriter(); xs.Serialize(sw, thePerson);</code>
결과 XML:
<code class="language-xml"><person xmlns:xsd="http://www.w3.org/2001/XMLSchema" xmlns:xsi="http://www.w3.org/2001/XMLSchema-instance"><name>Chris</name></person></code>
위 내용은 .NET XML 직렬화에 Null 값이 표시되는 것을 방지하려면 어떻게 해야 합니까?의 상세 내용입니다. 자세한 내용은 PHP 중국어 웹사이트의 기타 관련 기사를 참조하세요!