使用Sprache解析文本时,可以确定原始字符串中的当前索引吗?

时间:2019-07-20 00:38:55

标签: c# parsing sprache

我设置了Sprache来解析一个方程式,该方程式中包含许多不同的方法调用。解决方法后,有没有办法确定原始字符串中的索引值?也许Parse具有可通过某种方式访问​​的“当前索引”值和“长度”值?

示例输入字符串:

IndexOf("fred", 2) + IndexOf("bob")

使用这样的解析器...

Parser<Expression> FunctionCall = from namePart in Parse.Letter.Many().Text()
                       from lparen in Parse.Char('(')
                       from expr in Parameter.DelimitedBy(ListDelimiter)
                       from rparen in Parse.Char(')')
                       select CallMethod(namePart, Enumerable.Repeat(sourceData, 1)
                                                             .Concat(expr)
                                                             .ToArray());

谁能想到一个“技巧”,使我能够确定第一个CallMethod处理 SubString(0,18),第二个CallMethod处理 SubString(21,14) 来自原始字符串?

2 个答案:

答案 0 :(得分:1)

如果使用通用的类和扩展方法,则可以采用更通用的方法

public class PositionAware<T> : IPositionAware<PositionAware<T>>
{
    public PositionAware(T value)
    {
        Value = value;
    }

    public T Value { get; }
    public Position Start { get; private set; }
    public int Length { get; private set; }
    public PositionAware<T> SetPos(Position startPos, int length)
    {
        Start = startPos;
        Length = length;
        return this;
    }

}
public static Parser<PositionAware<T>> WithPosition<T>(this Parser<T> value)
{
    return value.Select(x => new PositionAware<T>(x)).Positioned();
}

使用它:

from c in Parse.Char('a').WithPosition()
select (c.Start, c.Value)

from c in Parameter.DelimitedBy(ListDelimiter).WithPosition()
select (c.Start, c.Value)

答案 1 :(得分:0)

我已经设法回答了自己的问题。这是Positioned()解析器扩展调用,它允许解析器跟踪原始文本内的位置。

  Parser<Expression> FunctionCall = (from namePart in Parse.Letter.Many().Text()
                            from lparen in Parse.Char('(')
                            from expr in Parameter.DelimitedBy(ListDelimiter)
                            from rparen in Parse.Char(')')
                            select new MethodPosAware(namePart, expr)).Positioned()
                            .Select(x => CallMethod(x.Value, Enumerable.Repeat(sourceData, 1)
                                        .Concat(x.Params)
                                        .ToArray(),
                                        x.Pos.Pos, x.Length));

我必须创建一个新的 MethodPosAware 类来保留位置信息,该类是从Sprache的 IPositionAware 派生的:

class MethodPosAware : IPositionAware<MethodPosAware>
{
    public MethodPosAware(string methodName, IEnumerable<Expression> parameters)
    {
        Value = methodName;
        Params = parameters;
    }

    public MethodPosAware SetPos(Position startPos, int length)
    {
        Pos = startPos;
        Length = length;
        return this;
    }

    public Position Pos { get; set; }
    public int Length { get; set; }
    public string Value { get; set; }
    public IEnumerable<Expression> Params { get; set; }
}

我想我将进一步扩展它以使其不仅适用于方法名称,而且现在足以回答我的问题。我希望这对以后的人有所帮助。