web-dev-qa-db-ja.com

Actionでパラメーターを渡すにはどうすればよいですか?

private void Include(IList<string> includes, Action action)
{
    if (includes != null)
    {
        foreach (var include in includes)
            action(<add include here>);
    }
}

こう呼んでみたい

this.Include(includes, _context.Cars.Include(<NEED TO PASS each include to here>));

考え方は、各includeをメソッドに渡すことです。

64
Jop

渡すパラメーターがわかっている場合は、タイプのAction<T>を取得します。例:

void LoopMethod (Action<int> code, int count) {
     for (int i = 0; i < count; i++) {
         code(i);
     }
}

パラメーターをメソッドに渡す場合は、メソッドをジェネリックにします。

void LoopMethod<T> (Action<T> code, int count, T paramater) {
     for (int i = 0; i < count; i++) {
         code(paramater);
     }
}

そして、呼び出し元のコード:

Action<string> s = Console.WriteLine;
LoopMethod(s, 10, "Hello World");

更新。コードは次のようになります。

private void Include(IList<string> includes, Action<string> action)
{
    if (includes != null)
    {
         foreach (var include in includes)
             action(include);
    }
}

public void test()
{
    Action<string> dg = (s) => {
        _context.Cars.Include(s);
    };
    this.Include(includes, dg);
}
91

パラメーターを受け取る Action<T> を探しています。

10
SLaks

ダーティートリック:ラムダ式を使用して、パラメーター付きの呼び出しを含む任意のコードを渡すこともできます。

this.Include(includes, () =>
{
    _context.Cars.Include(<parameters>);
});
7
ne2dmar