php數組轉xml的函數是“arr2xml”,其使用方法:首先建立一個php範例檔;然後定義一個“arr2xml”方法;接著透過foreach語句以及“preg_replace”等函數將陣列轉為xml即可。
推薦:《PHP影片教學》
PHP中獎數組轉為xml的需求是常見的,而且實作方法也有很多種,百度找了一下各種實作方法,但基本上是藉組一些組件啥的。我就自己寫了一個字串拼組的方法,支援多維數組。僅供參考,不足之處敬請不吝賜教!
/** * 将数组转换为xml * @param array $data 要转换的数组 * @param bool $root 是否要根节点 * @return string xml字符串 * @author Dragondean * @url http://www.cnblogs.com/dragondean*/function arr2xml($data, $root = true){ $str=""; if($root)$str .= "<xml>"; foreach($data as $key => $val){ if(is_array($val)){ $child = arr2xml($val, false); $str .= "<$key>$child</$key>"; }else{ $str.= "<$key><![CDATA[$val]]></$key>"; } } if($root)$str .= "</xml>"; return $str; }
上面是實作的方法,第一個參數是你要轉換的數組,第二個可選參數設定是否需要加b2a0af5a8fd26276da50279a1c63a57a根節點,預設是需要的。
測試程式碼:
$arr=array('a'=>'aaa','b'=>array('c'=>'1234' , 'd' => "asdfasdf"));echo arr2xml($arr);
程式碼執行後的結果為:
<xml><a><![CDATA[aaa]]></a><b><c><![CDATA[1234]]></c><d><![CDATA[asdfasdf]]></d></b></xml>
-------------------- -- ----------
更新:
在使用過程中發現下面格式的陣列轉換會出現問題:
array( 'item' => array( array( 'title' => 'qwe', 'description' => 'rtrt', 'picurl' => 'sdfsd', 'url' => 'ghjghj' ), array( 'title' => 'jyutyu', 'description' => 'werwe', 'picurl' => 'xcvxv', 'url' => 'ghjgh' ) ) );
#轉換出來的結果是:
<xml> <item> <0> <title> <![CDATA[qwe]]> </title> <description> <![CDATA[rtrt]]> </description> <picurl> <![CDATA[sdfsd]]> </picurl> <url> <![CDATA[ghjghj]]> </url> </0> <1> <title> <![CDATA[jyutyu]]> </title> <description> <![CDATA[werwe]]> </description> <picurl> <![CDATA[xcvxv]]> </picurl> <url> <![CDATA[ghjgh]]> </url> </1> </item></xml>
通常情況下,上面轉換出來的xml整cd3dfde4a81e47b0e19b5c7a4437feeaf35d6e602fd7d0f0edfa6f7d103c1b57那層節點我們是不要的。但在php中下標示不能同名,不能有多個item。怎麼辦呢?
我想了一個辦法就是給item下標,例如item[0],item[1],在轉換過程中在去掉[]形式的下標,實現多個item節點並排。
函數修改後如下:
function arr2xml($data, $root = true){ $str=""; if($root)$str .= "<xml>"; foreach($data as $key => $val){ //去掉key中的下标[] $key = preg_replace('/\[\d*\]/', '', $key); if(is_array($val)){ $child = arr2xml($val, false); $str .= "<$key>$child</$key>"; }else{ $str.= "<$key><![CDATA[$val]]></$key>"; } } if($root)$str .= "</xml>"; return $str; }
那麼上面需要轉換的陣列也需要跟著變動一下:
$arr1 =array( 'item[0]' => array( 'title' => 'qwe', 'description' => 'rtrt', 'picurl' => 'sdfsd', 'url' => 'ghjghj' ), 'item[1]' => array( 'title' => 'jyutyu', 'description' => 'werwe', 'picurl' => 'xcvxv', 'url' => 'ghjgh' ) );
轉換後的xml如下:
<xml> <item> <title> <![CDATA[qwe]]> </title> <description> <![CDATA[rtrt]]> </description> <picurl> <![CDATA[sdfsd]]> </picurl> <url> <![CDATA[ghjghj]]> </url> </item> <item> <title> <![CDATA[jyutyu]]> </title> <description> <![CDATA[werwe]]> </description> <picurl> <![CDATA[xcvxv]]> </picurl> <url> <![CDATA[ghjgh]]> </url> </item></xml>
以上是php數組轉xml的函數是什麼的詳細內容。更多資訊請關注PHP中文網其他相關文章!