. */ declare(strict_types=1); namespace Fisharebest\Webtrees\Report; use DomainException; use Exception; /** * Class ReportParserBase */ class ReportParserBase { /** @var resource The XML parser */ protected $xml_parser; /** @var string Text contents of tags */ protected $text = ''; /** * Create a parser for a report * * @param string $report The XML filename * * @throws Exception */ public function __construct(string $report) { $this->xml_parser = xml_parser_create(); xml_parser_set_option($this->xml_parser, XML_OPTION_CASE_FOLDING, false); xml_set_element_handler( $this->xml_parser, function ($parser, string $name, array $attrs): void { $this->startElement($parser, $name, $attrs); }, function ($parser, string $name): void { $this->endElement($parser, $name); } ); xml_set_character_data_handler( $this->xml_parser, function ($parser, $data): void { $this->characterData($parser, $data); } ); $fp = fopen($report, 'rb'); if ($fp === false) { throw new Exception('Cannot open ' . $report); } while ($data = fread($fp, 4096)) { if (!xml_parse($this->xml_parser, $data, feof($fp))) { throw new DomainException(sprintf( 'XML error: %s at line %d', xml_error_string(xml_get_error_code($this->xml_parser)), xml_get_current_line_number($this->xml_parser) )); } } fclose($fp); xml_parser_free($this->xml_parser); } /** * XML handler for an opening (or self-closing) tag. * * @param resource $parser The resource handler for the xml parser * @param string $name The name of the xml element parsed * @param string[] $attrs An array of key value pairs for the attributes * * @return void */ protected function startElement($parser, string $name, array $attrs): void { $method = $name . 'StartHandler'; if (method_exists($this, $method)) { $this->$method($attrs); } } /** * XML handler for a closing tag. * * @param resource $parser the resource handler for the xml parser * @param string $name the name of the xml element parsed * * @return void */ protected function endElement($parser, string $name): void { $method = $name . 'EndHandler'; if (method_exists($this, $method)) { $this->$method(); } } /** * XML handler for character data. * * @param resource $parser The resource handler for the xml parser * @param string $data The name of the xml element parsed * * @return void */ protected function characterData($parser, $data): void { $this->text .= $data; } }