배열을 SimpleXML로 변환하는 방법


답변:


209

짧은 것 :

<?php

$test_array = array (
  'bla' => 'blub',
  'foo' => 'bar',
  'another_array' => array (
    'stack' => 'overflow',
  ),
);
$xml = new SimpleXMLElement('<root/>');
array_walk_recursive($test_array, array ($xml, 'addChild'));
print $xml->asXML();

결과

<?xml version="1.0"?>
<root>
  <blub>bla</blub>
  <bar>foo</bar>
  <overflow>stack</overflow>
</root>

키와 값이 바뀝니다 array_flip(). array_walk 전에이를 수정할 수 있습니다. array_walk_recursivePHP 5가 필요합니다. array_walk대신 사용할 수 있지만 'stack' => 'overflow'xml에 들어 가지 않습니다 .


53
키 'another_array'가 변환되지 않았으므로 $ test_array에 'another_array'와 같은 'more_another_array'가 있으면 작동하지 않습니다. 따라서 여러 개의 '<overflow> stack </ overflow>'이 있습니다.
understack

11
array_flip그렇지 플립 어레이 (수 등으로 작동하지 않을 another_array메인 어레이 내).
Lode

14
"another_array"xml 요소는 어디에 있습니까? 모든 것이 평평
해짐

2
array_walk_recursive 전에 array_flip을 추가했을 때 훌륭하게 작동했습니다. 감사.
Mike Purcell

12
array_flip배열에 동일한 값이없는 경우에만 작동 하므로 다운 보팅 .
Martijn

386

다음은 모든 깊이의 배열을 XML 문서로 변환하는 PHP 5.2 코드입니다.

Array
(
    ['total_stud']=> 500
    [0] => Array
        (
            [student] => Array
                (
                    [id] => 1
                    [name] => abc
                    [address] => Array
                        (
                            [city]=>Pune
                            [zip]=>411006
                        )                       
                )
        )
    [1] => Array
        (
            [student] => Array
                (
                    [id] => 2
                    [name] => xyz
                    [address] => Array
                        (
                            [city]=>Mumbai
                            [zip]=>400906
                        )   
                )

        )
)

생성 된 XML은 다음과 같습니다.

<?xml version="1.0"?>
<student_info>
    <total_stud>500</total_stud>
    <student>
        <id>1</id>
        <name>abc</name>
        <address>
            <city>Pune</city>
            <zip>411006</zip>
        </address>
    </student>
    <student>
        <id>1</id>
        <name>abc</name>
        <address>
            <city>Mumbai</city>
            <zip>400906</zip>
        </address>
    </student>
</student_info>

PHP 스 니펫

<?php
// function defination to convert array to xml
function array_to_xml( $data, &$xml_data ) {
    foreach( $data as $key => $value ) {
        if( is_array($value) ) {
            if( is_numeric($key) ){
                $key = 'item'.$key; //dealing with <0/>..<n/> issues
            }
            $subnode = $xml_data->addChild($key);
            array_to_xml($value, $subnode);
        } else {
            $xml_data->addChild("$key",htmlspecialchars("$value"));
        }
     }
}

// initializing or creating array
$data = array('total_stud' => 500);

// creating object of SimpleXMLElement
$xml_data = new SimpleXMLElement('<?xml version="1.0"?><data></data>');

// function call to convert array to xml
array_to_xml($data,$xml_data);

//saving generated xml file; 
$result = $xml_data->asXML('/file/path/name.xml');

?>

SimpleXMLElement::asXML이 스 니펫 에 사용 된 설명서


40
이 IMO는 허용되는 답변보다 훨씬 나은 솔루션입니다. 그러나 이는 숫자 키 배열을 사용하면 형식이 잘못된 XML을 생성한다는 제한이 있습니다. <0> <1> <2>는 유효한 노드 이름이 아닙니다.
KOGI

2
그러나 숫자 키 배열에 숫자 키가 아닌 다른 배열 만 포함되어 있으면 배열되지 않습니다.
Bryan Petty

15
@ KOGI Hanmant 답변을 수정했습니다. 이제 다중 레벨 배열을 지원합니다. pastebin.com/pYuXQWee
Mifas

1
이 예제는 htmlspecialchars를 사용하여 요소 텍스트 데이터에서 특수 문자를 명시 적으로 이스케이프하지만 SimpleXMLElement :: addChild는 xml 특수 문자를 해당 문자 엔티티로 자동 변환하여 htmlspecialchars를 생략 할 수 있습니다. 흥미롭게도, 이것은 이중 탈출 데이터를 초래 하지 않는 것 같습니다 .
mbaynton

3
@Alex, Edit # 5는 예제를 실패로 만듭니다. 각 <student> 레코드 앞에 <item $ x>를 삽입하여 작성자가 의도 한 것이 아닌 XML 출력을 만듭니다. 수정하려는 문제의 예를 제공하면 두 경우 모두 다른 해결책을 찾을 수 있습니다. 저자 코드가 수정되었다는 것을 깨닫기까지 시간이 걸렸습니다.
Nicholas Blasgen

124

여기에 제공된 답변은 배열을 노드가있는 XML로만 변환하므로 속성을 설정할 수 없습니다. 배열을 PHP로 변환하고 XML의 특정 노드에 대한 속성을 설정할 수있는 PHP 함수를 작성했습니다. 여기서 단점은 규칙이 거의없는 특정 방식으로 배열을 구성해야한다는 것입니다 (속성을 사용하려는 경우에만)

다음 예제에서는 XML에서도 속성을 설정할 수 있습니다.

소스는 https://github.com/digitickets/lalit/blob/master/src/Array2XML.php 에서 찾을 수 있습니다.

