PHPはXMLをJSONに変換します


157

私はphpでxmlをjsonに変換しようとしています。単純なxmlとjson_encodeを使用して単純な変換を行うと、xmlショーの属性は表示されません。

$xml = simplexml_load_file("states.xml");
echo json_encode($xml);

だから私はこのように手動で解析しようとしています。

foreach($xml->children() as $state)
{
    $states[]= array('state' => $state->name); 
}       
echo json_encode($states);

状態の出力は{"state":{"0":"Alabama"}}ではなく{"state":"Alabama"}

何が悪いのですか?

XML:

<?xml version="1.0" ?>
<states>
    <state id="AL">     
    <name>Alabama</name>
    </state>
    <state id="AK">
        <name>Alaska</name>
    </state>
</states>

出力:

[{"state":{"0":"Alabama"}},{"state":{"0":"Alaska"}

varダンプ:

object(SimpleXMLElement)#1 (1) {
["state"]=>
array(2) {
[0]=>
object(SimpleXMLElement)#3 (2) {
  ["@attributes"]=>
  array(1) {
    ["id"]=>
    string(2) "AL"
  }
  ["name"]=>
  string(7) "Alabama"
}
[1]=>
object(SimpleXMLElement)#2 (2) {
  ["@attributes"]=>
  array(1) {
    ["id"]=>
    string(2) "AK"
  }
  ["name"]=>
  string(6) "Alaska"
}
}
}

解析後、XMLのスニペットと最終的な配列構造を含めてください。(A var_dumpは正常に動作します。)
nikc.org

入力、出力、var_dumpを追加
Bryan Hadlock

一部のアプリケーションには、perfec XML-to-JSONマップ」、つまりjsonML必要ですこちらのソリューションを参照してください。
Peter Krauss

回答:


472

3行のXMLからのJson&Array:

$xml = simplexml_load_string($xml_string);
$json = json_encode($xml);
$array = json_decode($json,TRUE);

58
このソリューションは完璧ではありません。XML属性を完全に破棄します。したがって、<person my-attribute='name'>John</person>と解釈され<person>John</person>ます。
Jake Wilson

13
$ xml = simplexml_load_string($ xml_string、 'SimpleXMLElement'、LIBXML_NOCDATA); cdata要素を平坦化します。
txyoji 2015

28
@JakeWilsonたぶん2年が経過し、さまざまなバージョンが修正されていますが、PHP 5.6.30では、このメソッドによってすべてのデータが生成されます。属性は@attributesキーの下の配列に格納されるので、完全にそして美しく機能します。3行の短いコードで問題を美しく解決できます。
AlexanderMP

1
複数の名前空間がある場合、これは機能しません。選択できるのは1つだけで、$ json_string: '(
jirislav

1
このソリューションでは、同じ名前のノードが複数ある場合、1つのノードは要素を指すだけのキーになりますが、複数のノードは要素の配列を指すキーになります:<list><item><a>123</a><a>456</a></item><item><a>123</a></item></list>-> {"item":[{"a":["123","456"]},{"a":"123"}]}。php.netのratfactor によるソリューションは、要素を常に配列に格納することでこの問題を解決します。
Klesun

37

古い投稿に回答して申し訳ありませんが、この記事では、比較的短く、簡潔で、保守が容易なアプローチについて概説します。私はそれを自分でテストし、かなりうまくいきました。

http://lostechies.com/seanbiefeld/2011/10/21/simple-xml-to-json-with-php/

<?php   
class XmlToJson {
    public function Parse ($url) {
        $fileContents= file_get_contents($url);
        $fileContents = str_replace(array("\n", "\r", "\t"), '', $fileContents);
        $fileContents = trim(str_replace('"', "'", $fileContents));
        $simpleXml = simplexml_load_string($fileContents);
        $json = json_encode($simpleXml);

        return $json;
    }
}
?>

4
XMLに同じタグの複数のインスタンスがある場合、これは機能しません。json_encodeは、タグの最後のインスタンスのみをシリアル化することになります。
エスリー2013年

34

