1

消费总是出现在这样的地方:(在*.jj文件生成的*Parser.java文件中)

 jj_consume_token(0);

 jj_consume_token(-1);

上面代码中的 0 和 -1 是什么意思?

private Token jj_consume_token(int kind) throws ParseException {
Token oldToken;
if ((oldToken = token).next != null) token = token.next;
else token = token.next = token_source.getNextToken();
jj_ntk = -1;
if (token.kind == kind) {
  jj_gen++;
  if (++jj_gc > 100) {
    jj_gc = 0;
    for (int i = 0; i < jj_2_rtns.length; i++) {
      JJCalls c = jj_2_rtns[i];
      while (c != null) {
        if (c.gen < jj_gen) c.first = null;
        c = c.next;
      }
    }
  }
  trace_token(token, "");
  return token;
}
token = oldToken;
jj_kind = kind;
throw generateParseException();
}

函数的 return-Token 是什么意思?

总而言之,javacc中的“消费”是什么意思?

4

1 回答 1

1

从概念上讲,输入流是一系列常规(即非特殊)标记。这些令牌之一是“当前令牌”。当前令牌之前的令牌可能是垃圾——即生成的代码不保留指向它们的指针——,当前令牌之后的令牌可能尚未构造。当前标记是解析器用来做出大部分决定的标记。例如像这样的产品

void A() : {} {  <X>  <Y> <Z> | <Y> <Z> | <Z> }

将转换为基于当前令牌类型进行切换的例程。

void A() {
    switch( <<the kind of the current token>> ) {
    case X: jj_consume_token(X) ; jj_consume_token(Y) ; jj_consume_token(Z) ; return ;
    case Y: jj_consume_token(Y) ; jj_consume_token(Z) ; return ;
    case Z: jj_consume_token(Z) ; return ; }

指向当前标记的指针保存在 field 中token。该jj_consume_token方法将此标记替换为输入中的下一个标记。基本上jj_consume_token是这样做的

if( token.next == null ) token.next = <<construct the next token>> ;
token = token.next ;
if( token.kind != kind) <<throw an exception>> ;
else return token ;

kind参数用于指示预期的令牌种类。

于 2013-06-26T13:30:15.740 回答