<?php    
$books = array(
    '@attributes' => array(
        'type' => 'fiction'
    ),
    'book' => array(
        array(
            '@attributes' => array(
                'author' => 'George Orwell'
            ),
            'title' => '1984'
        ),
        array(
            '@attributes' => array(
                'author' => 'Isaac Asimov'
            ),
            'title' => 'Foundation',
            'price' => '$15.61'
        ),
        array(
            '@attributes' => array(
                'author' => 'Robert A Heinlein'
            ),
            'title' => 'Stranger in a Strange Land',
            'price' => array(
                '@attributes' => array(
                    'discount' => '10%'
                ),
                '@value' => '$18.00'
            )
        )
    )
);
/* creates 
<books type="fiction">
  <book author="George Orwell">
    <title>1984</title>
  </book>
  <book author="Isaac Asimov">
    <title>Foundation</title>
    <price>$15.61</price>
  </book>
  <book author="Robert A Heinlein">
    <title>Stranger in a Strange Land</title>
    <price discount="10%">$18.00</price>
  </book>
</books>
*/
?>

9
나는 아무도 이것에 반응하지 않았다고 주장했다. 이 클래스는 simpleXMLElement가 생성하는 것과 반대되는 작업을 수행하므로 실제로 유용합니다. 따라서 SimpleXMLElement를 양방향으로 사용할 수 있습니다.
FMaz008

4
현재 대신 답변으로 표시합니다. 재귀 배열을 작성하지 않는 현재의 답변
Oleksandr IY

