How to execute a set of statements in an expression
One of the most common problems with using Boo's Meta Methods is that they can only return expressions. This is not good if what you want to return from the meta method is a set of statements to be executed.
The most common reason for that is to initialize a set of variables. Obviously, you can call a method that will do it for you, but there is a simpler way.
Method invocation is an expression, and anonymous delegate definition is also an expression. What does this tells you? That this is an expression as well:
// the whole thing is a single expression. delegate (int x) { Console.WriteLine(x); Console.WriteLine("another statement"); }(5);
You generally won't use something like that in real code, but when you are working with the AST directly, expressions vs. statements require a wholly different world view.
Anyway, let us see how we can implement this using Boo.
[Meta] public static ExpressionStatement when(Expression condition, BlockExpression action) { var func = new BlockExpression(); var conditionFunc = new Block(); conditionFunc.Add(new ReturnStatement(condition)); func .Body.Add( new BinaryExpression( BinaryOperatorType.Assign, new ReferenceExpression("Condition"), new BlockExpression(conditionFunc) ) ); Expression serialize = new CodeSerializer().Serialize(condition); RuleBuilder.Revisit(serialize); func .Body.Add( new BinaryExpression( BinaryOperatorType.Assign, new ReferenceExpression("ConditionExpression"), serialize ) ); func .Body.Add( new BinaryExpression( BinaryOperatorType.Assign, new ReferenceExpression("Action"), action ) ); return new MethodInvocationExpression(func); }
This trick lets you use the meta method to return several statements, which allows to do several property assignments (something that you generally cannot do in a single expression). I'll go over the actual meaning of the code (rather than the mechanics) in a future post.
 

Comments
I once used a .NET aplication (IRC bot) which had security levels, however, it also had a CalcC# command which allowed user to calculate a value of an expression.
Since it was easy to wrap any call into value-returning delegate, it was a huge security hole.
Comment preview