Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

C# dynamic operator [duplicate]

Tags:

c#

dynamic

Is it possible to have a dynamic operator in c#?

string aString = "5";
int a = 5;
int b = 6;
string op = "<";

//want to do something like dynamically without checking the value of op
if( a op b)
like image 462
JL. Avatar asked Jul 30 '09 17:07

JL.


2 Answers

You can't create dynamic operators - but you can wrap an operator in a delegate. You can use lambdas to simplify the syntax.

Func<int,int,int> opPlus = (a,b) => a + b;
Func<int,int,int> opMinus = (a,b) => a - b;
// etc..

// now you can write:
int a = 5, b = 6;
Func<int,int,int> op = opPlus;
if( op(a,b) > 9 )
    DoSomething();

Although it's not definite - the future direction for C# is to implement the compiler as a service. So, at some point, it may be possible to write code that dynamically evaluates an expression.

like image 146
LBushkin Avatar answered Nov 07 '22 12:11

LBushkin


Piggybacking on LBushkin's response:

Func<int, int, bool> AGreaterThanB = (a,b) => a > b;
Func<int, int, bool> ALessThanB    = (a,b) => a < b;

Func< int, int, bool> op = AGreaterThanB;

int x = 7;
int y = 6;

if ( op( x, y ) ) 
{
    Console.WriteLine( "X is larger" );
}
else
{
    Console.WriteLine( "Y is larger" );
}

http://msdn.microsoft.com/en-us/library/bb549151.aspx

like image 27
rp. Avatar answered Nov 07 '22 11:11

rp.