2
좋은 수업. 나는 라인 (128) 변경 if(!is_array($arr)) {으로 if(!is_array($arr) && $arr !== '') {는 빈 문자열을위한 새로운 텍스트 노드를 추가하지 않도록 때문에 즉 속기 빈 태그 형식을 유지 'tag'=>''입니다 <tag/>대신<tag></tag>
user1433150

이것이 지금까지 가장 좋은 대답입니다. 또한 이것은 동일한 키를 가진 여러 항목의 올바른 구조를 갖습니다. 첫 번째는 노드 이름 키이며 숫자 키가있는 배열을 포함합니다. (Hanmant 답변의 반대)
Vasil Popov

1
저자 @Legionar에서 github의를 찾을 수 github.com/digitickets/lalit/blob/master/src/Array2XML.php
대릴 테오

57

너무 많은 코드를 사용하는 모든 답변을 찾았습니다. 쉬운 방법은 다음과 같습니다.

function to_xml(SimpleXMLElement $object, array $data)
{   
    foreach ($data as $key => $value) {
        if (is_array($value)) {
            $new_object = $object->addChild($key);
            to_xml($new_object, $value);
        } else {
            // if the key is an integer, it needs text with it to actually work.
            if ($key == (int) $key) {
                $key = "key_$key";
            }

            $object->addChild($key, $value);
        }   
    }   
}   

그런 다음 재귀를 사용하는 함수로 배열을 보내는 것이 간단하므로 다차원 배열을 처리합니다.

$xml = new SimpleXMLElement('<rootTag/>');
to_xml($xml, $my_array);

이제 $ xml에는 배열을 기반으로 작성한 정확한 XML 객체가 포함되어 있습니다.

print $xml->asXML();

9
나는이 솔루션을 가장 좋아합니다. 그러나 다음과 같이 숫자 키에 대한 테스트를 추가하는 것이 좋습니다 if ( is_numeric( $key ) ) $key = "numeric_$key"; .
wout

@wout 잘 잡아. 추가되었습니다. is_numeric은 기술적으로 예상되었지만 실제로 당신을 버릴 수있는 결과를 줄 수 있기 때문에 is_numeric 대신 int cast check을 수행했습니다.
Francis Lewis

이 기능을 사용하지만 $xml = new SimpleXMLElement('<?xml version="1.0" encoding="UTF-8" ?><rootTag/>');유효한 UTF-8 인코딩으로 변경되었습니다 .
Daantje

나는이 솔루션과 같은 가장뿐만 아니라, 간단한 않습니다 그것은 :-) 한 발언 : 당신은 변경할 수 있습니다 $object->addChild($key, $value);$object->addChild($key, htmlspecialchars($value));$ 값이 "&"이러한 요구의 XML 인코딩과 같은 문자가 포함 된 경우 실패하는 것을 방지 할 수 있습니다.
레오

38
<? php
array_to_xml 함수 (배열 $ arr, SimpleXMLElement $ xml)
{
    foreach ($ arr as $ k => $ v) {
        is_array ($ v)
            ? array_to_xml ($ v, $ xml-> addChild ($ k))
            : $ xml-> addChild ($ k, $ v);
    }
    $ xml 반환;
}

$ test_array = 배열 ​​(
    'bla'=> 'blub',
    'foo'=> 'bar',
    'another_array'=> 배열 (
        'stack'=> '오버플로',
    ),
);

echo array_to_xml ($ test_array, 새로운 SimpleXMLElement ( '<root />'))-> asXML ();

1
배열에 숫자 인덱스가있는 내부 배열이 있으면 실패합니다. <0> ... </ 0>은 (는) 유효한 XML이 아닙니다.
Adriano Varoli Piazza

@AdrianoVaroliPiazza 그냥 $k = (is_numeric($k)) ? 'item' : $k;내부 에 뭔가 추가foreach()
AlienWebguy

배열의 키 중 하나의 이름이 "body"이면 작동하지 않습니다. 더 정확하게는 키가 무시되고 통과됩니다. 이유를 알아 내려고 노력 중입니다.
Bambax 2019

@Bambax 내가 생각할 수있는 유일한 이유는 XML이 나중에 HTML로 구문 분석되는 경우입니다.
Brilliand

16

PHP 5.4에서

function array2xml($data, $root = null){
    $xml = new SimpleXMLElement($root ? '<' . $root . '/>' : '<root/>');
    array_walk_recursive($data, function($value, $key)use($xml){
        $xml->addChild($key, $value);
    });
    return $xml->asXML();
}

선택한 답변의 직선 사본처럼 보이며 기능에 넣습니다.
phaberest

다음과 같이 htmlspecialchars ()를 addChild 부분에 추가합니다. $ xml-> addChild ($ key, htmlspecialchars ($ value));
Tyreal

15

또 다른 개선 사항 :

/**
* Converts an array to XML
*
* @param array $array
* @param SimpleXMLElement $xml
* @param string $child_name
*
* @return SimpleXMLElement $xml
*/
public function arrayToXML($array, SimpleXMLElement $xml, $child_name)
{
    foreach ($array as $k => $v) {
        if(is_array($v)) {
            (is_int($k)) ? $this->arrayToXML($v, $xml->addChild($child_name), $v) : $this->arrayToXML($v, $xml->addChild(strtolower($k)), $child_name);
        } else {
            (is_int($k)) ? $xml->addChild($child_name, $v) : $xml->addChild(strtolower($k), $v);
        }
    }

    return $xml->asXML();
}

용법:

$this->arrayToXML($array, new SimpleXMLElement('<root/>'), 'child_name_to_replace_numeric_integers');

감사합니다! 함수는 n 차원 배열의 정확한 내용을 반환합니다.
besciualex

12

여기에 간단하고 깔끔한 항목이 있습니다.

function array2xml($array, $xml = false){
    if($xml === false){
        $xml = new SimpleXMLElement('<root/>');
    }
    foreach($array as $key => $value){
        if(is_array($value)){
            array2xml($value, $xml->addChild($key));
        }else{
            $xml->addChild($key, $value);
        }
    }
    return $xml->asXML();
}


header('Content-type: text/xml');
print array2xml($array);

8

어쨌든 ... onokazu의 코드 (감사합니다!)를 가져 와서 XML로 태그를 반복하는 기능을 추가했습니다. 속성도 지원합니다. 누군가 유용하다고 생각하십시오!

 <?php

function array_to_xml(array $arr, SimpleXMLElement $xml) {
        foreach ($arr as $k => $v) {

            $attrArr = array();
            $kArray = explode(' ',$k);
            $tag = array_shift($kArray);

            if (count($kArray) > 0) {
                foreach($kArray as $attrValue) {
                    $attrArr[] = explode('=',$attrValue);                   
                }
            }

            if (is_array($v)) {
                if (is_numeric($k)) {
                    array_to_xml($v, $xml);
                } else {
                    $child = $xml->addChild($tag);
                    if (isset($attrArr)) {
                        foreach($attrArr as $attrArrV) {
                            $child->addAttribute($attrArrV[0],$attrArrV[1]);
                        }
                    }                   
                    array_to_xml($v, $child);
                }
            } else {
                $child = $xml->addChild($tag, $v);
                if (isset($attrArr)) {
                    foreach($attrArr as $attrArrV) {
                        $child->addAttribute($attrArrV[0],$attrArrV[1]);
                    }
                }
            }               
        }

        return $xml;
    }

        $test_array = array (
          'bla' => 'blub',
          'foo' => 'bar',
          'another_array' => array (
            array('stack' => 'overflow'),
            array('stack' => 'overflow'),
            array('stack' => 'overflow'),
          ),
          'foo attribute1=value1 attribute2=value2' => 'bar',
        );  

        $xml = array_to_xml($test_array, new SimpleXMLElement('<root/>'))->asXML();

        echo "$xml\n";
        $dom = new DOMDocument;
        $dom->preserveWhiteSpace = FALSE;
        $dom->loadXML($xml);
        $dom->formatOutput = TRUE;
        echo $dom->saveXml();
    ?>

코드를 더 명확하게하기 위해 변경 사항에 주석을 달면 도움이 될 수 있습니다. 아직도, 좋은 추가
StormeHawke

이것은 WP All Export에서 저에게 효과적이었습니다. 나는 약간 각각 is_numeric 부분을 변경했다 : if (is_numeric($k)) { $i = $k + 1; $child = $xml->addChild("_$i"); array_to_xml($v, $child); }
성취

4

PHP와 jQuery 등에서 XML을주고 받기 위해 XML을 생성하기 위해 잠시 동안 쓴 함수를 사용합니다. 추가 프레임 워크를 사용하지 않으면 순수하게 SimpleXML (또는 다른 프레임 워크와 함께 사용할 수있는 문자열을 생성하지 않습니다) ) ...

누구에게나 유용하다면 사용하십시오 :)

function generateXML($tag_in,$value_in="",$attribute_in=""){
    $return = "";
    $attributes_out = "";
    if (is_array($attribute_in)){
        if (count($attribute_in) != 0){
            foreach($attribute_in as $k=>$v):
                $attributes_out .= " ".$k."=\"".$v."\"";
            endforeach;
        }
    }
    return "<".$tag_in."".$attributes_out.((trim($value_in) == "") ? "/>" : ">".$value_in."</".$tag_in.">" );
}

function arrayToXML($array_in){
    $return = "";
    $attributes = array();
    foreach($array_in as $k=>$v):
        if ($k[0] == "@"){
            // attribute...
            $attributes[str_replace("@","",$k)] = $v;
        } else {
            if (is_array($v)){
                $return .= generateXML($k,arrayToXML($v),$attributes);
                $attributes = array();
            } else if (is_bool($v)) {
                $return .= generateXML($k,(($v==true)? "true" : "false"),$attributes);
                $attributes = array();
            } else {
                $return .= generateXML($k,$v,$attributes);
                $attributes = array();
            }
        }
    endforeach;
    return $return;
}   

