在getNextToken函数中,我们可以看到我们要处理的、有限的六种状态对应的操作:_skipWhitespace、_skipComments0、_skipComments1、_getNumber、_getSubstring以及 _getString,并且在注释中都备注出了状态的开始条件。 那么我们来看一下三个用来处理跳过无用或空白字符的方法实现,具体代码如下所示:
//跳过所有的空白字符,将当前索引指向非空白字符
private _skipWhitespace ( ) : string {
let c : string = "" ;
do {
c = this . _getChar ( ) ; //移动当前索引
//结束条件:解析全部完成或者或当前字符不是空白符
} while ( c . length > 0 && this . _isWhitespace( c ) ) ;
// 返回的是正常的非空白字符
return c ;
}
//跳过单行注释中的所有字符
private _skipComments0 ( ) : string {
let c : string = "" ;
do {
c = this . _getChar ( ) ;
//结束条件: 数据源解析全部完成或者遇到换行符
} while ( c.length > 0 && c !== '\n' ) ;
//此时返回的是“\n”字符
return c ;
}
//跳过多行注释中的所有字符
private _skipComments1 ( ) : string {
//进入本函数时,当前索引是/字符
let c : string = "" ;
// 1、先读取*号
c = this . _getChar ( ) ;
// 2、然后读取所有非* /这两个符号结尾的所有字符
do {
c = this . _getChar ( ) ;
//结束条件: 数据源解析全部完成或者当前字符为*且下一个字符是/,也就是以*/结尾
} while ( c . length > 0 && ( c !== '*' || this . _peekChar ( ) !== '/' ) ) ;
// 3. 由于上面读取到*字符就停止了,因此我们要将/也读取(消费)掉
c = this . _getChar ( ) ;
//此时返回的应该是“/”字符
return c ;
}
在注释中详细标注了针对每个状态的操作以及结束条件。