Compartilhar via


Criando um serviço

A criação de um serviço Web é bastante simplificada no WWSAPI pela API do Modelo de Serviço e pela ferramenta WsUtil.exe . O Modelo de Serviço fornece uma API que permite que o serviço e o cliente enviem e recebam mensagens por um canal como chamadas de método C. A ferramenta WsUtil gera stubs e cabeçalhos para implementar o serviço.

Implementando um serviço de calculadora usando WWSAPI

Usando as fontes geradas da ferramenta Wsutil.exe , implemente o serviço pelas etapas a seguir.

Inclua os cabeçalhos na origem do aplicativo.

#include "CalculatorProxyStub.h"

Implemente as operações de serviço. Neste exemplo, as operações de serviço são as funções Adicionar e Subtrair do serviço de calculadora.

HRESULT CALLBACK Add (const WS_OPERATION_CONTEXT* context, 
                  int a, int b, int* result, 
                  const WS_ASYNC_CONTEXT* asyncContext, 
                  WS_ERROR* error)
{
    *result = a + b;
    printf ("%d + %d = %d\n", a, b, *result);
    return NOERROR;
}

HRESULT CALLBACK Subtract (const WS_OPERATION_CONTEXT* context, 
                  int a, int b, int* result, 
                  const WS_ASYNC_CONTEXT* asyncContext, 
                  WS_ERROR* error)
{
    *result = a - b;
    printf ("%d - %d = %d\n", a, b, *result);
    return NOERROR;
}

Defina o contrato de serviço definindo os campos de uma estrutura WS_SERVICE_CONTRACT .

static const DefaultBinding_ICalculatorFunctionTable calculatorFunctions = {Add, Subtract};
static const WS_SERVICE_CONTRACT calculatorContract = 
{
    &DefaultBinding_ICalculatorContractDesc, // comes from the generated header.
    NULL, // for not specifying the default contract
    &calculatorFunctions // specified by the user
};

Agora, crie um host de serviço e abra-o para comunicação.

WS_SERVICE_ENDPOINT serviceEndpoint = {0};
serviceEndpoint.uri.chars = L"https://+:80/example"; // address given as uri
serviceEndpoint.binding.channelBinding =  WS_HTTP_CHANNEL_BINDING; // channel binding for the endpoint
serviceEndpoint.channelType = WS_CHANNEL_TYPE_REPLY; // the channel type
serviceEndpoint.uri.length = (ULONG)wcslen(serviceEndpoint.uri.chars);
serviceEndpoint.contract = (WS_SERVICE_CONTRACT*)&calculatorContract;  // the contract
serviceEndpoint.properties = serviceProperties;
serviceEndpoint.propertyCount = WsCountOf(serviceProperties);

if (FAILED (hr = WsCreateServiceHost (&serviceEndpoint, 1, NULL, 0, &host, error)))
    goto Error;

// WsOpenServiceHost  to start the listeners in the service host 
if (FAILED (hr = WsOpenServiceHost (host, NULL, error)))
    goto Error;

Consulte o exemplo de código em HttpCalculatorServiceExample para obter uma implementação completa do serviço de calculadora.