모두에게 사랑 :)


4

배열 내의 모든 요소를 ​​가져 와서 속성으로 취급하고 모든 배열을 하위 요소로 처리하는 코드가 필요했습니다.

그래서 같은

array (
'row1' => array ('head_element' =>array("prop1"=>"some value","prop2"=>array("empty"))),
"row2"=> array ("stack"=>"overflow","overflow"=>"overflow")
);

나는 이런 것을 얻을 것이다

<?xml version="1.0" encoding="utf-8"?>
<someRoot>
  <row1>
    <head_element prop1="some value">
      <prop2 0="empty"/>
    </head_element>
  </row1>
  <row2 stack="overflow" overflow="stack"/>
 </someRoot>

이것을 달성하기 위해 코드는 아래에 있지만 매우 조심하십시오. 재귀 적이며 실제로 stackoverflow를 일으킬 수 있습니다 :)

function addElements(&$xml,$array)
{
$params=array();
foreach($array as $k=>$v)
{
    if(is_array($v))
        addElements($xml->addChild($k), $v);
    else $xml->addAttribute($k,$v);
}

}
function xml_encode($array)
{
if(!is_array($array))
    trigger_error("Type missmatch xml_encode",E_USER_ERROR);
$xml=new SimpleXMLElement('<?xml version=\'1.0\' encoding=\'utf-8\'?><'.key($array).'/>');
addElements($xml,$array[key($array)]);
return $xml->asXML();
} 

일부 요소가 속성이 아닌 데이터 부분 내부에 설정되도록 배열 길이 검사를 추가 할 수 있습니다.


4

여기의 다른 모든 것을 기반으로하여 접두사를 사용하여 숫자 인덱스 + 속성을 처리 @하고 기존 노드에 xml을 주입 할 수 있습니다.

암호

function simple_xmlify($arr, SimpleXMLElement $root = null, $el = 'x') {
    // based on, among others http://stackoverflow.com/a/1397164/1037948

    if(!isset($root) || null == $root) $root = new SimpleXMLElement('<' . $el . '/>');

    if(is_array($arr)) {
        foreach($arr as $k => $v) {
            // special: attributes
            if(is_string($k) && $k[0] == '@') $root->addAttribute(substr($k, 1),$v);
            // normal: append
            else simple_xmlify($v, $root->addChild(
                    // fix 'invalid xml name' by prefixing numeric keys
                    is_numeric($k) ? 'n' . $k : $k)
                );
        }
    } else {
        $root[0] = $arr;
    }

    return $root;
}//--   fn  simple_xmlify

용법

// lazy declaration via "queryparam"
$args = 'hello=4&var[]=first&var[]=second&foo=1234&var[5]=fifth&var[sub][]=sub1&var[sub][]=sub2&var[sub][]=sub3&var[@name]=the-name&var[@attr2]=something-else&var[sub][@x]=4.356&var[sub][@y]=-9.2252';
$q = array();
parse_str($val, $q);

$xml = simple_xmlify($q); // dump $xml, or...
$result = get_formatted_xml($xml); // see below

결과

<?xml version="1.0"?>
<x>
  <hello>4</hello>
  <var name="the-name" attr2="something-else">
    <n0>first</n0>
    <n1>second</n1>
    <n5>fifth</n5>
    <sub x="4.356" y="-9.2252">
      <n0>sub1</n0>
      <n1>sub2</n1>
      <n2>sub3</n2>
    </sub>
  </var>
  <foo>1234</foo>
</x>

보너스 : XML 서식

function get_formatted_xml(SimpleXMLElement $xml, $domver = null, $preserveWhitespace = true, $formatOutput = true) {
    // http://stackoverflow.com/questions/1191167/format-output-of-simplexml-asxml

    // create new wrapper, so we can get formatting options
    $dom = new DOMDocument($domver);
    $dom->preserveWhiteSpace = $preserveWhitespace;
    $dom->formatOutput = $formatOutput;
    // now import the xml (converted to dom format)
    /*
    $ix = dom_import_simplexml($xml);
    $ix = $dom->importNode($ix, true);
    $dom->appendChild($ix);
    */
    $dom->loadXML($xml->asXML());

    // print
    return $dom->saveXML();
}//--   fn  get_formatted_xml

업데이트 된 버전이 자식 요소가 아닌 숫자 태그로 반복 : github.com/zaus/forms-3rdparty-xpost/blob/...
drzaus

3

나를 위해 속임수를 쓴 기능은 다음과 같습니다.

그냥 같은 것을 호출

echo arrayToXml("response",$arrayIWantToConvert);
function arrayToXml($thisNodeName,$input){
        if(is_numeric($thisNodeName))
            throw new Exception("cannot parse into xml. remainder :".print_r($input,true));
        if(!(is_array($input) || is_object($input))){
            return "<$thisNodeName>$input</$thisNodeName>";
        }
        else{
            $newNode="<$thisNodeName>";
            foreach($input as $key=>$value){
                if(is_numeric($key))
                    $key=substr($thisNodeName,0,strlen($thisNodeName)-1);
                $newNode.=arrayToXml3($key,$value);
            }
            $newNode.="</$thisNodeName>";
            return $newNode;
        }
    }

3

내가 작업 한 XMLParser 를 사용할 수 있습니다 .

$xml = XMLParser::encode(array(
    'bla' => 'blub',
    'foo' => 'bar',
    'another_array' => array (
        'stack' => 'overflow',
    )
));
// @$xml instanceof SimpleXMLElement
echo $xml->asXML();

결과는 다음과 같습니다.

<?xml version="1.0"?>
<root>
    <bla>blub</bla>
    <foo>bar</foo>
    <another_array>
        <stack>overflow</stack>
    </another_array>
