本文整理汇总了C#中Parser.ConsumeOptional方法的典型用法代码示例。如果您正苦于以下问题:C# Parser.ConsumeOptional方法的具体用法?C# Parser.ConsumeOptional怎么用?C# Parser.ConsumeOptional使用的例子?那么, 这里精选的方法代码示例或许可以为您提供帮助。您也可以进一步了解该方法所在类Parser
的用法示例。
在下文中一共展示了Parser.ConsumeOptional方法的4个代码示例,这些例子默认根据受欢迎程度排序。您可以为喜欢或者感觉有用的代码点赞,您的评价将有助于系统推荐出更棒的C#代码示例。
示例1: Parse
public override Statement Parse(Parser parser, Lexer.Token current)
{
parser.Consume("LEFTPAREN");
var condition = parser.ParseExpression(0);
parser.Consume("RIGHTPAREN");
var trueBlock = ParseStatement(parser);
var falseBlock = parser.ConsumeOptional("ELSE") ? ParseStatement(parser) : null;
return new IfStmt(condition, trueBlock, falseBlock);
}
示例2: ParseStatement
protected Statement ParseStatement(Parser parser)
{
var expression = parser.ParseNext();
if (expression == null)
return null;
if (!(expression is Statement))
throw new ParseException("Invalid statement in block.");
if(!(expression is IBlockStatement))
parser.ConsumeOptional("SEMICOLON");
return expression as Statement;
}
示例3: Parse
public override Statement Parse(Parser parser, Lexer.Token current)
{
var name = parser.Current.Lexeme;
parser.Consume("IDENTIFIER");
string type = null;
if (parser.Peek().Type == "COLON")
type = ParseTypeSpecified(parser);
Expression initialValue = null;
if (parser.ConsumeOptional("ASSIGNMENT"))
initialValue = parser.ParseExpression(0);
else if(_constVariables)
throw new ParseException("Const variable declarations must have an initialiser.");
parser.Consume("SEMICOLON");
return new VarDefinitionStmt(new IdentifierExpr(name), new IdentifierExpr(type), _constVariables, initialValue);
}
示例4: ParseParameterList
private List<VarDefinitionStmt> ParseParameterList(Parser parser)
{
var parameters = new List<VarDefinitionStmt>();
if (parser.Peek().Type == "RIGHTPAREN")
return parameters;
while (true)
{
var name = parser.ParseExpression(0);
if(!(name is IdentifierExpr))
throw new ParseException("Expected parameter name");
Expression type = null;
if (parser.ConsumeOptional("COLON"))
{
type = parser.ParseExpression(0);
if (!(type is IdentifierExpr))
throw new ParseException("Expected parameter type");
}
else
{
type = new IdentifierExpr("dynamic");
}
parameters.Add(new VarDefinitionStmt((IdentifierExpr)name, (IdentifierExpr)type, false, null));
if (parser.Peek().Type == "RIGHTPAREN")
break;
parser.Consume("COMMA");
}
return parameters;
}