1

我正在尝试使用反射在 AppDomain 中执行一些代码。这是我的代码:

AppDomain appDomain = GetSomehowAppDomain(); 
string typeAssembly = GetTypeAssembly();
string typeName = GetTypeName();
object targetObject = appDomain.CreateInstanceAndUnwrap(typeAssembly, typeName);
MethodInfo methodInfo = targetObject.GetType().GetMethod(methodName);
object result = methodInfo.Invoke(targetObject, methodParams);

当此代码在网站下运行时,一切正常。但是,当我从调用 WCF 服务的控制台应用程序中执行此操作时,它会尝试调用上述代码 -methodInfonull,我正在NullReferenceException最后一行。

顺便说一句targetObject,是System.Runtime.Remoting.Proxies.__TransparentProxy类型,我假设如果它在 GoF 模式中代理意味着我可以访问类型的成员,这是用于代理的原始来源。但targetObject没有typeName类型的成员。

使用targetObject.GetType().GetMethods()我发现它有 7 种方法:

  1. 获取终身服务
  2. 初始化生命周期服务
  3. 创建对象引用
  4. 字符串
  5. 等于
  6. 获取哈希码
  7. 获取类型

targetObject预计将成为WorkflowManager类型的代理。

public class WorkflowsManager : MarshalByRefObject, ISerializable, IDisposable, IWorkflowManager

4

1 回答 1

1

感谢Panos Rontogiannis的评论,我意识到我错过了您的问题中的指示,即您实际上是在 WCF 代码中加载程序集,而不是在控制台应用程序中。

确保来自 GAC 的实际程序集版本是您希望在 WCF 代码中使用的程序集版本。

我已经更新了类似于您的方案的解决方案。

//After building the library, add it to the GAC using "gacutil -i MyLibrary.dll"
using System;
using System.Runtime.Serialization;

namespace MyLibrary
{
    [Serializable]
    public class MyClass : MarshalByRefObject
    {
        public string Work(string name)
        {
            return String.Format("{0} cleans the dishes", name);
        }
    }
}

Web 应用程序中的服务类定义:

using System;
using System.Reflection;
using System.ServiceModel;

namespace WebApplication1
{
    [ServiceContract]
    public class MyService : IMyService
    {
        [OperationContract]
        public string DoWork(string name)
        {
            string methodName = "Work";
            object[] methodParams = new object[] { "Alex" };
            AppDomain appDomain = AppDomain.CreateDomain("");
            appDomain.Load("MyLibrary, Version=1.0.0.3, Culture=neutral, PublicKeyToken=0a6d06b33e075e91");
            string typeAssembly = "MyLibrary, Version=1.0.0.3, Culture=neutral, PublicKeyToken=0a6d06b33e075e91";
            string typeName = "MyLibrary.MyClass";
            object targetObject = appDomain.CreateInstanceAndUnwrap(typeAssembly, typeName);
            MethodInfo methodInfo = targetObject.GetType().GetMethod(methodName);
            string result = methodInfo.Invoke(targetObject, methodParams).ToString();
            return result;
        }
    }
}

调用 WCF 服务的控制台应用程序:

using System;
using WebApplication1;

namespace ConsoleApplication12
{
    class Program
    {
        static void Main(string[] args)
        {
            WebApplication1.MyService myService = new MyService();
            Console.WriteLine(myService.DoWork("Alex"));
        }
    }
}
于 2012-12-18T22:08:38.547 回答