</root>

3

이 솔루션이 원래 문제와 비슷한 것을 발견했습니다.

<?php

$test_array = array (
  'bla' => 'blub',
  'foo' => 'bar',
  'another_array' => array (
    'stack' => 'overflow',
  ),
);

class NoSimpleXMLElement extends SimpleXMLElement {
 public function addChild($name,$value) {
  parent::addChild($value,$name);
 }
}
$xml = new NoSimpleXMLElement('<root/>');
array_walk_recursive($test_array, array ($xml, 'addChild'));
print $xml->asXML();

3

위의 답변 대부분이 맞습니다. 그러나 array_walk_recursive 호환성 문제와 숫자 키 문제를 해결하는이 답변을 생각해 냈습니다. 또한 내가 한 모든 테스트를 통과했습니다.

function arrayToXML(Array $array, SimpleXMLElement &$xml) {

    foreach($array as $key => $value) {

        // None array
        if (!is_array($value)) {
            (is_numeric($key)) ? $xml->addChild("item$key", $value) : $xml->addChild($key, $value);
            continue;
        }   

        // Array
        $xmlChild = (is_numeric($key)) ? $xml->addChild("item$key") : $xml->addChild($key);
        arrayToXML($value, $xmlChild);
    }
}   

또한 유용하다고 생각되는 테스트 클래스를 추가했습니다.

class ArrayToXmlTest extends PHPUnit_Framework_TestCase {

    public function setUp(){ }
    public function tearDown(){ }

    public function testFuncExists() {
        $this->assertTrue(function_exists('arrayToXML'));
    }

    public function testFuncReturnsXml() {
        $array = array(
            'name' => 'ardi',
            'last_name' => 'eshghi',
            'age' => 31,
            'tel' => '0785323435'
        );

        $xmlEl =  new SimpleXMLElement('<root/>');
        arrayToXml($array, $xmlEl);

        $this->assertTrue($xmlEl instanceOf SimpleXMLElement);
    }

    public function testAssocArrayToXml() {

        $array = array(
            'name' => 'ardi',
            'last_name' => 'eshghi',
            'age' => 31,
            'tel' => '0785323435'
        );

        $expectedXmlEl = new SimpleXMLElement('<root/>'); 
        $expectedXmlEl->addChild('name', $array['name']);
        $expectedXmlEl->addChild('last_name', $array['last_name']);
        $expectedXmlEl->addChild('age', $array['age']);
        $expectedXmlEl->addChild('tel', $array['tel']);

        $actualXmlEl =  new SimpleXMLElement('<root/>');
        arrayToXml($array, $actualXmlEl);

        $this->assertEquals($expectedXmlEl->asXML(), $actualXmlEl->asXML());
    }

    public function testNoneAssocArrayToXml() {

        $array = array(
            'ardi',
            'eshghi',
            31,
            '0785323435'
        );

        // Expected xml value
        $expectedXmlEl = new SimpleXMLElement('<root/>'); 
        foreach($array as $key => $value)
            $expectedXmlEl->addChild("item$key", $value);

        // What the function produces       
        $actualXmlEl =  new SimpleXMLElement('<root/>');
        arrayToXml($array, $actualXmlEl);

        $this->assertEquals($expectedXmlEl->asXML(), $actualXmlEl->asXML());
    }

    public function testNestedMixArrayToXml() {

        $testArray = array(
            "goal",
            "nice",
            "funny" => array(
                'name' => 'ardi',
                'tel'   =>'07415517499',
                "vary",
                "fields" => array(
                    'small',
                    'email' => 'ardi.eshghi@gmail.com'
                ),

                'good old days'

            ),

            "notes" => "come on lads lets enjoy this",
            "cast" => array(
                'Tom Cruise',
                'Thomas Muller' => array('age' => 24)
            )
        );

        // Expected xml value
        $expectedXmlEl = new SimpleXMLElement('<root/>'); 
        $expectedXmlEl->addChild('item0', $testArray[0]);
        $expectedXmlEl->addChild('item1', $testArray[1]);
        $childEl = $expectedXmlEl->addChild('funny');
        $childEl->addChild("name", $testArray['funny']['name']);
        $childEl->addChild("tel", $testArray['funny']['tel']);
        $childEl->addChild("item0", "vary");
        $childChildEl = $childEl->addChild("fields");
        $childChildEl->addChild('item0', 'small');
        $childChildEl->addChild('email', $testArray['funny']['fields']['email']);
        $childEl->addChild("item1", 'good old days');
        $expectedXmlEl->addChild('notes', $testArray['notes']);
        $childEl2 = $expectedXmlEl->addChild('cast');
        $childEl2->addChild('item0', 'Tom Cruise');
        $childChildEl2 = $childEl2->addChild('Thomas Muller');
        $childChildEl2->addChild('age', $testArray['cast']['Thomas Muller']['age']);

        // What the function produces       
        $actualXmlEl = new SimpleXMLElement('<root/>');
        arrayToXml($testArray, $actualXmlEl);

        $this->assertEquals($expectedXmlEl->asXML(), $actualXmlEl->asXML());
    }
}      

3

다른 해결책 :

$marray=array(....);
$options = array(
                "encoding" => "UTF-8",
                "output_type" => "xml", 
                "version" => "simple",
                "escaping" => array("non-ascii, on-print, markup")
                );
$xmlres = xmlrpc_encode_request('root', $marray, $options);
print($xmlres);

이것은 methodCall, methodName, 스칼라 및 벡터 등과 같은 것들을 사용하여 RPC 스타일 XML을 생성 할 때 예기치 않은 영향을 미칩니다. 실제로 간단한 배열로 배열을 XML로 변환하는 것은 아닙니다.
Volomike