私はそれを考え出した。json_encodeはオブジェクトを文字列とは異なる方法で処理します。オブジェクトを文字列にキャストすると、それが機能するようになります。

foreach($xml->children() as $state)
{
    $states[]= array('state' => (string)$state->name); 
}       
echo json_encode($states);

19

私はパーティーに少し遅れていると思いますが、このタスクを実行するための小さな関数を記述しました。また、属性、テキストコンテンツ、および同じノード名を持つ複数のノードが兄弟である場合にも対応します。

Dislaimer: 私はPHPネイティブではないので、簡単な間違いにご注意ください。

function xml2js($xmlnode) {
    $root = (func_num_args() > 1 ? false : true);
    $jsnode = array();

    if (!$root) {
        if (count($xmlnode->attributes()) > 0){
            $jsnode["$"] = array();
            foreach($xmlnode->attributes() as $key => $value)
                $jsnode["$"][$key] = (string)$value;
        }

        $textcontent = trim((string)$xmlnode);
        if (count($textcontent) > 0)
            $jsnode["_"] = $textcontent;

        foreach ($xmlnode->children() as $childxmlnode) {
            $childname = $childxmlnode->getName();
            if (!array_key_exists($childname, $jsnode))
                $jsnode[$childname] = array();
            array_push($jsnode[$childname], xml2js($childxmlnode, true));
        }
        return $jsnode;
    } else {
        $nodename = $xmlnode->getName();
        $jsnode[$nodename] = array();
        array_push($jsnode[$nodename], xml2js($xmlnode, true));
        return json_encode($jsnode);
    }
}   

使用例:

$xml = simplexml_load_file("myfile.xml");
echo xml2js($xml);

入力例(myfile.xml):

<family name="Johnson">
    <child name="John" age="5">
        <toy status="old">Trooper</toy>
        <toy status="old">Ultrablock</toy>
        <toy status="new">Bike</toy>
    </child>
</family>

出力例:

{"family":[{"$":{"name":"Johnson"},"child":[{"$":{"name":"John","age":"5"},"toy":[{"$":{"status":"old"},"_":"Trooper"},{"$":{"status":"old"},"_":"Ultrablock"},{"$":{"status":"new"},"_":"Bike"}]}]}]}

かなり印刷された:

{
    "family" : [{
            "$" : {
                "name" : "Johnson"
            },
            "child" : [{
                    "$" : {
                        "name" : "John",
                        "age" : "5"
                    },
                    "toy" : [{
                            "$" : {
                                "status" : "old"
                            },
                            "_" : "Trooper"
                        }, {
                            "$" : {
                                "status" : "old"
                            },
                            "_" : "Ultrablock"
                        }, {
                            "$" : {
                                "status" : "new"
                            },
                            "_" : "Bike"
                        }
                    ]
                }
            ]
        }
    ]
}

覚えておく べき癖同じタグ名を持ついくつかのタグは兄弟になる可能性があります。他の解決策は、最後の兄弟を除いてほとんどすべてを落とすでしょう。これを回避するために、ノードが1つしかなくても、タグ名のインスタンスごとにオブジェクトを保持する配列を使用します。(例の複数の ""要素を参照)

有効なXMLドキュメントに1つだけ存在する必要のあるルート要素でさえ、一貫したデータ構造を持つために、インスタンスのオブジェクトを持つ配列として格納されます。

XMLノードのコンテンツとXML属性を区別できるようにするために、各オブジェクトの属性は「$」に、コンテンツは「_」の子に格納されます。

編集: 入力データ例の出力を表示するのを忘れました

{
    "states" : [{
            "state" : [{
                    "$" : {
                        "id" : "AL"
                    },
                    "name" : [{
                            "_" : "Alabama"
                        }
                    ]
                }, {
                    "$" : {
                        "id" : "AK"
                    },
                    "name" : [{
                            "_" : "Alaska"
                        }
                    ]
                }
            ]
        }
    ]
}

大きなXMLデータを解析できますか?
Volatil3 2016年

