3

按照Microsoft的压缩示例。我已将编码器、编码器工厂和绑定元素添加到我的解决方案中。与他们的示例不同的是,我们不通过配置文件(要求)注册端点,而是使用自定义服务主机工厂。

服务主机:

protected override ServiceHost CreateServiceHost(Type serviceType, Uri[] baseAddresses)
{
     ServiceHost host = base.CreateServiceHost(serviceType, baseAddresses);

     if (host.Description.Endpoints.Count == 0)
     {
          host.AddDefaultEndpoints();
     }

     host.Description.Behaviors.Add(new MessagingErrorHandler());      

     return host;
}

因此,我尝试将自定义绑定添加到我的端点,但是要将该端点注册到绑定中,看起来我必须使用,AddServiceEndpoint但这将需要一个未知的接口。我知道我可以获得 serviceType 实现的所有接口并执行 a getInterfaces()[0],但这对我来说似乎是一种不安全的方法。那么有没有办法用自定义绑定注册我的端点并且不知道接口,或者我应该采取更好的方法。

我尝试添加自定义绑定:

CustomBinding compression = new CustomBinding();
compression.Elements.Add(new GZipMessageEncodingBindingElement());
foreach (var uri in baseAddresses)
{
     host.AddServiceEndpoint(serviceType, compression, uri);//service type is not the interface and is causing the issue
}
4

1 回答 1

3

您的自定义绑定需要一个传输绑定元素;目前您只有一个消息编码绑定元素。您可能还需要将 a 添加HttpTransportBindingElement到您的自定义绑定中:

CustomBinding compression = new CustomBinding(
    new GZipMessageEncodingBindingElement()
    new HttpTransportBindingElement());

至于从服务类型中找到接口,没有内置的逻辑。WebServiceHostFactory 中使用的逻辑类似于下面显示的逻辑(此代码深入 1 个继承/实现级别,但理论上您也可以更深入。

    private Type GetContractType(Type serviceType) 
    { 
        if (HasServiceContract(serviceType)) 
        { 
            return serviceType; 
        } 

        Type[] possibleContractTypes = serviceType.GetInterfaces() 
            .Where(i => HasServiceContract(i)) 
            .ToArray(); 

        switch (possibleContractTypes.Length) 
        { 
            case 0: 
                throw new InvalidOperationException("Service type " + serviceType.FullName + " does not implement any interface decorated with the ServiceContractAttribute."); 
            case 1: 
                return possibleContractTypes[0]; 
            default: 
                throw new InvalidOperationException("Service type " + serviceType.FullName + " implements multiple interfaces decorated with the ServiceContractAttribute, not supported by this factory."); 
        } 
    } 

    private static bool HasServiceContract(Type type) 
    { 
        return Attribute.IsDefined(type, typeof(ServiceContractAttribute), false); 
    }
于 2012-05-17T21:57:24.393 回答