Как программно изменить кодировку сообщений WCF для NetTcp? - PullRequest
8 голосов
/ 05 января 2010

У меня есть пользовательское приложение для интрасети, которое не имеет требований к взаимодействию. Мы программно строим канал NetTcp в дуплексном режиме для передачи сообщений. Мы хотели изменить кодировку сообщения, но не смогли выяснить, как это сделать.

Подход, который мы взяли (безуспешно), состоял в том, чтобы расширить NetTcpBinding в новый класс с именем LeanTcpBinding следующим образом:


internal class LeanTcpBinding : NetTcpBinding
{
    private static readonly ILog _log =
        LogManager.GetLogger(System.Reflection.MethodBase.GetCurrentMethod().DeclaringType);

    public override BindingElementCollection CreateBindingElements()
    {
        BindingElementCollection bindingElementCollection = base.CreateBindingElements();
        BindingElement encodingElement = bindingElementCollection.FirstOrDefault(
            bindingElement => bindingElement is BinaryMessageEncodingBindingElement);
        if (encodingElement != null)
        {
            int index = bindingElementCollection.IndexOf(encodingElement);
            bindingElementCollection.RemoveAt(index);
            bindingElementCollection.Insert(index, new LeanBinaryMessageEncodingBindingElement());
        }
        else
        {
            _log.Warn("Encoding not found");
        }

        return bindingElementCollection;
    }
}

Очевидно, мы пытаемся заменить BinaryMessageEncodingBindingElement по умолчанию нашим собственным. Просто для начала использования LeanBinaryMessageEncodingBindingElement является расширением BinaryMessageEncodingBindingElement следующим образом:


 internal class LeanBinaryMessageEncodingBindingElement : MessageEncodingBindingElement
 {
        private readonly BinaryMessageEncodingBindingElement _bindingElement;

        /// 
        /// Initializes a new instance of the  class.
        /// 
        public LeanBinaryMessageEncodingBindingElement()
        {
            _bindingElement = new BinaryMessageEncodingBindingElement();
        }

        /// 
        /// Initializes a new instance of the  class.
        /// 
        /// The binding element.
        public LeanBinaryMessageEncodingBindingElement(BinaryMessageEncodingBindingElement bindingElement)
        {
            _bindingElement = bindingElement;
        }

        /// 
        /// Initializes a new instance of the  class.
        /// 
        /// The element to be cloned.
        /// The binding element.
        public LeanBinaryMessageEncodingBindingElement(MessageEncodingBindingElement elementToBeCloned, BinaryMessageEncodingBindingElement bindingElement)
            : base(elementToBeCloned)
        {
            _bindingElement = bindingElement;
        }

        /// 
        /// When overridden in a derived class, returns a copy of the binding element object.
        /// 
        /// 
        /// A  object that is a deep clone of the original.
        /// 
        public override BindingElement Clone()
        {
            return new LeanBinaryMessageEncodingBindingElement(
                (BinaryMessageEncodingBindingElement)_bindingElement.Clone());
        }

        /// 
        /// When overridden in a derived class, creates a factory for producing message encoders.
        /// 
        /// 
        /// The  used to produce message encoders.
        /// 
        public override MessageEncoderFactory CreateMessageEncoderFactory()
        {
            return new LeanBinaryMessageEncoderFactory(_bindingElement.CreateMessageEncoderFactory());
        }

        /// 
        /// When overridden in a derived class, gets or sets the message version that can be handled by the message encoders produced by the message encoder factory.
        /// 
        /// 
        /// The  used by the encoders produced by the message encoder factory.
        /// 
        public override MessageVersion MessageVersion
        {
            get { return _bindingElement.MessageVersion; }
            set { _bindingElement.MessageVersion = value; }
        }
 }

Когда я пытаюсь использовать привязку, она делает именно то, что, по моему мнению, должна ... она заменяет BinaryMessageEncodingBindingElement. Однако я никогда не получаю никаких вызовов LeanBinaryMessageEncodingBindingElement.CreateMessageEncoderFactory (), даже если сообщения обмениваются по каналу.

У кого-нибудь есть предложения, как это сделать правильно?

Ответы [ 2 ]

7 голосов
/ 06 января 2010

Кенни Вольф уточнил, чего не хватало, и это задокументировано в записи блога ниже.

http://kennyw.com/?p=170

Для нетерпеливых проблема в том, что по умолчанию MessageEncoderBindingElement не добавляет себя в параметры привязки контекста. В результате, когда транспорт позже отправляется на поиск MessageEncoderBindingElement, он не может найти тот, который я (или вы) создал, и имеет молчаливый сбой, который я отметил в моем исходном сообщении.

К сожалению, вам придется переопределить все методы CanBuildXXX и BuildXXX следующим образом, чтобы обеспечить добавление элемента привязки к параметрам привязки контекста.


        public override bool CanBuildChannelFactory(BindingContext context)
        {
            if (context == null) {
                throw new ArgumentNullException("context");
            }

            context.BindingParameters.Add(this);
            return context.CanBuildInnerChannelFactory();
        }

        public override bool CanBuildChannelListener(BindingContext context)
        {
            if (context == null) {
                throw new ArgumentNullException("context");
            }

            context.BindingParameters.Add(this);
            return context.CanBuildInnerChannelListener();
        }

        public override IChannelFactory BuildChannelFactory(BindingContext context)
        {
            if (context == null) {
                throw new ArgumentNullException("context");
            }

            context.BindingParameters.Add(this);
            return context.BuildInnerChannelFactory();
        }

        public override IChannelListener BuildChannelListener(BindingContext context)
        {
            if (context == null) {
                throw new ArgumentNullException("context");
            }

            context.BindingParameters.Add(this);
            return context.BuildInnerChannelListener();
        }

2 голосов
/ 05 января 2010

Вы пытались создать CustomBinding вместо имеющейся конфигурации NetTcpBinding? Примерно так:

NetTcpBinding binding = new NetTcpBinding(); // get binding from somewhere
var elements = binding.CreateBindingElements();
BindingElementCollection newElements = new BindingElementCollection();
foreach ( var e in elements ) {
   if ( e is MessageEncodingBindingElement ) {
      newElements.Add(new MyMessageEncodingBindingElement());
   } else {
      newElements.Add(e);
   }
}
CustomBinding cb = new CustomBinding(newElements);
...