2
XML属性を破棄しないため、このソリューションの方が優れています。この複雑な構造を簡素化するものよりも優れている理由でも参照してください xml.com/lpt/a/1658 @txyojiは、CDATA要素を平らにするために提案されているように、CDATAのため、....オプスを(「半構造XML」を参照してください)$xml = simplexml_load_file("myfile.xml",'SimpleXMLElement',LIBXML_‌​NOCDATA);
Peter Krauss、

カスタム関数をありがとう!チューニングが非常に簡単になります。ところで、JSの方法でXMLを解析する関数の編集バージョンを追加しました。すべてのエントリには独自のオブジェクトがあり(タグ名が等しい場合、エントリは単一の配列に格納されません)、したがって、順序は保持されます。
lucifer63

1
エラーFatal error: Uncaught Error: Call to a member function getName() on bool..バージョンphpが失敗すると思います:-( ..助けてください!
KingRider

10

よくある落とし穴はjson_encode()、テキスト値属性を持つ要素を尊重しないことを忘れることです。データ損失を意味するそれらの1つを選択します。以下の関数はその問題を解決します。json_encode/のdecode方法で行くことにした場合は、次の関数をお勧めします。

function json_prepare_xml($domNode) {
  foreach($domNode->childNodes as $node) {
    if($node->hasChildNodes()) {
      json_prepare_xml($node);
    } else {
      if($domNode->hasAttributes() && strlen($domNode->nodeValue)){
         $domNode->setAttribute("nodeValue", $node->textContent);
         $node->nodeValue = "";
      }
    }
  }
}

$dom = new DOMDocument();
$dom->loadXML( file_get_contents($xmlfile) );
json_prepare_xml($dom);
$sxml = simplexml_load_string( $dom->saveXML() );
$json = json_decode( json_encode( $sxml ) );

そうすることで、JSONのように<foo bar="3">Lorem</foo>はなりません{"foo":"Lorem"}


構文エラーが修正された場合、コンパイルされず、説明された出力が生成されません。
Richard Kiefer

なに$dom?それはどこから来ましたか?
Jake Wilson

$ dom = new DOMDocument(); それがどこから来たのか
スコット

1
コードの最終行:$ json = json_decode(json_encode($ sxml))); $ json = json_decode(json_encode($ sxml));
チャーリースミス

6

これを使ってみてください

$xml = ... // Xml file data

// first approach
$Json = json_encode(simplexml_load_string($xml));

---------------- OR -----------------------

// second approach
$Json = json_encode(simplexml_load_string($xml, "SimpleXMLElement", LIBXML_NOCDATA));

echo $Json;

または

このライブラリを使用できます:https : //github.com/rentpost/xml2array


3

私はこの目的のためにMiles JohnsonのTypeConverterを使用しました。Composerを使用してインストールできます。

あなたはそれを使ってこのようなものを書くことができます:

<?php
require 'vendor/autoload.php';
use mjohnson\utility\TypeConverter;

$xml = file_get_contents("file.xml");
$arr = TypeConverter::xmlToArray($xml, TypeConverter::XML_GROUP);
echo json_encode($arr);

3

Antonio Maxの回答の最適化:

$xmlfile = 'yourfile.xml';
$xmlparser = xml_parser_create();

// open a file and read data
$fp = fopen($xmlfile, 'r');
//9999999 is the length which fread stops to read.
$xmldata = fread($fp, 9999999);

// converting to XML
$xml = simplexml_load_string($xmldata, "SimpleXMLElement", LIBXML_NOCDATA);

// converting to JSON
$json = json_encode($xml);
$array = json_decode($json,TRUE);

4
このアプローチを使用しましたが、JSONが空です。XMLは有効です。
ryabenko-pro

2

XMLの特定の部分のみをJSONに変換する場合は、XPathを使用してこれを取得し、それをJSONに変換できます。

<?php
$file = @file_get_contents($xml_File, FILE_TEXT);
$xml = new SimpleXMLElement($file);
$xml_Excerpt = @$xml->xpath('/states/state[@id="AL"]')[0]; // [0] gets the node
echo json_encode($xml_Excerpt);
?>

