0

我希望将我目前拥有的脚本解决方案转移到 C#,因为我相信这将解决我目前在不同平台上运行时面临的一些问题。我可以调用脚本中的函数并访问它们的变量,但是,我想做的一件事是从脚本所在的类中调用一个函数。有谁知道我能怎么做这?

这是我目前用于调用和访问脚本中的对象的代码,但我希望能够从脚本中调用“调用”方法,但不能:

using System;
using System.CodeDom.Compiler;
using System.Collections.Generic;
using System.Reflection;
using Microsoft.CSharp;

namespace scriptingTest
{
    class MainClass
    {
        public static void Main (string[] args)
        {
            var csc = new CSharpCodeProvider ();

            var res = csc.CompileAssemblyFromSource (
                new CompilerParameters ()
                {
                    GenerateInMemory = true
                },
                @"using System; 
                    public class TestClass
                    { 
                        public int testvar = 5;
                        public string Execute() 
                        { 
                            return ""Executed."";
                        }
                    }"
            );

            if (res.Errors.Count == 0) {
                var type = res.CompiledAssembly.GetType ("TestClass");
                var obj = Activator.CreateInstance (type);
                var output = type.GetMethod ("Execute").Invoke (obj, new object[] { });
                Console.WriteLine (output.ToString ());

                FieldInfo test = type.GetField ("testvar");
                Console.WriteLine (type.GetField ("testvar").GetValue (obj));
            } else {
                foreach (var error in res.Errors)
                    Console.WriteLine(error.ToString());
            }
            Console.ReadLine ();
        }

        static void Called() // This is what I would like to be able to call
        {
            Console.WriteLine("Called from script.");
        }
    }
}

我正在尝试在 Mono 中执行此操作,但是,我认为这不会影响解决方法。

4

1 回答 1

2

你需要改变一些事情。

MainClass并且Called需要其他程序集可以访问,因此请制作它们public。此外,您需要添加对当前程序集的引用才能在脚本代码中访问它。所以基本上你的代码最终看起来像:

public class MainClass

public static void Called()

var csc = new CSharpCodeProvider();
var ca = Assembly.GetExecutingAssembly();
var cp = new CompilerParameters();

cp.GenerateInMemory = true;
cp.ReferencedAssemblies.Add("System.dll");
cp.ReferencedAssemblies.Add("mscorlib.dll");
cp.ReferencedAssemblies.Add(ca.Location);

var res = csc.CompileAssemblyFromSource(
    cp,
    @"using System; 
        public class TestClass
        { 
            public int testvar = 5;
            public string Execute() 
            { 
                scriptingTest.MainClass.Called();
                return ""Executed."";
            }
        }"
);

运行测试的输出如下所示:

从脚本调用。
执行。
5

于 2013-02-19T17:37:29.040 回答