C# 指令碼

尋找無名的特質發表於2021-12-21

有些情況下,需要在程式執行期間動態執行C#程式碼,比如,將某些經常改變的演算法儲存在配置檔案中,在執行期間從配置檔案中讀取並執行運算。這時可以使用C#指令碼來完成這些工作。

使用C#指令碼需要引用庫Microsoft.CodeAnalysis.CSharp.Scripting,下面是一些示例:
最基本的用法是計算算數表示式:

Console.Write("測試基本算數表示式:(1+2)*3/4");
var res = await CSharpScript.EvaluateAsync("(1+2)*3/4");
Console.WriteLine(res);

如果需要使用比較複雜的函式,可以使用WithImports引入名稱空間:

Console.WriteLine("測試Math函式:Sqrt(2)");
res = await CSharpScript.EvaluateAsync("Sqrt(2)", ScriptOptions.Default.WithImports("System.Math"));
Console.WriteLine(res);

不僅是計算函式,其它函式比如IO,也是可以的:

Console.WriteLine(@"測試輸入輸出函式:Directory.GetCurrentDirectory()");
res = await CSharpScript.EvaluateAsync("Directory.GetCurrentDirectory()",
     ScriptOptions.Default.WithImports("System.IO"));
Console.WriteLine(res);

字串函式可以直接呼叫:

Console.WriteLine(@"測試字串函式:""Hello"".Length");
res = await CSharpScript.EvaluateAsync(@"""Hello"".Length");
Console.WriteLine(res);

如果需要傳遞變數,可以將類的例項作為上下文進行傳遞,下面的例子中使用了Student類:

Console.WriteLine(@"測試變數:");
var student = new Student { Height = 1.75M, Weight = 75 };
await CSharpScript.RunAsync("BMI=Weight/Height/Height", globals: student);
Console.WriteLine(student.BMI);

類Student:

    public class Student
    {
        public Decimal Height { get; set; }

        public Decimal Weight { get; set; }

        public Decimal BMI { get; set; }

        public string Status { get; set; } = string.Empty;
    }

重複使用的指令碼可以複用:

Console.WriteLine(@"測試指令碼編譯複用:");
var scriptBMI = CSharpScript.Create<Decimal>("Weight/Height/Height", globalsType: typeof(Student));
scriptBMI.Compile();

Console.WriteLine((await scriptBMI.RunAsync(new Student { Height = 1.72M, Weight = 65 })).ReturnValue);

在指令碼中也可以定義函式:

Console.WriteLine(@"測試指令碼中定義函式:");
string script1 = "decimal Bmi(decimal w,decimal h) { return w/h/h; } return Bmi(Weight,Height);";

var result = await CSharpScript.EvaluateAsync<decimal>(script1, globals: student);
Console.WriteLine(result);

在指令碼中也可以定義變數:

Console.WriteLine(@"測試指令碼中的變數:");
var script =  CSharpScript.Create("int x=1;");
script =  script.ContinueWith("int y=1;");
script =  script.ContinueWith("return x+y;");
Console.WriteLine((await script.RunAsync()).ReturnValue);

完整的例項可以從github下載:https://github.com/zhenl/CSharpScriptDemo

相關文章