我有以下类型:
public enum MyEnum
{
Value1,
Value2
}
[DataContract]
public class Configuration
{
[DataMember]
public MyEnum MyValue { get; set; }
[DataMember]
public Credentials CredentialValues { get; set; }
}
[DataContract, KnownType(typeof(CustomCredentials))]
public class Credentials
{
}
[DataContract]
public class CustomCredentials : Credentials
{
[DataMember]
public string Property1 { get; set; }
[DataMember]
public string Property2 { get; set; }
}
在我的服务接口上,我有一个函数返回Configuration
的实例,其CredentialValues
属性设置为完全填充的CustomCredentials
实例。我从客户端或服务器没有收到任何错误,但是当数据在服务器上进行属性序列化并由客户端接收时,CustomCredentials
上的属性永远不会有值。为了在客户端上正确地反序列化这些属性,我需要在此处进行哪些更改?
作为参考,客户端和服务器之间的连接使用DuplexChannelFactory
通过NetTcpBinding
使用客户端和服务应用程序共享的数据/服务合同项目(该服务是自我的)托管),因此没有可能需要重新生成的服务代理类型。
答案 0 :(得分:0)
将此代码与DataContracts一起添加到Contracts项目中。
[ServiceContract(Namespace = "http://schemas.platinumray.com/duplex", SessionMode = SessionMode.Required, CallbackContract = typeof(IService1Callback))]
public interface IService1
{
[OperationContract(IsOneWay = true)]
void GetData();
}
public interface IService1Callback
{
[OperationContract(IsOneWay = true)]
void SetData(Configuration config);
}
创建了服务。
public class Service1 : IService1
{
public void GetData()
{
var x = new Configuration()
{
MyValue = MyEnum.Value1,
CredentialValues = new CustomCredentials { Property1 = "Something", Property2 = "Something else" }
};
OperationContext.Current.GetCallbackChannel<IService1Callback>().SetData(x);
}
}
class Program
{
static void Main(string[] args)
{
using (ServiceHost host = new ServiceHost( typeof(Service1), new Uri[] { new Uri("net.tcp://localhost:6789") }))
{
host.AddServiceEndpoint(typeof(IService1), new NetTcpBinding(), "Service1");
host.Open();
Console.ReadLine();
host.Close();
}
}
}
创建了客户端。
public class CallbackHandler : IService1Callback
{
public void SetData(Configuration config)
{
Console.WriteLine(config.CredentialValues.GetType().Name);
Console.WriteLine(((CustomCredentials)config.CredentialValues).Property1);
Console.WriteLine(((CustomCredentials)config.CredentialValues).Property2);
}
}
class Program
{
static void Main(string[] args)
{
// Setup the client
var callbacks = new CallbackHandler();
var endpoint = new EndpointAddress(new Uri("net.tcp://localhost:6789/Service1"));
using (var factory = new DuplexChannelFactory<IService1>(callbacks, new NetTcpBinding(), endpoint))
{
var client = factory.CreateChannel();
client.GetData();
Console.ReadLine();
factory.Close();
}
}
}
按预期输出以下内容:
CustomCredentials Something Something else
所以这实际上没有修改你的任何数据合同......如果我恢复到双向操作并且直接返回Configuration
而不使用回调,结果相同。
还尝试使Credentials成为抽象但无法复制您的问题。
我错过了什么吗?