Xpathが正しくない場合、エラーで終了することに注意してください。したがって、AJAX呼び出しを使用してこれをデバッグしている場合は、応答本文もログに記録することをお勧めします。


2
This is better solution

$fileContents= file_get_contents("https://www.feedforall.com/sample.xml");
$fileContents = str_replace(array("\n", "\r", "\t"), '', $fileContents);
$fileContents = trim(str_replace('"', "'", $fileContents));
$simpleXml = simplexml_load_string($fileContents);
$json = json_encode($simpleXml);
$array = json_decode($json,TRUE);
return $array;

2

魅力のように機能する最良のソリューション

$fileContents= file_get_contents($url);

$fileContents = str_replace(array("\n", "\r", "\t"), '', $fileContents);

$fileContents = trim(str_replace('"', "'", $fileContents));

$simpleXml = simplexml_load_string($fileContents);

//$json = json_encode($simpleXml); // Remove // if you want to store the result in $json variable

echo '<pre>'.json_encode($simpleXml,JSON_PRETTY_PRINT).'</pre>';

ソース


1

これは、Antonio Maxによって最も支持されたソリューションの改良版です。これは、名前空間を持つXMLでも機能します(コロンをアンダースコアに置き換えることにより)。また、いくつかの追加オプションがあります(<person my-attribute='name'>John</person>正しく解析されます)。

function parse_xml_into_array($xml_string, $options = array()) {
    /*
    DESCRIPTION:
    - parse an XML string into an array
    INPUT:
    - $xml_string
    - $options : associative array with any of these keys:
        - 'flatten_cdata' : set to true to flatten CDATA elements
        - 'use_objects' : set to true to parse into objects instead of associative arrays
        - 'convert_booleans' : set to true to cast string values 'true' and 'false' into booleans
    OUTPUT:
    - associative array
    */

    // Remove namespaces by replacing ":" with "_"
    if (preg_match_all("|</([\\w\\-]+):([\\w\\-]+)>|", $xml_string, $matches, PREG_SET_ORDER)) {
        foreach ($matches as $match) {
            $xml_string = str_replace('<'. $match[1] .':'. $match[2], '<'. $match[1] .'_'. $match[2], $xml_string);
            $xml_string = str_replace('</'. $match[1] .':'. $match[2], '</'. $match[1] .'_'. $match[2], $xml_string);
        }
    }

    $output = json_decode(json_encode(@simplexml_load_string($xml_string, 'SimpleXMLElement', ($options['flatten_cdata'] ? LIBXML_NOCDATA : 0))), ($options['use_objects'] ? false : true));

    // Cast string values "true" and "false" to booleans
    if ($options['convert_booleans']) {
        $bool = function(&$item, $key) {
            if (in_array($item, array('true', 'TRUE', 'True'), true)) {
                $item = true;
            } elseif (in_array($item, array('false', 'FALSE', 'False'), true)) {
                $item = false;
            }
        };
        array_walk_recursive($output, $bool);
    }

    return $output;
}

2
簡単な構造と非常に予測可能なデータを持つ単純なXMLでない限り、XMLの解析にRegexを使用しません。この解決策がいかに悪いか、十分に強調することはできません。これはデータを壊します。言うまでもなく、それは非常に遅く(正規表現で解析してから、再度再解析しますか?)、自己終了タグを処理しません。
AlexanderMP

関数を実際に見たとは思わない。正規表現を使用して実際の解析を行うのではなく、名前空間を処理するための単純な修正としてのみ使用します。これは、私のすべてのxmlケースで機能しており、機能することが「政治的に正しい」というよりも最も重要です。ただし、必要に応じてそれを改善することもできます。
TheStoryCoder 2017

2
それがあなたのために働いたという事実はそれが正しいことを意味しません。診断が非常に難しいバグを生成し、エクスプロイトを生成するのは、このようなコードです。このようなサイトのXML仕様を表面的に見ても、w3schools.com / xml / xml_elements.aspは、このソリューションが機能しない多くの理由を示しています。私が言ったように、それはのような自己終了タグの検出<element/>に失敗し、XMLで許可されている、アンダースコアで始まる、またはアンダースコアを含む要素のアドレス指定に失敗します。CDATAを検出できません。そして、私が言ったように、それは遅いです。内部解析のため、O(n ^ 2)の複雑さになります。
AlexanderMP

