2017-07-07 21 views
0

が、私はこのような何かをしたい:私はどのようにC#ので、実行時にインタフェースを実装するをググdotnetコアで実行時にインターフェイスを実装する最も良い方法は何ですか?

interface IMyInterface 
    { 
     void DoSomething(); 
     string SaySomeWords(IEnumerable<string> words); 
    } 

    public class InterfaceImplFactory 
    { 
     public void RegisterInterface(Type type) 
     { 
      throw new NotImplementedException(); 
     } 

     public InterfaceType GetInterfaceImpl<InterfaceType>() 
     { 
      throw new NotImplementedException(); 
     } 
    } 

    class Program 
    { 
     static void Main(string[] args) 
     { 
      var factory = new InterfaceImplFactory(); 
      factory.RegisterInterface(typeof(IMyInterface)); 

      var impl = factory.GetInterfaceImpl<IMyInterface>(); 

      impl.DoSomething(); 
      impl.SaySomeWords(new List<string>() { "HelloWorld", "thanks"}); 

      Console.ReadKey(); 
     } 
    } 

後、ほとんどの記事は古いです。私はラムダダイナミックを使用することで、この問題を解決したいが、そこではないemit.Isこのような方法は、それを動作するように?

答えて

3

あなたが尋ね答える:

System.Reflection.Emitは、あなたが求めているものを行うための正しい方法です。 dynamicとlambdaはC#の言語機能です。言い換えると、それらはコンパイラの魔法ですが、コンパイル時に中間言語(IL)を生成するために使用されます。実行時にILを生成するにはSystem.Reflection.Emitが最適です。

は今、私はあなたが尋ねるためのものだと思う何を推測:

言った、上記のあなたのサンプルでは、​​それはあなたが本当にタイプのルックアップであるために求めているもののように見えました。 を実行時に実行するのは困難ですが、インターフェイスから実装を解決することは難しくありません。

あなたのためにこれを行います半ダース依存性注入フレームワークがあります。たとえば、Microsoft.Extensions.DependencyInjectionを使用する場合、コードは次のようになります。

using Microsoft.Extensions.DependencyInjection; 

interface IMyInterface 
{ 
    void DoSomething(); 
} 

class MyImplementation : IMyInterface 
{ 
    public void DoSomething() 
    { 
     // implementation here 
    } 
} 

class Program 
{ 
    public static void Main() 
    { 
     var services = new ServiceCollection() 
      .AddSingleton<IMyInterface, MyImplementation>() 
      .BuildServiceProvider(); 

     IMyInterface impl = services.GetRequiredService<IMyInterface>(); 
     impl.DoSomething(); 
    } 
} 
+0

お返事のおかげで、私は(https://stackoverflow.com/questions/44993532/signature-of-the-body-and-declaration-in-a-method [こちら]よりdetailly別の質問を投稿-implementation-do-not-match) –

関連する問題