无法使我的服务调用ServiceKnownType帮助程序方法
本文关键字:ServiceKnownType 帮助程序 方法 调用 服务 我的 | 更新日期: 2023-09-27 18:00:22
我在运行ServiceKnownType属性中指定的helper方法时遇到问题。为了简单起见,我有两个程序集:一个是我的服务接口和数据契约的接口,另一个是服务实现和具体的数据契约。
以下是我的服务及其实现的简化/精简版本。
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>
在程序集中没有完全限定的类型名。
已修复。答案是使用helper方法表单将ServiceKnownType添加到服务接口,而不是服务实现,并添加一个反映我需要的类型的helper类,而不是通过引用代码中的具体类型来添加它们。(回想一下,我不能这么做,因为我不能添加对该程序集的引用。)
[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属性的程序集中加载所有类型,这将导致相同的集合,在我的情况下。