我们有一个部署到许多客户端的应用程序,其中一些客户端使用http其他https。在设置我们的应用程序时,web.config会自动填充WCF端点,绑定等。我们希望在应用程序启动时将绑定更改为https - 而无需修改.config文件。这可能吗?例如,我们的.config文件看起来像(这是一个片段):
<service behaviorConfiguration="Figment.Services.Business.ObjectInfo.ObjectInfoServiceBehavior" name="Figment.Services.Business.ObjectInfo.ObjectInfoService">
<endpoint address="" binding="basicHttpBinding" bindingNamespace="http://Figment.com/webservices/" contract="Figment.Business.Core.ObjectInfo.IObjectInfoService" />
<endpoint address="mex" binding="mexHttpBinding" contract="IMetadataExchange" />
</service>
根据我的阅读,可以同时使用http和https绑定,但我们不希望这样 - 如果它是https,则强制它使用https。
更改应在服务启动时在c#中完成,并在服务运行时保持永久性。
我知道这是一个老问题,但我遇到了同样的问题,并没有找到答案。由于我花了几天时间来解决这个问题,我认为值得在这里发布。
您通常有3个选项:
1)根据here在代码中完全配置服务主机(忽略* .config)
2)根据here创建一个脚本来修改* .config或使用其他配置
3)同时使用* .config和编程绑定配置
选项(3)很棘手,因为您必须在创建服务主机之后但在它打开之前对其进行修改(类似于host.State == Created
)。这是因为修改已打开的主机的绑定没有任何效果。更多细节here。
要获得(3)工作,您必须使用自定义主机工厂。样本标记:
<%@ ServiceHost
Language="C#"
Debug="true"
CodeBehind="MyService.svc.cs"
Service="Namespace.MyService, MyService"
Factory="Namespace.MyWcfHostFactory, MyService"
%>
MyWcfHostFactory
应继承ServiceHostFactory
并扩展/覆盖CreateServiceHost
方法。我正在使用DI框架(Autofac),它简化了一些事情。所以MyWcfHostFactory
只是继承了AutofacHostFactory
。启动代码(从Global.asax
Application_Start
或MyWcfHostFactory
的静态构造函数调用):
var builder = new ContainerBuilder();
// Register your service implementations.
builder.RegisterType< Namespace.MyService>();
// Set the dependency resolver.
var container = builder.Build();
AutofacHostFactory.Container = container;
AutofacHostFactory.HostConfigurationAction = (host => PerformHostConfiguration(host));
在PerformHostConfiguration
中,您可以覆盖或修改绑定。下面的代码采用第一个注册端点并用https 1代替其绑定:
/// <summary> This is used as a delegate to perform wcf host configuration - set Behaviors, global error handlers, auth, etc </summary>
private static void PerformHostConfiguration(ServiceHostBase host) {
var serviceEndpoint = host.Description.Endpoints.First();
serviceEndpoint.Binding = new BasicHttpBinding {
ReaderQuotas = {MaxArrayLength = int.MaxValue},
MaxBufferSize = int.MaxValue,
MaxReceivedMessageSize = int.MaxValue,
Security = new BasicHttpSecurity {
Mode = BasicHttpSecurityMode.Transport, //main setting for https
},
};
}