I have two WCF hosts (one on TCP and another on NamedPipes). Don’t be
alarmed about the multiple hosts – this is a messaging engine and hosts
are mounted dynamically based on the configuration. No matter how many
types of hosts I have, there is only one service implementation. Now
the problem is, when my service implementation is invoked by an
incoming call, how do I identify whether it was from host A or host B?
Using an instance of the implementation
I found a nice solution for the issue I was facing. Normally
when we host a WCF endpoint this is the code we follow.
ServiceHost serviceHost = new ServiceHost(typeof(IService))
Here you pass in the type of the interface you expose to the
ServiceHost instance. Instead of this approach, you can make use of the second
overload of the ServiceHost constructor which takes in an instantiated object!
Now the code looks like this
ServiceImplementation
implementation1 = new ServiceImplementation();
ServiceHost serviceHost
= new ServiceHost(implementation1);
Only thing to note here is
that you need to mark your implementation instance mode as a ‘InstanceContextMode.Single‘, effectively making it
a Singlreton.
Now the way it solves my
problem is that I use my implementation class to pass any metadata from the
host to the implementation. My code now looks like this.
// Create a metadata class just to hold your
data.
public class
MetaData
{
public MetaData(string
data1,int data2)
{
Data1
= data1;
Data2
= data2;
}
public string Data1 {
get; set; }
public int Data2 { get; set; }
}
// Just pass in the instance to the host.
MetaData metadata = MetaData("D1", 100);
ServiceImplementation implementation1
= new ServiceImplementation(metadata);
ServiceHost serviceHost = new ServiceHost(implementation1);
// My Implementation looks like this
[ServiceBehavior(InstanceContextMode = InstanceContextMode.Single)]
internal class
ServiceImplementation : IService
{
private MetaData
m_MetaData;
public ServiceImplementation(MetaData
metaData)
{
m_MetaData
= metaData;
}
public string Ping(string name)
{
return m_MetaData.Data1;
}
}
See that you have all your
meta data in the member ‘m_MetaData’.
2. Using a derivation of ServiceHost
Create a derivation from the 'ServiceHost' class with some additional information
public class
ServiceHostWithMetaData : ServiceHost
{
private MetaData
m_MetaData;
public MetaData MetaData
{
get { return m_MetaData; }
}
public MetaData MetaData
{
get { return m_MetaData; }
}
public ServiceHostWithMetaData(MetaData
metaData, Type
serviceType, params Uri[])
{
m_MetaData
= metaData;
}
}
Now you can access your metadata in the following way.
ServiceHostWithMetaData hostWithMetaData = (ServiceHostWithMetaData)OperationContext.Current.Host;
MetaData metaData = hostWithMetaData.MetaData;
This should get you going.
ServiceHostWithMetaData hostWithMetaData = (ServiceHostWithMetaData)OperationContext.Current.Host;
MetaData metaData = hostWithMetaData.MetaData;
This should get you going.
No comments:
Post a Comment