--- title: XML のパースとシリアライズ slug: Web/Guide/Parsing_and_serializing_XML tags: - AJAX - Add-ons - DOM - DOM Parsing - Extensions - Guide - HTMLDocument - JSON - Parsing - Parsing XML - Serializing - Serializing XML - XML - XMLDocument - XMLHttpRequest translation_of: Web/Guide/Parsing_and_serializing_XML ---
場合によっては、{{Glossary("XML")}} のコンテンツを解析して {{Glossary("DOM")}} ツリーに変換する必要があるでしょう。または逆に、既存の DOM ツリーを XML にシリアライズすることもあります。この記事では、XML のシリアライズと解析の一般的な作業を容易にするため、ウェブプラットフォームで提供されるオブジェクトに注目します。
次のいずれかの方法で XML 文書を作成します (これは {{domxref("Document")}} のインスタンスです)。
この例では、{{domxref("DOMParser")}} を使用して文字列の XML フラグメントを DOM ツリーに変換します:
URL アドレス指定が可能な XML ファイルを読み込み解析して DOM ツリーにするサンプルコードを次に示します:
const xhr = new XMLHttpRequest();
xhr.onload = function() {
  dump(xhr.responseXML.documentElement.nodeName);
}
xhr.onerror = function() {
  dump("Error while getting XML.");
}
xhr.open("GET", "example.xml");
xhr.responseType = "document";
xhr.send();
xhr オブジェクトの {{domxref("XMLHttpRequest.responseXML", "responseXML")}} フィールドで返される値は XML の解析により構築された {{domxref("Document")}} です。
document が {{Glossary("HTML")}} である場合、上記のコードは {{domxref("Document")}} を返します。document が XML である場合、返されるオブジェクトは {{domxref("XMLDocument")}} になります。この 2 種類は基本的に同じですが、その違いは主に歴史的な部分であり、差別化にはいくつかの実用的な利点があります。
Note: There is in fact an {{domxref("HTMLDocument")}} interface as well, but it is not necessarily an independent type. In some browsers it is, while in others it is simply an alias for the Document interface.
Given a {{domxref("Document")}}, you can serialize the document's DOM tree back into XML using the {{domxref("XMLSerializer.serializeToString()")}} method.
Use the following approaches to serialize the contents of the XML document you created in the previous section.
First, create a DOM tree as described in How to Create a DOM tree. Alternatively, use a DOM tree obtained from {{ domxref("XMLHttpRequest") }}.
To serialize the DOM tree doc into XML text, call {{domxref("XMLSerializer.serializeToString()")}}:
const serializer = new XMLSerializer(); const xmlStr = serializer.serializeToString(doc);
If the DOM you have is an HTML document, you can serialize using serializeToString(), but there is a simpler option: just use the {{domxref("Element.innerHTML")}} property (if you want just the descendants of the specified node) or the {{domxref("Element.outerHTML")}} property if you want the node and all its descendants.
const docInnerHtml = document.documentElement.innerHTML;
As a result, docHTML is a {{domxref("DOMString")}} containing the HTML of the contents of the document; that is, the {{HTMLElement("body")}} element's contents.
You can get HTML corresponding to the <body> and its descendants with this code:
const docOuterHtml = document.documentElement.outerHTML;