3

배열이 연관되어 있고 올바르게 키가 있으면 먼저 xml로 바꾸는 것이 더 쉬울 것입니다. 다음과 같은 것 :

  function array2xml ($array_item) {
    $xml = '';
    foreach($array_item as $element => $value)
    {
        if (is_array($value))
        {
            $xml .= "<$element>".array2xml($value)."</$element>";
        }
        elseif($value == '')
        {
            $xml .= "<$element />";
        }
        else
        {
            $xml .= "<$element>".htmlentities($value)."</$element>";
        }
    }
    return $xml;
}

$simple_xml = simplexml_load_string(array2xml($assoc_array));

다른 방법은 먼저 기본 XML을 만드는 것입니다.

$simple_xml = simplexml_load_string("<array></array>");

그런 다음 배열의 각 부분에 대해 내 텍스트 생성 루프와 비슷한 것을 사용하고 대신 배열의 각 노드에 대해 간단한 XML 함수 "addChild"를 사용하십시오.

나중에 다시 시도하고 두 버전으로이 게시물을 업데이트하겠습니다.


내가 "<array> </ array>"라고 언급 한 그 비트는 문자열 버전이 비슷한 것을 필요로한다는 것을 깨달았습니다. 기본적으로 어레이는 외부에 하나의 노드가 있어야합니다. 모든 일에 잠을 자자, 나는 초기 오류를 바로 잡을 수있는 것을 가질 것이다.
Anthony

2

위의 함수를 편집하기 만하면 키가 숫자 인 경우 접두사 "key_"를 추가하십시오.

// initializing or creating array
$student_info = array(your array data);

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

// function call to convert array to xml
array_to_xml($student,$xml_student_info);

//saving generated xml file
$xml_student_info->asXML('file path and name');


function array_to_xml($student_info, &$xml_student_info) {
     foreach($student_info as $key => $value) {
          if(is_array($value)) {
            if(!is_numeric($key)){
                $subnode = $xml_student_info->addChild("$key");
                array_to_xml($value, $subnode);
            }
            else{
                $subnode = $xml_student_info->addChild("key_$key");
                array_to_xml($value, $subnode);
            }
          }
          else {
               if(!is_numeric($key)){
                    $xml_student_info->addChild("$key","$value");
               }else{
                    $xml_student_info->addChild("key_$key","$value");
               }
          }
     }
}

1

코드에서 직접 다음 기능을 사용할 수 있습니다.

    function artoxml($arr, $i=1,$flag=false){
    $sp = "";
    for($j=0;$j<=$i;$j++){
        $sp.=" ";
     }
    foreach($arr as $key=>$val){
        echo "$sp&lt;".$key."&gt;";
        if($i==1) echo "\n";
        if(is_array($val)){
            if(!$flag){echo"\n";}
            artoxml($val,$i+5);
            echo "$sp&lt;/".$key."&gt;\n";
        }else{
              echo "$val"."&lt;/".$key."&gt;\n";
         }
    }

}

첫 번째 인수를 배열로 사용하여 함수를 호출하고 두 번째 인수는 1이어야합니다. 완벽한 들여 쓰기를 위해 증가하고 세 번째는 true 여야합니다.

예를 들어, 변환 할 배열 변수가 $ array1 인 경우 호출은 호출 함수가 <pre>태그 로 캡슐화되어야합니다 .

  artoxml ($ array1,1, true);   

<및> 기호는 html 페이지에 표시되지 않으므로 파일을 실행 한 후 페이지 소스를 참조하십시오.


1
function toXML($data, $obj = false, $dom) {
    $is_first_level = false;
    if($obj === false) {
        $dom = new DomDocument('1.0');
        $obj = $dom;
        $is_first_level = true;
    }

    if(is_array($data)) {
        foreach($data as $key => $item) {
            $this->toXML($item, $obj->appendChild($dom->createElement($key)), $dom);
        }
    }else {
        $obj->appendChild($dom->createTextNode($data));
    }

    if($is_first_level) {
        $obj->formatOutput = true;
        return $obj->saveXML();
    }
    return $obj;
}

이것은 DOMDocument xml을 작성하기위한 훌륭한 옵션입니다. 감사합니다 @Andrey
altsyset

1
function array2xml(array $data, SimpleXMLElement $object = null, $oldNodeName = 'item')
{
    if (is_null($object)) $object = new SimpleXMLElement('<root/>');
    $isNumbered = true;
    $idx = 0;
    foreach ($data as $key => $x)
        if (is_string($key) || ($idx++ != $key + 0))
            $isNumbered = false;
    foreach ($data as $key => $value)
    {   
        $attribute = preg_match('/^[0-9]/', $key . '') ? $key : null;
        $key = (is_string($key) && !preg_match('/^[0-9]/', $key . '')) ? $key : preg_replace('/s$/', '', $oldNodeName);
        if (is_array($value))
        {
            $new_object = $object->addChild($key);
            if (!$isNumbered && !is_null($attribute)) $new_object->addAttribute('id', $attribute);
            array2xml($value, $new_object, $key);
        }
        else
        {
            if (is_bool($value)) $value = $value ? 'true' : 'false';
            $node = $object->addChild($key, htmlspecialchars($value));
            if (!$isNumbered && !is_null($attribute) && !isset($node->attributes()->id))
                $node->addAttribute('id', $attribute);
        }
    }
    return $object;
}

이 함수는 예를 들어 숫자 인덱스에 대한 <obj> ... </ obj> <obj> ... </ obj> XML 태그 목록을 반환합니다.

입력:

    array(
    'people' => array(
        'dog',
        'cat',
        'life' => array(
            'gum',
            'shoe',
        ),
        'fish',
    ),
    array('yeah'),
)

