web-dev-qa-db-ja.com

実行時にコードファイルからC#コードを実行する

ボタンを含むWPF C#アプリケーションがあります。

ボタンクリックのコードは、アプリケーションランタイムディレクトリに配置される別のテキストファイルに書き込まれます。

executeボタンをクリックするとテキストファイルにコードが配置されます。

これを行う方法はありますか?

44
Vinod Maurya

Microsoft.CSharp.CSharpCodeProvider コードをオンザフライでコンパイルします。特に、 CompileAssemblyFromFile を参照してください。

35
jason

コンパイル済みオンザフライクラスメソッドを実行するためのコードサンプル:

using System;
using System.Collections.Generic;
using System.Text;
using System.Diagnostics;
using System.IO;
using System.Reflection;
using System.Net;
using Microsoft.CSharp;
using System.CodeDom.Compiler;

namespace ConsoleApplication2
{
    class Program
    {
        static void Main(string[] args)
        {
            string source =
            @"
namespace Foo
{
    public class Bar
    {
        public void SayHello()
        {
            System.Console.WriteLine(""Hello World"");
        }
    }
}
            ";

             Dictionary<string, string> providerOptions = new Dictionary<string, string>
                {
                    {"CompilerVersion", "v3.5"}
                };
            CSharpCodeProvider provider = new CSharpCodeProvider(providerOptions);

            CompilerParameters compilerParams = new CompilerParameters
                {GenerateInMemory = true,
                 GenerateExecutable = false};

            CompilerResults results = provider.CompileAssemblyFromSource(compilerParams, source);

            if (results.Errors.Count != 0)
                throw new Exception("Mission failed!");

            object o = results.CompiledAssembly.CreateInstance("Foo.Bar");
            MethodInfo mi = o.GetType().GetMethod("SayHello");
            mi.Invoke(o, null);
        }
    }
}
89
acoolaum

Microsoft Roslyn 、特にScriptEngineクラスをご覧になることをお勧めします。以下に、良い例をいくつか示します。

  1. Roslyn Scripting APIの紹介
  2. ValueConverterでRoslyn ScriptEngineを使用してユーザー入力を処理する

使用例:

var session = Session.Create();
var engine = new ScriptEngine();
engine.Execute("using System;", session);
engine.Execute("double Sin(double d) { return Math.Sin(d); }", session);
engine.Execute("MessageBox.Show(Sin(1.0));", session);
21
Adi Lester

C#Eval という名前のライブラリを誰かが作成したようです。

編集: 元のサイト は死んでいるように見えるため、Archive.orgを指すようにリンクを更新しました。

3
Aaron D

必要なのは CSharpCodeProvider Class です

仕組みを理解するためのサンプルがいくつかあります。

1 http://www.codeproject.com/Articles/12499/Run-Time-Code-Generation-I-Compile-C-Code-using-Mi

この例の重要なポイントは、実際にはすべてのことをフレイで行えるということです。

myCompilerParameters.GenerateExecutable = false;
myCompilerParameters.GenerateInMemory = false;

2 http://www.codeproject.com/Articles/10324/Compiling-code-during-runtime

この例は、dllファイルを作成できるので、他のアプリケーション間で共有できます。

基本的に http://www.codeproject.com/search.aspx?q=csharpcodeprovider&x=0&y=0&sbo=kw&pgnum=6 を検索して、さらに役立つリンクを取得できます。

2
Developer