XMLからJSON変換ツール
XMLをJSON形式に変換
XML入力
JSON出力
XMLからJSONへの変換とは?
XMLからJSONへの変換とは、Extensible Markup Language(XML)のデータをJavaScript Object Notation(JSON)に変換するプロセスです。どちらの形式も構造化された階層データを表しますが、異なる構文とデータモデルを使用します。XMLは任意の属性を持つ開始タグと終了タグを使用し、JSONはキーと値のペア、配列、プリミティブ型を使用します。XMLをJSONに変換することで、JavaScriptランタイム、REST API、NoSQLデータベースなど、JSONがネイティブ形式である環境でXMLデータを扱えるようになります。
変換が常に1対1になるわけではありません。XMLにはJSONに直接対応するものがない構造があります:属性、混在コンテンツ(テキストと子要素が混在)、処理命令、コメント、CDATAセクション、名前空間宣言などです。変換ライブラリによってこれらの構造の扱い方が異なるため、複数の変換規約が存在します。最も一般的なアプローチは、属性名に@プレフィックスを付け、同じ要素に属性が存在する場合はテキストコンテンツを#textフィールドに格納します。
XMLからJSONへの変換は、SOAPからRESTへの移行、レガシーエンタープライズAPIの利用、またはXMLを義務付ける政府や金融のデータフィードを処理する際によく行われるステップです。プロデューサーとコンシューマーを同時に書き換えるのではなく、チームは境界レイヤーでXMLペイロードを変換し、JSONをダウンストリームに渡します。AWS API Gateway、Apache Camel、MuleSoftはすべてこのパターンをネイティブでサポートしています。
<bookstore>
<book category="fiction">
<title lang="en">The Great Gatsby</title>
<author>F. Scott Fitzgerald</author>
<year>1925</year>
<price>10.99</price>
</book>
<book category="non-fiction">
<title lang="en">Sapiens</title>
<author>Yuval Noah Harari</author>
<year>2011</year>
<price>14.99</price>
</book>
</bookstore>{
"bookstore": {
"book": [
{
"@category": "fiction",
"title": {
"@lang": "en",
"#text": "The Great Gatsby"
},
"author": "F. Scott Fitzgerald",
"year": "1925",
"price": "10.99"
},
{
"@category": "non-fiction",
"title": {
"@lang": "en",
"#text": "Sapiens"
},
"author": "Yuval Noah Harari",
"year": "2011",
"price": "14.99"
}
]
}
}オンラインXMLからJSON変換ツールを使う理由
XMLに属性、名前空間、または配列にする必要がある繰り返し要素が含まれている場合、一回限りの変換スクリプトを書くのは時間がかかります。ブラウザベースの変換ツールなら数秒でJSON出力が得られるため、構造を確認してすぐに次の作業に進めます。
XMLからJSON変換の使用例
XMLからJSONへのマッピング早見表
XMLとJSONは異なるデータモデルを持ちます。以下の表は、最も一般的な規約(属性に@、属性と共存するテキストに#text)に基づいて、各XML構造がJSONの等価表現にどのようにマッピングされるかを示しています。混在コンテンツやコメントなど一部の構造には標準的なJSON表現がありません。
| XML構造 | XMLの例 | JSONの等価表現 |
|---|---|---|
| Element | <name>text</name> | "name": "text" |
| Nested elements | <a><b>1</b></a> | "a": { "b": "1" } |
| Attributes | <el attr="v"/> | "el": { "@attr": "v" } |
| Text + attributes | <el a="1">text</el> | "el": { "@a": "1", "#text": "text" } |
| Repeated elements | <r><i>1</i><i>2</i></r> | "r": { "i": ["1", "2"] } |
| Mixed content | <p>A <b>B</b> C</p> | Varies by convention |
| CDATA | <![CDATA[raw]]> | "#cdata": "raw" or flattened |
| Namespaces | xmlns:prefix="uri" | Prefix preserved or stripped |
| Empty element | <el/> | "el": null or "" |
| Comments | <!-- note --> | Discarded (no JSON equivalent) |
XMLからJSONへの変換規約の比較
XMLからJSONへのマッピングを定める単一の標準はありません。属性の扱い、配列の検出、テキストの保持においてそれぞれトレードオフがある3つの規約が広く使用されています。
コード例
以下はJavaScript、Python、Go、コマンドラインでXMLをJSONに変換する実用的な例です。各例はネストされた要素と繰り返しの兄弟タグを扱います。
// Using the DOMParser API to walk XML and build a JSON object
function xmlToJson(xml) {
const parser = new DOMParser()
const doc = parser.parseFromString(xml, 'application/xml')
function nodeToObj(node) {
const obj = {}
// Handle attributes
if (node.attributes) {
for (const attr of node.attributes) {
obj['@' + attr.name] = attr.value
}
}
// Handle child nodes
for (const child of node.childNodes) {
if (child.nodeType === 3) { // text
const text = child.textContent.trim()
if (text) obj['#text'] = text
} else if (child.nodeType === 1) { // element
const key = child.nodeName
const val = nodeToObj(child)
if (obj[key]) {
if (!Array.isArray(obj[key])) obj[key] = [obj[key]]
obj[key].push(val)
} else {
obj[key] = val
}
}
}
// Simplify text-only nodes
const keys = Object.keys(obj)
if (keys.length === 1 && keys[0] === '#text') return obj['#text']
return obj
}
return nodeToObj(doc.documentElement)
}
const xml = '<user><name>Alice</name><role>admin</role></user>'
console.log(JSON.stringify(xmlToJson(xml), null, 2))
// → { "name": "Alice", "role": "admin" }import xmltodict
import json
xml = """
<user>
<name>Alice</name>
<roles>
<role>admin</role>
<role>editor</role>
</roles>
</user>
"""
# xmltodict converts XML to an OrderedDict
result = xmltodict.parse(xml)
print(json.dumps(result, indent=2))
# → {
# → "user": {
# → "name": "Alice",
# → "roles": { "role": ["admin", "editor"] }
# → }
# → }
# With the standard library (xml.etree.ElementTree)
import xml.etree.ElementTree as ET
def etree_to_dict(elem):
d = {}
if elem.attrib:
d.update({f"@{k}": v for k, v in elem.attrib.items()})
for child in elem:
child_data = etree_to_dict(child)
if child.tag in d:
if not isinstance(d[child.tag], list):
d[child.tag] = [d[child.tag]]
d[child.tag].append(child_data)
else:
d[child.tag] = child_data
if elem.text and elem.text.strip():
if d:
d["#text"] = elem.text.strip()
else:
return elem.text.strip()
return d
root = ET.fromstring(xml)
print(json.dumps(etree_to_dict(root), indent=2))package main
import (
"encoding/json"
"encoding/xml"
"fmt"
"strings"
)
// For simple, known schemas — define a struct
type User struct {
XMLName xml.Name `xml:"user"`
Name string `xml:"name"`
Roles []string `xml:"roles>role"`
}
func main() {
data := `<user><name>Alice</name><roles><role>admin</role><role>editor</role></roles></user>`
var user User
xml.NewDecoder(strings.NewReader(data)).Decode(&user)
out, _ := json.MarshalIndent(user, "", " ")
fmt.Println(string(out))
// → { "Name": "Alice", "Roles": ["admin", "editor"] }
}# Using xq (part of yq, a jq wrapper for XML)
# Install: pip install yq OR brew install yq
echo '<user><name>Alice</name></user>' | xq .
# → { "user": { "name": "Alice" } }
# Using xmlstarlet + jq
xmlstarlet sel -t -v '//name' input.xml | jq -R '{ name: . }'
# Node.js one-liner with xml2js
echo '<a><b>1</b></a>' | node -e "
const {parseString} = require('xml2js');
let d=''; process.stdin.on('data',c=>d+=c);
process.stdin.on('end',()=>parseString(d,(e,r)=>console.log(JSON.stringify(r,null,2))))
"