无法使我的服务调用ServiceKnownType辅助方法

时间:2013-02-20 19:09:16

标签: c# wcf serviceknowntype

我在运行ServiceKnownType属性中指定的辅助方法时遇到问题。为简单起见,我有两个程序集:一个是我的服务接口和我的数据合同的接口,另一个是我的服务实现和具体的数据合同。

这是我的服务及其实现的简化/简化版本。

MyService.Interface.dll

// IMyService.cs
[ServiceContract]
IMyService
{
    [OperationContract]
    IList<IMyData> GetData();
}

// IMyData.cs
public interface IMyData
{
    int Foo { get; set; }
}

MyService.dll(带有对MyService.Interface.dll的引用)

// MyService.svc.cs
public class MyService: IMyService
{
    public IList<IMyData> GetData()
    {
        // Instantiate List<IMyData>, add a new MyData to the list
        // return the List<IMyData>.
    }
}

// MyData.cs
[DataContract]
public class MyData : IMyData
{
    [DataMember]
    public int Foo { get; set; }
}

问题的根源是要序列化GetData()的结果,必须通知服务具体的MyData类和具体的List<IMyData>泛型类,因为服务定义使用接口类型不是具体类型。

简单的答案是用以下内容装饰IMyService:

[ServiceKnownType(typeof(MyData))]
[ServiceKnownType(typeof(List<IMyData>))]

但是,MyData是在MyService.Interface.dll中未引用的程序集中定义的(并且不能归因于循环引用。)

我的下一个想法是在MyService上使用ServiceKnownType的“帮助方法”形式:

[ServiceKnownType("GetDataContracts", MyService)]
public class MyService: IMyService
{
    public static IEnumerable<Type> GetDataContracts(ICustomeAttributeProvider provider)
    {
        // create a List<Type>, add MyData to it, and return it.
    }
    //...
}

据我所知,除非GetDataContracts从未被调用过,否则应该有效。我尝试将它移动到一个单独的静态类(与MyService并行并嵌套在其中)但在任何情况下都不能让断点停在那里。

编辑:我的意思是说通过web.config添加已知类型也不起作用,因为我不能以这种方式添加泛型类型。您只能通过web.config添加简单的具体类型:

<knownType type="TypeName, Assembly" />

我的具体List<IMyData>在程序集中没有完全限定的类型名称。

1 个答案:

答案 0 :(得分:2)

固定。答案是使用辅助方法表单将ServiceKnownType添加到服务接口,而不是服务实现,并添加一个反映我需要的类型的辅助类,而不是通过引用代码中的具体类型来添加它们。 (回想一下,我不能这样做,因为我无法添加对该程序集的引用。)

[ServiceContract]
[ServiceKnownType("GetDataContractTypes", typeof(MyServiceHelper))]
public interface IMyService
{ ... }

我在Nightingale.Interface中添加了一个新的MyServiceHelper类,但它不是公共的,所以我并不担心从一个我想要成为“纯粹”接口的程序集中不必要地暴露一个类。

// Not public outside of this assembly.
static class MyServiceHelper
{
    public static IEnumerable<Type> GetDataContractTypes(ICustomAttributeProvider paramIgnored)
    {
        // Get the assembly with the concrete DataContracts.
        Assembly ass = Assembly.Load("MyService");  // MyService.dll
        // Get all of the types in the MyService assembly.
        var assTypes = ass.GetTypes();
        // Create a blank list of Types.
        IList<Type> types = new List<Type>();
        // Get the base class for all MyService data contracts
        Type myDataContractBase = ass.GetType("MyDataContractBase", true, true);
        // Add MyService's data contract Types.
        types.Add(assTypes.Where(t => t.IsSubclassOf(myDataContractBase)));
        // Add all the MyService data contracts to the service's known types so they can be serialized.
        return types;
    }
}

这个特殊的解决方案对我有用,因为我的所有DataContract类都扩展了一个公共基类。在我的情况下,可以重新加载从程序集中加载具有DataContract属性的所有类型,这将导致相同的集合。