1
ここで重要なのは、名前空間を処理することはここでは要求されておらず、名前空間を処理する適切な方法があることです。名前空間は有用な構造として存在し、そのように解析されてはならず、妥当なパーサーによって処理されないabominationに変換されません。そして、そのために必要なことは、「2016年の最も遅いアルゴリズム」の賞の候補を作成することではなく、少し検索して、次のような無数の実際のソリューションを考え出すことです。stackoverflow.com/質問/ 16412047 /…そしてこれを改善と呼ぶには?ワオ。
AlexanderMP

0

ここでのすべてのソリューションには問題があります!

...表現が完全なXML解釈(属性の問題なし)を必要とし、すべてのtext-tag-text-tag-text -...とタグの順序を再現する必要がある場合。また、JSONオブジェクトは「順序付けられていないセット」であることも忘れないでください(繰り返しキーではなく、キーに事前定義の順序を付けることはできません)... XML構造を正確に保持しないため、ZFのxml2jsonも間違っています(!)。

ここでのすべてのソリューションには、この単純なXMLに関する問題があります。

    <states x-x='1'>
        <state y="123">Alabama</state>
        My name is <b>John</b> Doe
        <state>Alaska</state>
    </states>

... @FTavソリューションは3行ソリューションよりも優れているように見えますが、このXMLでテストした場合のバグもほとんどありません。

古いソリューションが最適です(損失のない表現の場合)

現在jsonMLとして知られているこのソリューションは、Zorbaプロジェクトなどで使用されており、Stephen McKameyJohn Snelsonによって(別々に)〜2006年または〜2007年に初めて発表されました

