Настройте клиента WCF MaxItemsInObjectGraph при использовании Unity - PullRequest
7 голосов
/ 07 декабря 2009

Для инструментария, использующего удаленную службу WCF, я настроил ChannelFactory<IMyService> в UnityContainer.

Теперь я хочу настроить поведение конечной точки этого канала через код (используя Unity), чтобы применить это поведение:

<behaviors>
    <endpointBehaviors>
        <behavior name="BigGraph">
            <dataContractSerializer maxItemsInObjectGraph="1000000" />
        </behavior>
        </endpointBehaviors>
</behaviors>

Я нашел этот пример в MSDN (http://msdn.microsoft.com/en-us/library/ms732038.aspx)

ChannelFactory<IDataService> factory = new ChannelFactory<IDataService>(binding, address);
foreach (OperationDescription op in factory.Endpoint.Contract.Operations)
{
    vardataContractBehavior = op.Behaviors.Find<DataContractSerializerOperationBehavior>() as DataContractSerializerOperationBehavior;
    if (dataContractBehavior != null)
    {
        dataContractBehavior.MaxItemsInObjectGraph = 100000;
    }
}
IDataService client = factory.CreateChannel();

но сейчас я застрял, пытаясь сделать это в конфигурации Unity. Должен ли я посмотреть на перехват?

Ответы [ 2 ]

1 голос
/ 05 мая 2011

Мы используем расширение политики сборки в Unity для добавления поведения на хосте сервиса. На клиенте у нас есть ServiceFactory.

/// <summary>
/// Factory for creating application service proxies used on the workstation
/// </summary>
/// <typeparam name="TInterface">Interface for the service contract</typeparam>
public class ServiceFactory<TInterface> where TInterface : class
{
    private readonly List<IEndpointBehavior> m_Behaviors = new List<IEndpointBehavior>();

    /// <summary>
    /// Add a behavior that is added to the proxy endpoint when the channel is created.
    /// </summary>
    /// <param name="behavior">An <see cref="IEndpointBehavior"/> that should be added</param>.
    public void AddBehavior(IEndpointBehavior behavior)
    {
        m_Behaviors.Add(behavior);
    }

    /// <summary>
    /// Creates a channel of type <see cref="CommunicationObjectInterceptor{TInterface}"/> given the endpoint address which 
    /// will recreate its "inner channel" if it becomes in a faulted state.
    /// </summary>
    /// <param name="url">The endpoint address for the given channel to connect to</param>.
    public TInterface CreateChannel(string url)
    {
        // create the channel using channelfactory adding the behaviors in m_Behaviors
    }
}

Затем мы настраиваем единицу с помощью InjectionFactory

new InjectionFactory(c =>
            {
                var factory = new ServiceFactory<TInterface>();
                factory.AddBehavior(c.Resolve<IClientTokenBehavior>());
                return factory.CreateChannel(url);
            });

Делая это таким образом, вы также можете разрешить свое поведение через единство, если у вас есть некоторые зависимости.

0 голосов
/ 15 февраля 2011

Я думаю, вам следует добавить еще один уровень косвенности, чтобы вам не приходилось связываться с перехватом или чем-то в этом роде Эту проблему легко решить, создав новый класс для обертывания канала WCF. Например,

public class MyServiceClient : IMyService
{
  public MyServiceClient(IChannelFactory<IMyService> channel)
  {
  }

  public void DoSomething() //DoSomething is the implementation of IMyService
  {
     //Initialize the behavior in the channel
     //Calls channel.DoSomething
  }
}
...