Partilhar via


Comunicações remotas de serviço seguro em um serviço C#

A segurança é um dos aspetos mais importantes da comunicação. A estrutura do aplicativo Reliable Services fornece algumas pilhas de comunicação pré-criadas e ferramentas que você pode usar para melhorar a segurança. Este artigo descreve como melhorar a segurança quando você estiver usando a comunicação remota de serviço em um serviço C#. Ele se baseia em um exemplo existente que explica como configurar a comunicação remota para serviços confiáveis escritos em C#.

Para ajudar a proteger um serviço quando você estiver usando a comunicação remota de serviço com serviços C#, siga estas etapas:

  1. Crie uma interface, IHelloWorldStateful, que define os métodos que estarão disponíveis para uma chamada de procedimento remoto no seu serviço. Seu serviço usará FabricTransportServiceRemotingListener, que é declarado no Microsoft.ServiceFabric.Services.Remoting.FabricTransport.Runtime namespace. Esta é uma ICommunicationListener implementação que fornece recursos de comunicação remota.

    public interface IHelloWorldStateful : IService
    {
        Task<string> GetHelloWorld();
    }
    
    internal class HelloWorldStateful : StatefulService, IHelloWorldStateful
    {
        protected override IEnumerable<ServiceReplicaListener> CreateServiceReplicaListeners()
        {
            return new[]{
                    new ServiceReplicaListener(
                        (context) => new FabricTransportServiceRemotingListener(context,this))};
        }
    
        public Task<string> GetHelloWorld()
        {
            return Task.FromResult("Hello World!");
        }
    }
    
  2. Adicione configurações de ouvinte e credenciais de segurança.

    Verifique se o certificado que você deseja usar para ajudar a proteger a comunicação de serviço está instalado em todos os nós do cluster.

    Nota

    Nos nós Linux, o certificado deve estar presente como arquivos formatados em PEM no diretório /var/lib/sfcerts . Para saber mais, consulte Localização e formato de certificados X.509 em nós Linux.

    Há duas maneiras de fornecer configurações de ouvinte e credenciais de segurança:

    1. Forneça-os diretamente no código de serviço:

      protected override IEnumerable<ServiceReplicaListener> CreateServiceReplicaListeners()
      {
          FabricTransportRemotingListenerSettings  listenerSettings = new FabricTransportRemotingListenerSettings
          {
              MaxMessageSize = 10000000,
              SecurityCredentials = GetSecurityCredentials()
          };
          return new[]
          {
              new ServiceReplicaListener(
                  (context) => new FabricTransportServiceRemotingListener(context,this,listenerSettings))
          };
      }
      
      private static SecurityCredentials GetSecurityCredentials()
      {
          // Provide certificate details.
          var x509Credentials = new X509Credentials
          {
              FindType = X509FindType.FindByThumbprint,
              FindValue = "4FEF3950642138446CC364A396E1E881DB76B48C",
              StoreLocation = StoreLocation.LocalMachine,
              StoreName = "My",
              ProtectionLevel = ProtectionLevel.EncryptAndSign
          };
          x509Credentials.RemoteCommonNames.Add("ServiceFabric-Test-Cert");
          x509Credentials.RemoteCertThumbprints.Add("9FEF3950642138446CC364A396E1E881DB76B483");
          return x509Credentials;
      }
      
    2. Forneça-os usando um pacote de configuração:

      Adicione uma seção nomeada TransportSettings no arquivo settings.xml.

      <Section Name="HelloWorldStatefulTransportSettings">
          <Parameter Name="MaxMessageSize" Value="10000000" />
          <Parameter Name="SecurityCredentialsType" Value="X509" />
          <Parameter Name="CertificateFindType" Value="FindByThumbprint" />
          <Parameter Name="CertificateFindValue" Value="4FEF3950642138446CC364A396E1E881DB76B48C" />
          <Parameter Name="CertificateRemoteThumbprints" Value="9FEF3950642138446CC364A396E1E881DB76B483" />
          <Parameter Name="CertificateStoreLocation" Value="LocalMachine" />
          <Parameter Name="CertificateStoreName" Value="My" />
          <Parameter Name="CertificateProtectionLevel" Value="EncryptAndSign" />
          <Parameter Name="CertificateRemoteCommonNames" Value="ServiceFabric-Test-Cert" />
      </Section>
      

      Nesse caso, o CreateServiceReplicaListeners método terá esta aparência:

      protected override IEnumerable<ServiceReplicaListener> CreateServiceReplicaListeners()
      {
          return new[]
          {
              new ServiceReplicaListener(
                  (context) => new FabricTransportServiceRemotingListener(
                      context,this,FabricTransportRemotingListenerSettings .LoadFrom("HelloWorldStatefulTransportSettings")))
          };
      }
      

      Se você adicionar uma TransportSettings seção no arquivo settings.xml , FabricTransportRemotingListenerSettings carregará todas as configurações dessa seção por padrão.

      <!--"TransportSettings" section .-->
      <Section Name="TransportSettings">
          ...
      </Section>
      

      Nesse caso, o CreateServiceReplicaListeners método terá esta aparência:

      protected override IEnumerable<ServiceReplicaListener> CreateServiceReplicaListeners()
      {
          return new[]
          {
              return new[]{
                      new ServiceReplicaListener(
                          (context) => new FabricTransportServiceRemotingListener(context,this))};
          };
      }
      
  3. Quando você chamar métodos em um serviço seguro usando a pilha de comunicação remota, em vez de usar a Microsoft.ServiceFabric.Services.Remoting.Client.ServiceProxy classe para criar um proxy de serviço, use Microsoft.ServiceFabric.Services.Remoting.Client.ServiceProxyFactory. Passe em FabricTransportRemotingSettings, que contém SecurityCredentials.

    
    var x509Credentials = new X509Credentials
    {
        FindType = X509FindType.FindByThumbprint,
        FindValue = "9FEF3950642138446CC364A396E1E881DB76B483",
        StoreLocation = StoreLocation.LocalMachine,
        StoreName = "My",
        ProtectionLevel = ProtectionLevel.EncryptAndSign
    };
    x509Credentials.RemoteCommonNames.Add("ServiceFabric-Test-Cert");
    x509Credentials.RemoteCertThumbprints.Add("4FEF3950642138446CC364A396E1E881DB76B48C");
    
    FabricTransportRemotingSettings transportSettings = new FabricTransportRemotingSettings
    {
        SecurityCredentials = x509Credentials,
    };
    
    ServiceProxyFactory serviceProxyFactory = new ServiceProxyFactory(
        (c) => new FabricTransportServiceRemotingClientFactory(transportSettings));
    
    IHelloWorldStateful client = serviceProxyFactory.CreateServiceProxy<IHelloWorldStateful>(
        new Uri("fabric:/MyApplication/MyHelloWorldService"));
    
    string message = await client.GetHelloWorld();
    
    

    Se o código do cliente estiver sendo executado como parte de um serviço, você poderá carregar FabricTransportRemotingSettings a partir do arquivo settings.xml. Crie uma seção HelloWorldClientTransportSettings semelhante ao código de serviço, conforme mostrado anteriormente. Faça as seguintes alterações no código do cliente:

    ServiceProxyFactory serviceProxyFactory = new ServiceProxyFactory(
        (c) => new FabricTransportServiceRemotingClientFactory(FabricTransportRemotingSettings.LoadFrom("HelloWorldClientTransportSettings")));
    
    IHelloWorldStateful client = serviceProxyFactory.CreateServiceProxy<IHelloWorldStateful>(
        new Uri("fabric:/MyApplication/MyHelloWorldService"));
    
    string message = await client.GetHelloWorld();
    
    

    Se o cliente não estiver sendo executado como parte de um serviço, você poderá criar um arquivo de client_name.settings.xml no mesmo local onde o client_name.exe está. Em seguida, crie uma seção TransportSettings nesse arquivo.

    Semelhante ao serviço, se você adicionar uma TransportSettings seção no settings.xml/client_name.settings.xml do cliente, FabricTransportRemotingSettings carregará todas as configurações dessa seção por padrão.

    Nesse caso, o código anterior é ainda mais simplificado:

    
    IHelloWorldStateful client = ServiceProxy.Create<IHelloWorldStateful>(
                 new Uri("fabric:/MyApplication/MyHelloWorldService"));
    
    string message = await client.GetHelloWorld();
    
    

Como próxima etapa, leia API da Web com OWIN em Serviços confiáveis.