PHP XML Expat パーサ

❮ 前章へ 次章へ ❯

組み込みのXML Expat パーサは、PHPにおけるXML文書の処理を可能にます。


XML Expat パーサ

Expatパーサはイベントベースのパーサです。

次ののXMLの一部を見てください:

<from>Jani</from>

イベントベースのパーサは、上のXMLを連続した3つのイベントとして報告します:

XML Expat Parser関数は、PHPコアの一部です。この関数を使用するのにインストールの必要はありません。


XML ファイル

XMLファイル "note.xml" は、以下の例で使用します:

<?xml version="1.0" encoding="UTF-8"?>
<note>
<to>Tove</to>
<from>Jani</from>
<heading>Reminder</heading>
<body>Don't forget me this weekend!</body>
</note>

XML Expat パーサの初期化

PHPでXML Expat パーサを初期化し、異なるXMLイベント用のハンドラをいくつか定義して、XMLファイルを解析します。

<?php
// Initialize the XML parser
$parser=xml_parser_create();

// Function to use at the start of an element
function start($parser,$element_name,$element_attrs) {
  switch($element_name) {
    case "NOTE":
    echo "-- Note --<br>";
    break;
    case "TO":
    echo "To: ";
    break;
    case "FROM":
    echo "From: ";
    break;
    case "HEADING":
    echo "Heading: ";
    break;
    case "BODY":
    echo "Message: ";
  }
}

// Function to use at the end of an element
function stop($parser,$element_name) {
  echo "<br>";
}

// Function to use when finding character data
function char($parser,$data) {
  echo $data;
}

// Specify element handler
xml_set_element_handler($parser,"start","stop");

// Specify data handler
xml_set_character_data_handler($parser,"char");

// Open XML file
$fp=fopen("note.xml","r");

// Read data
while ($data=fread($fp,4096)) {
  xml_parse($parser,$data,feof($fp)) or
  die (sprintf("XML Error: %s at line %d",
  xml_error_string(xml_get_error_code($parser)),
  xml_get_current_line_number($parser)));
}

// Free the XML parser
xml_parser_free($parser);
?>
例の実行 »

例の説明:

  1. xml_parser_create()関数を使用してXMLパーサを初期化する
  2. さまざまなイベントハンドラで使用する関数を作成する
  3. パーサが、開始タグと終了タグを検出したときに実行する関数を指定する、xml_set_element_handler()関数を追加する
  4. パーサが、文字データを検出したときに実行する関数を指定する、xml_set_character_data_handler()関数を追加する
  5. ファイル "note.xml"をxml_parse()関数でパースする
  6. エラーの場合、XMLエラーをテキスト記述に変換するxml_error_string()関数を追加する
  7. xml_parser_free()関数を呼び出して、xml_parser_create()関数で割り当てられたメモリを解放する

その他の PHP XML Expat パーサ

PHP Expat関数の詳細については、 PHP XML パーサ・リファレンスをご覧ください。


❮ 前章へ 次章へ ❯