DOMDocument::load
Пути к файлам в стиле Unix с прямыми слешами могут отрицательно сказаться на работоспособности скриптов в среде Windows; используйте функцию realpath() для исключения подобных ситуаций.
Список параметров
Возвращаемые значения
Возвращает true в случае успешного выполнения или false в случае возникновения ошибки. При статическом вызове возвращает объект класса DOMDocument или false в случае возникновения ошибки.
Ошибки
Если через аргумент filename передана пустая строка или файл ничего не содержит, будет сгенерировано предупреждение. Это предупреждение генерируется не libxml, поэтому оно не может быть обработано обработчиками ошибок библиотеки libxml.
До PHP 8.0.0 метод может вызываться статически, но вызовет ошибку E_DEPRECATED . Начиная с PHP 8.0.0, вызов этого метода статически выбрасывает исключение Error .
Примеры
Пример #1 Создание документа
Смотрите также
- DOMDocument::loadXML() — Загрузка XML из строки
- DOMDocument::save() — Сохраняет XML-дерево из внутреннего представления в файл
- DOMDocument::saveXML() — Сохраняет XML-дерево из внутреннего представления в виде строки
User Contributed Notes 14 notes
I had a problem with loading documents over HTTP. I would get errors looking like this:
Warning: DOMDocument::load(http://external/document.xml): failed to open stream: HTTP request failed! HTTP/1.1 500 Internal Server Error
The document would load fine in browsers and using wget. The problem is that DOMDocument::load() on my systems (both OS X and Linux) didn’t send any User-Agent header which for some weird reason made Microsoft-IIS/6.0 respond with the 500 error.
$opts = array(
‘http’ => array(
‘user_agent’ => ‘PHP libxml agent’ ,
)
);
$context = stream_context_create ( $opts );
libxml_set_streams_context ( $context );
In reply to BadGuy [at] BadGuy [dot] nl
When the news.php file is located on the same server, like you said in the first example then http://my.beautiful-website.com/xmlsource/news.php wouldn’t work, but you should use http://localhost/xmlsource/news.php or http://127.0.0.1/xmlsource/news.php
NOTE, will not load successfully if there is a comment at the beginning of the file before the declaration!?xml>
Note that this method uses the local file system before doing anything remote. The ‘disadvantage’ would be that if you would do the following:
$xml = new DOMDocument ;
$xml -> load ( «xmlsource/news.php» );
?>
This would not make the method read the actual output of the news.php file —presumably valid xml data—, but the file contents —obviously this would be php code. So this will return an error saying news.php is missing the xml declaration and maybe the xml start-tag
What would work is the following:
$xml = new DOMDocument ;
$xml -> load ( «http://my.beautiful-website.com/xmlsource/news.php» );
?>
This will force a http request to be used to get this file instead of just locally reading it and the file just returning code
BadGuy´s note may be confusing since what he depicts is no special property of the relevant method. PHP works always in and on a local file system which means that if you want to use resources from other systems or — what is, indeed, BadGuy´s problem — need resources that have been dealt with by other programs or processes, you have to state and manage that explicitly in your code. PHP is just a quite normal program in that.
BadGuy´s solution is using the «http wrapper» to get output from another process (see «wrappers» in the PHP manual). Doing this, the appropriate syntax for http calls has to be respected.
$doc = new DOMDocument ();
$doc -> load ( ‘book.xml’ );
echo $doc -> saveXML ();
?>
you must enter the absolute path for book.xml due for get a false result in load function.
load() will handle non-ASCII characters depending on the details of the XML declaration, but in a somewhat surprising way. One would assume that the declarations » and » are treated in the same way because UTF-8 is the default encoding anyway. But not so.
?xml>
* If there is an XML declaration defining the encoding *explicitly*, the non-ASCII characters remain unchanged.
* If the XML declaration does not define the encoding explicitly, or if the XML declaration is missing, non-ASCII characters are converted into numeric entities.
The same happens if there is no XML declaration at all. On the other hand, the document
This behaviour applies to loadXML() as well.
i’ve found the partial solution for xml:id warning,is explained at this address: https://fosswiki.liip.ch/display/BLOG/GetElementById+Pitfalls
there explains that:
The ID does have to be a valid NCName, which for example means, that the first letter can’t be a number.
and in my xml:id i had a number. 😀
XHTML and entities: The solution proposed below by zachatwork at gmail dot com didn’t work for me. I checked on a number of servers (both LAMPP and WAMPP) — on each of them, calling loadXML() with the LIBXML_DTDLOAD option triggered an external request for the DTD. And that’s bad news.
If allow_url_fopen is turned off, the request for the DTD fails with a warning. If it is turned on, the request fails because these w3c URLs return a 503 Service Unavailable.
HTML entities still generate a warning in either case.
The best solution, as far as I can tell, is simply to ignore the warnings and suppress them using ‘@’. I can’t recommend parsing XHTML with loadHTML() instead of loadXML() — yes, you get rid of the entity problem, but loadHTML() changes the source while parsing it (tries to ‘fix’ it even though there is nothing to fix).
Suppose you wanted to dynamically load an array from an .XSD file. This method is your guy. just remember to use the actual xs: portion in xpaths and such.
All the other «load» methods will error out.
$attributes = array();
$xsdstring = «/htdocs/api/xsd/common.xsd» ;
$XSDDOC = new DOMDocument ();
$XSDDOC -> preserveWhiteSpace = false ;
if ( $XSDDOC -> load ( $xsdstring ))
<
$xsdpath = new DOMXPath ( $XSDDOC );
$attributeNodes =
$xsdpath ->
query ( ‘//xs:simpleType[@name=»attributeType»]’ )
-> item ( 0 );
foreach ( $attributeNodes -> childNodes as $attr )
<
$attributes [ $attr -> getAttribute ( ‘value’ ) ] = $attr -> getAttribute ( ‘name’ );
>
unset( $xsdpath );
>
print_r ( $attributes );
?>
If you are loading xml with the intention of validating it against an internal dtd and you have experienced issues with the validation it could be related to missing LIBXML constants.
I found this post by «aidan at php dot net» in root level dom docs and thought it might be more useful here:
As of PHP 5.1, libxml options may be set using constants rather than the use of proprietary DomDocument properties.
DomDocument->resolveExternals is equivilant to setting
LIBXML_DTDLOAD
LIBXML_DTDATTR
DomDocument->validateOnParse is equivilant to setting
LIBXML_DTDLOAD
LIBXML_DTDVALID
PHP 5.1 users are encouraged to use the new constants.
Example:
$dom = new DOMDocument ;
// Resolve externals
$dom -> load ( $file , LIBXML_DTDLOAD | LIBXML_DTDATTR );
// OR
// Validate against DTD
$dom -> load ( $file , LIBXML_DTDLOAD | LIBXML_DTDVALID );
$dom -> validate ();
?>
adding an id for a child, when i use abstract mode i get the following warning:
[quote]Warning: DOMDocument::load() [domdocument.load]: xml:id : attribute value xx is not an NCName in /fake/path/to/xmlfile[/quote]You can easily avoid the warning about references by using the LIBXML_DTDLOAD option.
// This one works perfectly.
$dom = new DOMDocument ();
$dom -> loadXML ( $html , LIBXML_DTDLOAD );
print $dom -> saveXML ();
// This one produces a warning.
$dom = new DOMDocument ();
$dom -> loadXML ( $html );
print $dom -> saveXML ();
Note that libxml will detect that your DTD is locally available via /etc/xml/catalog. So there is no worry about this causing your DOM loads to make external network requests.
- DOMDocument
- __construct
- createAttribute
- createAttributeNS
- createCDATASection
- createComment
- createDocumentFragment
- createElement
- createElementNS
- createEntityReference
- createProcessingInstruction
- createTextNode
- getElementById
- getElementsByTagName
- getElementsByTagNameNS
- importNode
- load
- loadHTML
- loadHTMLFile
- loadXML
- normalizeDocument
- registerNodeClass
- relaxNGValidate
- relaxNGValidateSource
- save
- saveHTML
- saveHTMLFile
- saveXML
- schemaValidate
- schemaValidateSource
- validate
- xinclude
simplexml_load_file
Преобразует правильно сформированный XML-документ в указанном файле в объект.
Список параметров
Замечание:
Libxml 2 декодирует URI, так что если вы хотите передать, например, b&c как параметр URI a, вы должны вызвать simplexml_load_file(rawurlencode(‘http://example.com/?a=’ . urlencode(‘b&c’))). Начиная с PHP 5.1.0 этого не требуется, потому, что PHP сделает это за вас.
Вы можете использовать этот необязательный параметр для того, чтобы функция simplexml_load_file() возвращала объект указанного класса. Этот класс должен расширять класс SimpleXMLElement .
Начиная с PHP 5.1.0 и Libxml 2.6.0, вы также можете использовать параметр options чтобы указать дополнительные параметры Libxml.
Префикс пространства имен или URI.
TRUE если ns является префиксом, и FALSE если URI; по умолчанию равен FALSE .
Возвращаемые значения
Возвращает объект ( object ) класса SimpleXMLElement со свойствами, содержащими данные, которые хранятся внутри XML-документа или FALSE в случае возникновения ошибки.
Ошибки
Генерирует сообщение об ошибке уровня E_WARNING для каждой ошибки, найденной в XML-данных.
Используйте функцию libxml_use_internal_errors() для того, чтобы подавить все ошибки XML, и функцию libxml_get_errors() для прохода по ним впоследствии.
Примеры
Пример #1 Интерпретация XML-документа
//Файл test.xml содержит XML-документ с корневым элементом
//и, по крайней мере, элемент /[root]/title.?php
if ( file_exists ( ‘test.xml’ )) $xml = simplexml_load_file ( ‘test.xml’ );
print_r ( $xml );
> else exit( ‘Не удалось открыть файл test.xml.’ );
>
?>Этот скрипт выведет, в случае успешного завершения, следующее:
SimpleXMLElement Object ( [title] => Пример заголовка . )
Здесь вы можете использовать $xml->body и любые другие элементы.
Смотрите также
- simplexml_load_string() — Интерпретирует строку с XML в объект
- SimpleXMLElement::__construct() — Создание нового SimpleXMLElement объекта
- Работа с ошибками XML
- libxml_use_internal_errors() — Отключение ошибок libxml и передача полномочий по выборке и обработке информации об ошибках пользователю
- Базовое использование SimpleXML