// the core algorithm is the XSLT of the "jsonML conventions"
// see  https://github.com/mckamey/jsonml
$xslt = 'https://raw.githubusercontent.com/mckamey/jsonml/master/jsonml.xslt';
$dom = new DOMDocument;
$dom->loadXML('
    <states x-x=\'1\'>
        <state y="123">Alabama</state>
        My name is <b>John</b> Doe
        <state>Alaska</state>
    </states>
');
if (!$dom) die("\nERROR!");
$xslDoc = new DOMDocument();
$xslDoc->load($xslt);
$proc = new XSLTProcessor();
$proc->importStylesheet($xslDoc);
echo $proc->transformToXML($dom);

作物

["states",{"x-x":"1"},
    "\n\t    ",
    ["state",{"y":"123"},"Alabama"],
    "\n\t\tMy name is ",
    ["b","John"],
    " Doe\n\t    ",
    ["state","Alaska"],
    "\n\t"
]

http://jsonML.orgまたはgithub.com/mckamey/jsonmlを参照してください。このJSONの生成ルールは、JSON-analog 要素に基づいています。

ここに画像の説明を入力してください

この構文は、を使用した要素の定義と繰り返し
element-list ::= element ',' element-list | elementです。


2
私が実際のユースケースを持っているとは思えない非常に珍しいxml構造。
TheStoryCoder 2017

0

すべての答えを少し調べた後、ブラウザー全体(コンソール/開発ツールを含む)でJavaScript関数を使用して問題なく機能するソリューションを思いつきました。

<?php

 // PHP Version 7.2.1 (Windows 10 x86)

 function json2xml( $domNode ) {
  foreach( $domNode -> childNodes as $node) {
   if ( $node -> hasChildNodes() ) { json2xml( $node ); }
   else {
    if ( $domNode -> hasAttributes() && strlen( $domNode -> nodeValue ) ) {
     $domNode -> setAttribute( "nodeValue", $node -> textContent );
     $node -> nodeValue = "";
    }
   }
  }
 }

 function jsonOut( $file ) {
  $dom = new DOMDocument();
  $dom -> loadXML( file_get_contents( $file ) );
  json2xml( $dom );
  header( 'Content-Type: application/json' );
  return str_replace( "@", "", json_encode( simplexml_load_string( $dom -> saveXML() ), JSON_PRETTY_PRINT ) );
 }

 $output = jsonOut( 'https://boxelizer.com/assets/a1e10642e9294f39/b6f30987f0b66103.xml' );

 echo( $output );

 /*
  Or simply 
  echo( jsonOut( 'https://boxelizer.com/assets/a1e10642e9294f39/b6f30987f0b66103.xml' ) );
 */

?>

基本的には、新しいDOMDocumentを作成し、XMLファイルをロードして、ノードと子のそれぞれを通過し、データやパラメーターを取得して、迷惑な「@」記号なしでJSONにエクスポートします。

XMLファイルへのリンク。


0

このソリューションは、名前空間、属性を処理し、繰り返し要素で一貫した結果を生成します(出現が1つしかない場合でも、常に配列です)。ratfactorのsxiToArray()に触発されました

/**
 * <root><a>5</a><b>6</b><b>8</b></root> -> {"root":[{"a":["5"],"b":["6","8"]}]}
 * <root a="5"><b>6</b><b>8</b></root> -> {"root":[{"a":"5","b":["6","8"]}]}
 * <root xmlns:wsp="http://schemas.xmlsoap.org/ws/2004/09/policy"><a>123</a><wsp:b>456</wsp:b></root> 
 *   -> {"root":[{"xmlns:wsp":"http://schemas.xmlsoap.org/ws/2004/09/policy","a":["123"],"wsp:b":["456"]}]}
 */
function domNodesToArray(array $tags, \DOMXPath $xpath)
{
    $tagNameToArr = [];
    foreach ($tags as $tag) {
        $tagData = [];
        $attrs = $tag->attributes ? iterator_to_array($tag->attributes) : [];
        $subTags = $tag->childNodes ? iterator_to_array($tag->childNodes) : [];
        foreach ($xpath->query('namespace::*', $tag) as $nsNode) {
            // the only way to get xmlns:*, see https://stackoverflow.com/a/2470433/2750743
            if ($tag->hasAttribute($nsNode->nodeName)) {
                $attrs[] = $nsNode;
            }
        }

        foreach ($attrs as $attr) {
            $tagData[$attr->nodeName] = $attr->nodeValue;
        }
        if (count($subTags) === 1 && $subTags[0] instanceof \DOMText) {
            $text = $subTags[0]->nodeValue;
        } elseif (count($subTags) === 0) {
            $text = '';
        } else {
            // ignore whitespace (and any other text if any) between nodes
            $isNotDomText = function($node){return !($node instanceof \DOMText);};
            $realNodes = array_filter($subTags, $isNotDomText);
            $subTagNameToArr = domNodesToArray($realNodes, $xpath);
            $tagData = array_merge($tagData, $subTagNameToArr);
            $text = null;
        }
        if (!is_null($text)) {
            if ($attrs) {
                if ($text) {
                    $tagData['_'] = $text;
                }
            } else {
                $tagData = $text;
            }
        }
        $keyName = $tag->nodeName;
        $tagNameToArr[$keyName][] = $tagData;
    }
    return $tagNameToArr;
}

function xmlToArr(string $xml)
{
    $doc = new \DOMDocument();
    $doc->loadXML($xml);
    $xpath = new \DOMXPath($doc);
    $tags = $doc->childNodes ? iterator_to_array($doc->childNodes) : [];
    return domNodesToArray($tags, $xpath);
}

例:

php > print(json_encode(xmlToArr('<root a="5"><b>6</b></root>')));
{"root":[{"a":"5","b":["6"]}]}

これは実際にはマルチネームスペースの場合に機能し、他のソリューションよりも優れています。なぜ反対票を投じたのですか...
アーロン

0

非常にカスタマイズ可能であるため、FTavの回答が最も有用であることがわかりましたが、彼のxml2js関数にはいくつかの欠陥があります。たとえば、子要素のタグ名が等しい場合、それらはすべて1つのオブジェクトに格納されます。これは、要素の順序が保持されないことを意味します。場合によっては、順序を維持したい場合があるため、すべての要素のデータを別のオブジェクトに格納する方が適切です。

function xml2js($xmlnode) {
    $jsnode = array();
    $nodename = $xmlnode->getName();
    $current_object = array();

    if (count($xmlnode->attributes()) > 0) {
        foreach($xmlnode->attributes() as $key => $value) {
            $current_object[$key] = (string)$value;
        }
    }

    $textcontent = trim((string)$xmlnode);
    if (strlen($textcontent) > 0) {
        $current_object["content"] = $textcontent;
    }

    if (count($xmlnode->children()) > 0) {
        $current_object['children'] = array();
        foreach ($xmlnode->children() as $childxmlnode) {
            $childname = $childxmlnode->getName();
            array_push($current_object['children'], xml2js($childxmlnode, true));
        }
    }

    $jsnode[ $nodename ] = $current_object;
    return $jsnode;
}

これがどのように機能するかです。初期XML構造:

<some-tag some-attribute="value of some attribute">
  <another-tag>With text</another-tag>
  <surprise></surprise>
  <another-tag>The last one</another-tag>
</some-tag>

結果JSON:

{
    "some-tag": {
        "some-attribute": "value of some attribute",
        "children": [
            {
                "another-tag": {
                    "content": "With text"
                }
            },
            {
                "surprise": []
            },
            {
                "another-tag": {
                    "content": "The last one"
                }
            }
        ]
    }
}

-1

$state->name変数が配列を保持しているようです。使用できます

var_dump($state)

内部 foreachテストします。

その場合は、内の行foreach

$states[]= array('state' => array_shift($state->name)); 

それを修正します。


属性は配列であるように見えますが、$ state-> nameではありません
Bryan Hadlock、

-1
$templateData =  $_POST['data'];

// initializing or creating array
$template_info =  $templateData;

// creating object of SimpleXMLElement
$xml_template_info = new SimpleXMLElement("<?xml version=\"1.0\"?><template></template>");

// function call to convert array to xml
array_to_xml($template_info,$xml_template_info);

//saving generated xml file
 $xml_template_info->asXML(dirname(__FILE__)."/manifest.xml") ;

// function defination to convert array to xml
function array_to_xml($template_info, &$xml_template_info) {
    foreach($template_info as $key => $value) {
        if(is_array($value)) {
            if(!is_numeric($key)){
                $subnode = $xml_template_info->addChild($key);
                if(is_array($value)){
                    $cont = 0;
                    foreach(array_keys($value) as $k){
                        if(is_numeric($k)) $cont++;
                    }
                }

                if($cont>0){
                    for($i=0; $i < $cont; $i++){
                        $subnode = $xml_body_info->addChild($key);
                        array_to_xml($value[$i], $subnode);
                    }
                }else{
                    $subnode = $xml_body_info->addChild($key);
                    array_to_xml($value, $subnode);
                }
            }
            else{
                array_to_xml($value, $xml_template_info);
            }
        }
        else {
            $xml_template_info->addChild($key,$value);
        }
    }
}

それはデータの配列に基づく小さくて普遍的なソリューションであり、JSONに変換できますjson_decode ...ラッキー
Octavio Perez Gallegos

2
これは元の質問にどのように答えますか?あなたの答えは元の質問よりも複雑に見え、JSONについても言及されていないようです。
Dan R

-1

あなたがubuntuユーザーであればXMLリーダーをインストールします(私はphp 5.6を持っています。他に持っている場合はパッケージを見つけてインストールしてください)

sudo apt-get install php5.6-xml
service apache2 restart

$fileContents = file_get_contents('myDirPath/filename.xml');
$fileContents = str_replace(array("\n", "\r", "\t"), '', $fileContents);
$fileContents = trim(str_replace('"', "'", $fileContents));
$oldXml = $fileContents;
$simpleXml = simplexml_load_string($fileContents);
$json = json_encode($simpleXml);
弊社のサイトを使用することにより、あなたは弊社のクッキーポリシーおよびプライバシーポリシーを読み、理解したものとみなされます。
Licensed under cc by-sa 3.0 with attribution required.