산출:

<root>
    <people>
        <people>dog</people>
        <people>cat</people>
        <life>
            <life>gum</life>
            <life>shoe</life>
        </life>
        <people>fish</people>
        <people>
            <people>yeah</people>
        </people>
    </people>
</root>

이것은 모든 일반적인 요구를 충족시켜야합니다. 세 번째 줄을 다음과 같이 변경할 수 있습니다.

$key = is_string($key) ? $key : $oldNodeName . '_' . $key;

또는 s로 끝나는 복수형을 사용하는 경우 :

$key = is_string($key) ? $key : preg_replace('/s$/', '', $oldNodeName);

1

FluidXML 을 사용하면 PHP Array 부터 SimpleXML 용 XML을 두 줄의 코드로 생성 할 수 있습니다 .

$fluidxml  = fluidxml($array);
$simplexml = simplexml_import_dom($fluidxml->dom());

배열 예는 다음과 같습니다.

$array = [ 'doc' => [
              'fruit' => 'orange',
              'cake'  => [
                   '@id' => '123', 
                   '@'   => 'tiramisu' ],
              [ 'pasta' => 'matriciana' ],
              [ 'pasta' => 'boscaiola'  ]
] ];

https://github.com/servo-php/fluidxml


0

자세한 xml이 문제가 아닌 경우 xmlrpc_encode를 사용하여 배열에서 xml을 만들 수 있습니다. www.php.net/xmlrpc_encode

연관 및 / 또는 숫자 키를 사용하는 경우 생성 된 xml이 다름에 유의하십시오.

<?php
// /params/param/value/struct/member
// there is a tag "member" for each element
// "member" contains a tag "name". its value is the associative key
$xml1 = xmlrpc_encode(array('a'=>'b','c'=>'d'));
$simplexml1 = simplexml_load_string($xml1);
print_r($xml1);
print_r($simplexml1);

// /params/param/value/array/data
// there is a tag "data" for each element
// "data" doesn't contain the tag "name"
$xml2 = xmlrpc_encode(array('a','b'));
$simplexml2 = simplexml_load_string($xml2);
print_r($xml2);
print_r($simplexml2);
?>

이 기능은 지원되지 않으며 실제로 PHP 5.2.16 또는 PHP 5.3.5 빌드에서 제공되지 않습니다. (“PHP 치명적 오류 : 정의되지 않은 함수 xmlrpc_encode () 호출”)
danorton

php.ini에서 다음 줄의 주석을 해제해야합니다. extension = php_xmlrpc.dll
w35l3y

@ w35l3y 나는 ini를 확인했다. 그것은 그 확장을 포함하지 않으며 v 5.3.6을 사용하고 있습니다.
Mike S.

0
function array2xml($array, $xml = false){

    if($xml === false){

        $xml = new SimpleXMLElement('<?xml version=\'1.0\' encoding=\'utf-8\'?><'.key($array).'/>');
        $array = $array[key($array)];

    }
    foreach($array as $key => $value){
        if(is_array($value)){
            $this->array2xml($value, $xml->addChild($key));
        }else{
            $xml->addChild($key, $value);
        }
    }
    return $xml->asXML();
}

0

내 답변, 다른 사람의 답변을 함께 결합합니다. 숫자 키를 보상하지 못하는 경우이를 정정해야합니다.

function array_to_xml($array, $root, $element) {
    $xml = new SimpleXMLElement("<{$root}/>");
    foreach ($array as $value) {
        $elem = $xml->addChild($element);
        xml_recurse_child($elem, $value);
    }
    return $xml;
}

function xml_recurse_child(&$node, $child) {
    foreach ($child as $key=>$value) {
        if(is_array($value)) {
            foreach ($value as $k => $v) {
                if(is_numeric($k)){
                    xml_recurse_child($node, array($key => $v));
                }
                else {
                    $subnode = $node->addChild($key);
                    xml_recurse_child($subnode, $value);
                }
            }
        }
        else {
            $node->addChild($key, $value);
        }
    }   
}

array_to_xml()함수는 배열이 먼저 숫자 키로 구성되어 있다고 가정합니다. 배열에 초기 요소가있는 경우 함수 에서 foreach()and $elem문을 삭제하고 대신 array_to_xml()전달 $xml합니다.


0

숫자로 인덱스 된 내부 배열이 있으면 구조를 유지하지 않고 잘못된 XML을 생성하기 때문에 두 번째로 많이 투표 된 답변에 대해 언급했을 것입니다.

데이터 구조에 관계없이 json과 xml 간의 간단한 변환기가 필요했기 때문에 자체 버전을 개발했습니다. 내 버전은 숫자 키 정보와 원래 배열의 구조를 유지합니다. 숫자 키를 포함하는 키 속성으로 값 이름이 지정된 요소로 값을 랩핑하여 숫자로 색인화 된 값의 요소를 작성합니다.

예를 들어

array('test' => array(0 => 'some value', 1 => 'other'))

로 변환하다

<test><value key="0">some value</value><value key="1">other</value></test>

내 버전의 array_to_xml -function (누군가에게 도움이되기를 바랍니다 :)

function array_to_xml($arr, &$xml) {
    foreach($arr as $key => $value) {
        if(is_array($value)) {
            if(!is_numeric($key)){
                $subnode = $xml->addChild("$key");
            } else {
                $subnode = $xml->addChild("value");
                $subnode->addAttribute('key', $key);                    
            }
            array_to_xml($value, $subnode);
        }
        else {
            if (is_numeric($key)) {
                $xml->addChild("value", $value)->addAttribute('key', $key);
            } else {
                $xml->addChild("$key",$value);
            }
        }
    }
}   

0

전체 XML 구조는 $ data Array에 정의되어 있습니다.

