How to return value with anonymous method?
The problem here is that you've defined an anonymous method which returns a string
but are trying to assign it directly to a string
. It's an expression which when invoked produces a string
it's not directly a string
. It needs to be assigned to a compatible delegate type. In this case the easiest choice is Func<string>
Func<string> temp = () => {return "test";};
This can be done in one line by a bit of casting or using the delegate constructor to establish the type of the lambda followed by an invocation.
string temp = ((Func<string>)(() => { return "test"; }))();
string temp = new Func<string>(() => { return "test"; })();
Note: Both samples could be shorted to the expression form which lacks the { return ... }
Func<string> temp = () => "test";
string temp = ((Func<string>)(() => "test"))();
string temp = new Func<string>(() => "test")();
You are attempting to assign a function delegate to a string type. Try this:
Func<string> temp = () => {return "test";};
You can now execute the function thusly:
string s = temp();
The "s" variable will now have the value "test".