Inline Anonymous Visitors
One of the most common chores when working with compilers is the need to create special visitors. I mean, I just need to get a list of all the variables in the code, but I need to create a visitor class and execute it in order to get the information out. This is not hard, the code is something like this:
public class ReferenceVisitor : DepthFirstVisitor { public List<string> References = new List<string>(); public void OnReferenceExpression(ReferenceExpression re) { References.Add(re.Name); } } public bool IsCallingEmployeeProperty(Expression condition) { var visitor = new ReferenceVisitor(); visitor.Visit(condition); return visitor.References.Contains("Employee"); }
Doing this is just annoying. Especially when you have to create several of those, and they make no sense outside of their call site. In many ways, they are to compilers what event handlers are to UI components.
What would happen if we could create a special visitor inline, without going through the "create whole new type" crap? I think that this would be as valuable as anonymous delegates and lambdas turned out to be. With that in mind, let us see if I can make this work, shall we?
public bool IsCallingEmployeeProperty(Expression condition) { var references = new List<string>(); new InlineVisitor { OnRefefenceExpression = re => references.Add(re.Name) }.Visit(condition); return references.Contains("Employee"); }
Especially in the more moderately complex scenarios, such a thing is extremely useful.
Comments
To make it even more concise, add a static utility method:
...
InlineVisitor.Visit(condition, re => references.Add(re.Name));
Not really, this would work if and only if I wanted to run only over ReferenceExpression, and I want this over the entire AST.
[NOTE: I have no idea what you are talking about. I have not built compilers (yet) and I do now know what visitors are. But...]
I don't see why you can't make such a class:
public class InlineVisitor : DepthFirstVisitor
{
}
which you would use exactly as you specified.
Or is that exactly what you intended to do?
That is exactly what I was referring to.
How is this used, if you don't mind me asking?
I mean, who calls that OnReferenceExpression method?
Just like your code is doing, by the actual DepthFirstVisitor
I just understood what it reminds me of:
Mock<DepthFirstVisitor>(mock => {
mock.Expect(x => x.OnReferenceExpression(...))
.Callback(re => references.Add(re.Name))
}).Visit(condition)
which is much uglier than what you propose, bt is not limited to visitors. Just rename Mock to something fitting, like Inline<>.
As for uglyness,
new Inline<DepthFirstVisitor> {
{ x => x.OnReferenceExpression(null), re => references.Add(re.Name) }
};
I think with a ton of overloads for Add(,) it may be viable.
Comment preview