これは失敗します
string temp = () => {return "test";};
エラーで
デリゲート型ではないため、ラムダ式を型 'string'に変換できません
エラーは何を意味し、どうすれば解決できますか?
回答:
ここでの問題は、を返す匿名メソッドを定義したstring
が、それをに直接割り当てようとしていることstring
です。これは、呼び出されたときにstring
直接ではない式を生成しstring
ます。互換性のあるデリゲートタイプに割り当てる必要があります。この場合、最も簡単な選択はFunc<string>
Func<string> temp = () => {return "test";};
これは、少しキャストするか、デリゲートコンストラクターを使用してラムダのタイプを確立し、その後に呼び出しを行うことで、1行で実行できます。
string temp = ((Func<string>)(() => { return "test"; }))();
string temp = new Func<string>(() => { return "test"; })();
注:両方のサンプルは、 { return ... }
Func<string> temp = () => "test";
string temp = ((Func<string>)(() => "test"))();
string temp = new Func<string>(() => "test")();
Func<string> temp = () => "test";
。
string temp = new Func<string>(() => "test")();
関数デリゲートを文字列型に割り当てようとしています。これを試して:
Func<string> temp = () => {return "test";};
これで、次のように関数を実行できます。
string s = temp();
「s」変数の値は「test」になります。
小さなヘルパー関数とジェネリックスを使用すると、コンパイラーに型を推測させ、少し短くすることができます。
public static TOut FuncInvoke<TOut>(Func<TOut> func)
{
return func();
}
var temp = FuncInvoke(()=>"test");
補足:匿名型を返すことができるので、これも便利です。
var temp = FuncInvoke(()=>new {foo=1,bar=2});
引数付きの匿名メソッドを使用できます:
int arg = 5;
string temp = ((Func<int, string>)((a) => { return a == 5 ? "correct" : "not correct"; }))(arg);
匿名メソッドは、funcデリゲートを使用して値を返すことができます。これは、匿名メソッドを使用して値を返す方法を示した例です。
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace ConsoleApp1
{
class Program
{
static void Main(string[] args)
{
Func<int, int> del = delegate (int x)
{
return x * x;
};
int p= del(4);
Console.WriteLine(p);
Console.ReadLine();
}
}
}
これは、C#8を使用した別の例です(並列タスクをサポートする他の.NETバージョンでも機能する可能性があります)
using System;
using System.Threading.Tasks;
namespace Exercise_1_Creating_and_Sharing_Tasks
{
internal static class Program
{
private static int TextLength(object o)
{
Console.WriteLine($"Task with id {Task.CurrentId} processing object {o}");
return o.ToString().Length;
}
private static void Main()
{
const string text1 = "Welcome";
const string text2 = "Hello";
var task1 = new Task<int>(() => TextLength(text1));
task1.Start();
var task2 = Task.Factory.StartNew(TextLength, text2);
Console.WriteLine($"Length of '{text1}' is {task1.Result}");
Console.WriteLine($"Length of '{text2}' is {task2.Result}");
Console.WriteLine("Main program done");
Console.ReadKey();
}
}
}