function array2Xml($data, $xml = null)
{
    if (is_null($xml)) {
        $xml = simplexml_load_string('<' . key($data) . '/>');
        $data = current($data);
        $return = true;
    }
    if (is_array($data)) {
        foreach ($data as $name => $value) {
            array2Xml($value, is_numeric($name) ? $xml : $xml->addChild($name));
        }
    } else {
        $xml->{0} = $data;
    }
    if (!empty($return)) {
        return $xml->asXML();
    }
}

0

magento에서 작업하고 이러한 유형의 연관 배열이있는 경우

$test_array = array (
    '0' => array (
            'category_id' => '582',
            'name' => 'Surat',
            'parent_id' => '565',
            'child_id' => '567',
            'active' => '1',
            'level' => '6',
            'position' => '17'
    ),

    '1' => array (
            'category_id' => '567', 
            'name' => 'test',
            'parent_id' => '0',
            'child_id' => '576',
            'active' => '0',
            'level' => '0',
            'position' => '18'
    ),
);

그런 다음 연관 배열을 xml 형식으로 변환하는 것이 가장 좋습니다.이 코드는 컨트롤러 파일에서 사용하십시오.

$this->loadLayout(false);
//header ("content-type: text/xml");
$this->getResponse()->setHeader('Content-Type','text/xml');
$this->renderLayout();

$clArr2xml = new arr2xml($test_array, 'utf-8', 'listdata');
$output = $clArr2xml->get_xml();
print $output; 

class arr2xml
{
var $array = array();
var $xml = '';
var $root_name = '';
var $charset = '';

public function __construct($array, $charset = 'utf-8', $root_name = 'root')
{
    header ("content-type: text/xml");
    $this->array = $array;
    $this->root_name = $root_name;
    $this->charset = $charset;

    if (is_array($array) && count($array) > 0) {
        $this->struct_xml($array);

    } else {
        $this->xml .= "no data";
    }
}

public function struct_xml($array)
{
    foreach ($array as $k => $v) {
        if (is_array($v)) {
            $tag = ereg_replace('^[0-9]{1,}', 'item', $k); // replace numeric key in array to 'data'
            $this->xml .= "<$tag>";
            $this->struct_xml($v);
            $this->xml .= "</$tag>";
        } else {
            $tag = ereg_replace('^[0-9]{1,}', 'item', $k); // replace numeric key in array to 'data'
            $this->xml .= "<$tag><![CDATA[$v]]></$tag>";
        }
    }
}

public function get_xml()
{

    $header = "<?xml version=\"1.0\" encoding=\"" . $this->charset . "\"?><" . $this->root_name . ">";
    $footer = "</" . $this->root_name . ">";

    return $header . $this->xml . $footer;
}
}

나는 그것이 모두에게 도움이되기를 바랍니다.


0

// Structered array for XML convertion.
$data_array = array(
  array(
    '#xml_tag' => 'a',
    '#xml_value' => '',
    '#tag_attributes' => array(
      array(
        'name' => 'a_attr_name',
        'value' => 'a_attr_value',
      ),
    ),
    '#subnode' => array(
      array(
        '#xml_tag' => 'aa',
        '#xml_value' => 'aa_value',
        '#tag_attributes' => array(
          array(
            'name' => 'aa_attr_name',
            'value' => 'aa_attr_value',
          ),
        ),
        '#subnode' => FALSE,
      ),
    ),
  ),
  array(
    '#xml_tag' => 'b',
    '#xml_value' => 'b_value',
    '#tag_attributes' => FALSE,
    '#subnode' => FALSE,
  ),
  array(
    '#xml_tag' => 'c',
    '#xml_value' => 'c_value',
    '#tag_attributes' => array(
      array(
        'name' => 'c_attr_name',
        'value' => 'c_attr_value',
      ),
      array(
        'name' => 'c_attr_name_1',
        'value' => 'c_attr_value_1',
      ),
    ),
    '#subnode' => array(
      array(
        '#xml_tag' => 'ca',  
        '#xml_value' => 'ca_value',
        '#tag_attributes' => FALSE,
        '#subnode' => array(
          array(
            '#xml_tag' => 'caa',
            '#xml_value' => 'caa_value',
            '#tag_attributes' => array(
              array(
                'name' => 'caa_attr_name',
                'value' => 'caa_attr_value',
              ),
            ),
            '#subnode' => FALSE,
          ),
        ),
      ),
    ),
  ),
);


// creating object of SimpleXMLElement
$xml_object = new SimpleXMLElement('<?xml version=\"1.0\"?><student_info></student_info>');


// function call to convert array to xml
array_to_xml($data_array, $xml_object);

// saving generated xml file
$xml_object->asXML('/tmp/test.xml');

/**
 * Converts an structured PHP array to XML.
 *
 * @param Array $data_array
 *   The array data for converting into XML.
 * @param Object $xml_object
 *   The SimpleXMLElement Object
 *
 * @see https://gist.github.com/drupalista-br/9230016
 * 
 */
function array_to_xml($data_array, &$xml_object) {
  foreach($data_array as $node) {
    $subnode = $xml_object->addChild($node['#xml_tag'], $node['#xml_value']);

    if ($node['#tag_attributes']) {
      foreach ($node['#tag_attributes'] as $tag_attributes) {
        $subnode->addAttribute($tag_attributes['name'], $tag_attributes['value']); 
      }
    }

    if ($node['#subnode']) {
      array_to_xml($node['#subnode'], $subnode);
    }
  }
}
당사 사이트를 사용함과 동시에 당사의 쿠키 정책개인정보 보호정책을 읽고 이해하였음을 인정하는 것으로 간주합니다.
Licensed under cc by-sa 3.0 with attribution required.