.NET Remoting TransparentProxy的问题

时间:2012-12-18 08:50:27

标签: .net remoting appdomain

我正在尝试使用Reflection在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. GetLifetimeService
  2. InitializeLifetimeService
  3. CreateObjRef
  4. 的ToString
  5. 等于
  6. 的GetHashCode
  7. 的GetType
  8. targetObject应该是WorkflowManager类型的代理。

    public class WorkflowsManager : MarshalByRefObject, ISerializable, IDisposable, IWorkflowManager

1 个答案:

答案 0 :(得分: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"));
        }
    }
}