1
0
mirror of https://github.com/danog/PHP-Parser.git synced 2024-11-27 04:14:44 +01:00
PHP-Parser/lib/Lexer.php
nikic eeb63065be a) changes node structure (Stmt_, Expr_, ...) b) fixes parsing of x::$y[z]
Sorry for that one large commit. Won't happen again.
2011-05-27 18:42:36 +02:00

73 lines
2.1 KiB
PHP

<?php
class Lexer
{
protected $tokens;
protected $pos;
private static $tokenMap;
private static $dropTokens = array(
T_WHITESPACE => 1, T_COMMENT => 1, T_DOC_COMMENT => 1, T_OPEN_TAG => 1
);
public function __construct($code) {
self::initTokenMap();
$this->tokens = token_get_all($code);
$this->pos = -1;
}
public function yylex(&$yyLVal) {
while (isset($this->tokens[++$this->pos])) {
$token = $this->tokens[$this->pos];
if (is_string($token)) {
$yyLVal = $token;
return ord($token);
} elseif (!isset(self::$dropTokens[$token[0]])) {
$yyLVal = $token[1];
return self::$tokenMap[$token[0]];
}
}
return 0;
}
/**
* Returns the line the current token is in.
*
* @return int
*/
public function getLine() {
for ($i = $this->pos - 1; $i--;) {
if (is_array($this->tokens[$i])) {
return $this->tokens[$i][2];
}
}
return -1;
}
private static function initTokenMap() {
if (!self::$tokenMap) {
self::$tokenMap = array();
// 256 is the minimum possible token number, as everything below
// it is an ASCII value
for ($i = 256; $i < 1000; ++$i) {
// T_DOUBLE_COLON is equivalent to T_PAAMAYIM_NEKUDOTAYIM
if (T_DOUBLE_COLON === $i) {
self::$tokenMap[$i] = Parser::T_PAAMAYIM_NEKUDOTAYIM;
// T_OPEN_TAG_WITH_ECHO with dropped T_OPEN_TAG results in T_ECHO
} elseif(T_OPEN_TAG_WITH_ECHO === $i) {
self::$tokenMap[$i] = Parser::T_ECHO;
// T_CLOSE_TAG is equivalent to ';'
} elseif(T_CLOSE_TAG === $i) {
self::$tokenMap[$i] = ord(';');
// and the others can be mapped directly
} elseif ('UNKNOWN' !== ($name = token_name($i))) {
self::$tokenMap[$i] = constant('Parser::' . $name);
}
}
}
}
}