我正在编写一个通过 WCF 公开服务的应用程序。该服务是自托管的(控制台应用程序),需要使用 Singleton 实例。我试图弄清楚如何在服务配置中指定单例而不在服务实现上使用属性。是否可以在没有属性的代码中指定单例?
谢谢,埃里克
我正在编写一个通过 WCF 公开服务的应用程序。该服务是自托管的(控制台应用程序),需要使用 Singleton 实例。我试图弄清楚如何在服务配置中指定单例而不在服务实现上使用属性。是否可以在没有属性的代码中指定单例?
谢谢,埃里克
您可以将服务实例传递给ServiceHost
构造函数,而不是传递类型。在这种情况下,您传递的实例将用作单例。
编辑:
我以前的解决方案不起作用。向构造函数提供实例ServiceHost
仍然ServiceBehaviorAttribute
需要InstanceContextMode.Single
. 但是这个应该工作:
var host = new ServiceHost(typeof(Service));
var behavior = host.Description.Behaviors.Find<ServiceBehaviorAttribute>();
behavior.InstanceContextMode = InstanceContextMode.Single;
host.Open();
ServiceBehaviorAttribute
即使您没有指定它也包括在内,因此您只需要获取它并更改默认值。
如果您想将其移动到web.config
orapp.config
中,您可以使用自定义BehaviorExtensionElement
and来执行此操作IServiceBehavior
:
实际上会将 config 中的IServiceBehavior
值解析到枚举中并设置它(遵循@Ladislav 的回答):
public class InstanceContextServiceBehavior : IServiceBehavior
{
InstanceContextMode _contextMode = default(InstanceContextMode);
public InstanceContextServiceBehavior(string contextMode)
{
if (!string.IsNullOrWhiteSpace(contextMode))
{
InstanceContextMode mode;
if (Enum.TryParse(contextMode, true, out mode))
{
_contextMode = mode;
}
else
{
throw new ArgumentException($"'{contextMode}' Could not be parsed as a valid InstanceContextMode; allowed values are 'PerSession', 'PerCall', 'Single'", "contextMode");
}
}
}
public void AddBindingParameters(ServiceDescription serviceDescription, ServiceHostBase serviceHostBase, Collection<ServiceEndpoint> endpoints, BindingParameterCollection bindingParameters)
{
var behavior = serviceDescription.Behaviors.Find<ServiceBehaviorAttribute>();
behavior.InstanceContextMode = _contextMode;
}
public void ApplyDispatchBehavior(ServiceDescription serviceDescription, ServiceHostBase serviceHostBase)
{
return;
}
public void Validate(ServiceDescription serviceDescription, ServiceHostBase serviceHostBase)
{
return;
}
}
扩展元素允许您从配置中提取它并将其传递给IServiceBehavior
:
public class InstanceContextExtensionElement : BehaviorExtensionElement
{
public override Type BehaviorType
{
get
{
return typeof(InstanceContextServiceBehavior);
}
}
protected override object CreateBehavior()
{
return new InstanceContextServiceBehavior(ContextMode);
}
const object contextMode = null;
[ConfigurationProperty(nameof(contextMode))]
public string ContextMode
{
get
{
return (string)base[nameof(contextMode)];
}
set
{
base[nameof(contextMode)] = value;
}
}
}
然后你可以在你的配置中注册它并使用它:
<extensions>
<behaviorExtensions>
<add name="instanceContext" type="FULLY QUALFIED NAME TO CLASS"/>
</behaviorExtensions>
</extensions>
...
<serviceBehaviors>
<behavior name="Default">
<instanceContext contextMode="Single"/>