php - imprimir - simplexml_load_file
PHP XML cómo salir en buen formato (7)
Con un objeto SimpleXml, puede simplemente
$domxml = new DOMDocument(''1.0'');
$domxml->preserveWhiteSpace = false;
$domxml->formatOutput = true;
/* @var $xml SimpleXMLElement */
$domxml->loadXML($xml->asXML());
$domxml->save($newfile);
$xml
es tu objeto simplexml
Entonces, usted simpleXml se puede guardar como un nuevo archivo especificado por $newfile
Aquí están los códigos:
$doc = new DomDocument(''1.0'');
// create root node
$root = $doc->createElement(''root'');
$root = $doc->appendChild($root);
$signed_values = array(''a'' => ''eee'', ''b'' => ''sd'', ''c'' => ''df'');
// process one row at a time
foreach ($signed_values as $key => $val) {
// add node for each row
$occ = $doc->createElement(''error'');
$occ = $root->appendChild($occ);
// add a child node for each field
foreach ($signed_values as $fieldname => $fieldvalue) {
$child = $doc->createElement($fieldname);
$child = $occ->appendChild($child);
$value = $doc->createTextNode($fieldvalue);
$value = $child->appendChild($value);
}
}
// get completed xml document
$xml_string = $doc->saveXML() ;
echo $xml_string;
Si lo imprimo en el navegador no obtengo una buena estructura XML como
<xml> /n tab <child> etc.
Acabo de recibir
<xml><child>ee</child></xml>
Y quiero ser utf-8 ¿Cómo es posible todo esto?
Dos problemas diferentes aquí:
Establezca los formatOutput y preserveWhiteSpace en
TRUE
para generar XML formateado:$doc->formatOutput = TRUE; $doc->preserveWhiteSpace = TRUE;
Muchos navegadores web (es decir, Internet Explorer y Firefox) dan formato XML cuando lo muestran. Utilice la función Ver fuente o un editor de texto normal para inspeccionar la salida.
Ver también xmlEncoding and encoding .
Esta es una ligera variación del tema anterior, pero lo estoy planteando aquí en caso de que otros golpeen esto y no puedan encontrarle sentido ... como yo lo hice.
Al usar saveXML (), preserveWhiteSpace en el DOM objetivocument no se aplica a los nodos importados (como en PHP 5.6).
Considera el siguiente código:
$dom = new DOMDocument(); //create a document
$dom->preserveWhiteSpace = false; //disable whitespace preservation
$dom->formatOutput = true; //pretty print output
$documentElement = $dom->createElement("Entry"); //create a node
$dom->appendChild ($documentElement); //append it
$message = new DOMDocument(); //create another document
$message->loadXML($messageXMLtext); //populate the new document from XML text
$node=$dom->importNode($message->documentElement,true); //import the new document content to a new node in the original document
$documentElement->appendChild($node); //append the new node to the document Element
$dom->saveXML($dom->documentElement); //print the original document
En este contexto, $dom->saveXML();
la declaración NO imprimirá bastante el contenido importado de $ message, pero el contenido originalmente en $ dom estará bastante impreso.
Para lograr una impresión bonita para todo el documento $ dom, la línea:
$message->preserveWhiteSpace = false;
debe incluirse después de $message = new DOMDocument();
línea - es decir. el / los documento / s del cual se importan los nodos también deben tener preserveWhiteSpace = false.
Intenté todas las respuestas, pero ninguna funcionó. Tal vez sea porque estoy agregando y eliminando elementos secundarios antes de guardar el XML. Después de un montón de google encontró este comentario en la documentación de php. Solo tuve que volver a cargar el XML resultante para que funcione.
$outXML = $xml->saveXML();
$xml = new DOMDocument();
$xml->preserveWhiteSpace = false;
$xml->formatOutput = true;
$xml->loadXML($outXML);
$outXML = $xml->saveXML();
Puedes intentar hacer esto:
...
// get completed xml document
$doc->preserveWhiteSpace = false;
$doc->formatOutput = true;
$xml_string = $doc->saveXML();
echo $xml_string;
Puede establecer estos parámetros justo después de haber creado DOMDocument
también:
$doc = new DomDocument(''1.0'');
$doc->preserveWhiteSpace = false;
$doc->formatOutput = true;
Eso es probablemente más conciso. La salida en ambos casos es ( Demo ):
<?xml version="1.0"?>
<root>
<error>
<a>eee</a>
<b>sd</b>
<c>df</c>
</error>
<error>
<a>eee</a>
<b>sd</b>
<c>df</c>
</error>
<error>
<a>eee</a>
<b>sd</b>
<c>df</c>
</error>
</root>
No sé cómo cambiar el (los) carácter (es) de DOMDocument
con DOMDocument
. Puede post-procesar el XML con una sustitución basada en la expresión regular línea por línea (por ejemplo, con preg_replace
):
$xml_string = preg_replace(''/(?:^|/G) /um'', "/t", $xml_string);
Alternativamente, existe la extensión ordenada con tidy_repair_string
que también puede imprimir datos XML. Es posible especificar niveles de indentación con él, sin embargo, ordenado nunca arrojará pestañas.
tidy_repair_string($xml_string, [''input-xml''=> 1, ''indent'' => 1, ''wrap'' => 0]);
<?php
$xml = $argv[1];
$dom = new DOMDocument();
// Initial block (must before load xml string)
$dom->preserveWhiteSpace = false;
$dom->formatOutput = true;
// End initial block
$dom->loadXML($xml);
$out = $dom->saveXML();
print_R($out);
// ##### IN SUMMARY #####
$xmlFilepath = ''test.xml'';
echoFormattedXML($xmlFilepath);
/*
* echo xml in source format
*/
function echoFormattedXML($xmlFilepath) {
header(''Content-Type: text/xml''); // to show source, not execute the xml
echo formatXML($xmlFilepath); // format the xml to make it readable
} // echoFormattedXML
/*
* format xml so it can be easily read but will use more disk space
*/
function formatXML($xmlFilepath) {
$loadxml = simplexml_load_file($xmlFilepath);
$dom = new DOMDocument(''1.0'');
$dom->preserveWhiteSpace = false;
$dom->formatOutput = true;
$dom->loadXML($loadxml->asXML());
$formatxml = new SimpleXMLElement($dom->saveXML());
//$formatxml->saveXML("testF.xml"); // save as file
return $formatxml->saveXML();
} // formatXML