This site requires javascript to be enabled.

.NET SDK

Results for

Results for search.results.searching

Introduction

To understand how to use this SDK it is best to read the following documentation:

  • Server Introduction
    First read the Server Introduction to familiarize yourself with the various concepts.
  • Server API Reference
    This Server SDK wraps the Server API and (amongst other things) exposes the responses of the webservice calls as .NET objects. Understanding the Server API will help you understanding these SDK objects as well.
  • This current document will help you understand the global flow when interacting with the Worldline platform using the .NET SDK.

The .NET SDK helps you to communicate with the Server API. More specifically, it offers a fluent .NET API that provides access to all the functionality of the RESTful Server API. Below, we discuss the following topics in detail.

The source code of the SDK is available on Github . There you can find installation instructions.

The API documentation of the latest version of the SDK is available here . For a specific major version, replace latest with <major>.x. Note that this is only available for versions 3.x and later.

Initialization of the .NET SDK

All C# code snippets presented in the API reference assume you have initialized the .NET SDK before using them in your Development Environment. This section details the initialization of the .NET SDK.

Initializing is simple, and requires only one key task: use our Factory class to create an instance of Client, which contains the actual methods to communicate with the Server API.

The Factory needs the following input information to provide you with an initialized Client.

  • A URI to the property file with your connection configuration
  • The secretApiKey and apiKeyId. The secretApiKey is a key that is used to authenticate your API requests, and apiKeyId identifies that key (as you can have multiple active keys). Both of these can be obtained from the Account Setup tab of the Configuration Center, and are available only if you are administrator.

In addition, your app.config or web.config should look like the following:

SDK: .NET
<!--?xml version="1.0" encoding="utf-8"?-->
<configuration>
    <configSections>
        <section name="ConnectSDK" type="Ingenico.Connect.Sdk.CommunicatorConfigurationSection, connect-sdk-dotnet"></section>
    </configSections>

    <ConnectSDK connectTimeout="5000" socketTimeout="30000" maxConnections="10" authorizationType="v1HMAC" integrator="<your company name>">
        <apiEndpoint host="api.domain.com" scheme="https"></apiEndpoint>
    </ConnectSDK>
</configuration>

We recommend to keep the timeout values at these values. See API endpoints for the possible hosts.

If a proxy should be used, your app.config or web.config should also include a proxy element:

SDK: .NET
<!--?xml version="1.0" encoding="utf-8"?-->
<configuration>
    <configSections>
        <section name="ConnectSDK" type="Ingenico.Connect.Sdk.CommunicatorConfigurationSection, connect-sdk-dotnet"></section>
    </configSections>

    <ConnectSDK connectTimeout="5000" socketTimeout="30000" maxConnections="10" authorizationType="v1HMAC" integrator="<your company name>">
        <apiEndpoint host="api.domain.com" scheme="https"></apiEndpoint>
        <proxy host="api.domain.com" scheme="https" username="$username for the proxy" password="$password"></proxy>
    </ConnectSDK>
</configuration>
The apiEndpoint and proxy elements both support specifying a custom port. For instance, to define a test server as the API endpoint:
<apiEndpoint host="testserver" scheme="http" port="8080"></apiEndpoint>

You can create an instance of Client using the Factory with this code snippet:

SDK: .NET
Client client = Factory.CreateClient("apiKeyId", "secretApiKey");

This Client instance offers connection pooling and can be reused for multiple concurrent API calls. Once it is no longer used it should be closed.

Client implements System.IDisposable, which allows it to be used in using statements.

Initializing the SDK without app.config or web.config

In .NET Core applications, configuration is not done through app.config or web.config. but instead appsettings.json. The .NET SDK does not natively support this. However, there are two alternatives:

  1. Use one of the Factory methods that takes an IDictionary that contains the configuration instead.
  2. Manually construct a CommunicatorConfiguration instance, set the necessary properties, and use it in one of the Factory methods that takes a CommunicatorConfiguration.

The following table shows the IDictionary keys or CommunicatorConfiguration properties to use for each setting:

app.config / web.config settingIDictionary keyCommunicatorConfiguration property
ConnectSDK.connectTimeout connect.api.connectTimeout ConnectTimeout
ConnectSDK.socketTimeout connect.api.socketTimeout SocketTimeout
ConnectSDK.maxConnections connect.api.maxConnections MaxConnections
ConnectSDK.authorizationType connect.api.authorizationType AuthorizationType
ConnectSDK.integrator connect.api.integrator Integrator
apiEndpoint.host connect.api.endpoint.host ApiEndpoint
apiEndpoint.scheme connect.api.endpoint.scheme
apiEndpoint.port connect.api.endpoint.port
proxy.host connect.api.proxy.uri ProxyUri
proxy.scheme
proxy.port
proxy.username connect.api.proxy.username ProxyUserName
proxy.password connect.api.proxy.password ProxyPassword

The API endpoint and proxy URI have type Uri. This URI should defines the scheme, hostname and port. It should not have any user info, path, query string or fragment. The same goes for the connect.api.proxy.uri IDictionary key.

You can create an instance of Client using the Factory with one of these code snippets:
SDK: .NET
IDictionary<string, string> configurationDictionary = new Dictionary<string, string>
{
    { "connect.api.connectTimeout",    "5000" },
    { "connect.api.socketTimeout",     "30000" },
    { "connect.api.maxConnections",    "10" },
    { "connect.api.authorizationType", "v1HMAC" },
    { "connect.api.integrator",        "<your company name>" },
    { "connect.api.endpoint.host",     "api.domain.com" },
    { "connect.api.endpoint.scheme",   "https" }
};
Client client = Factory.CreateClient(configurationDictionary, "apiKeyId", "secretApiKey");
SDK: .NET
CommunicatorConfiguration configuration = new CommunicatorConfiguration()
{
    ConnectTimeout    = TimeSpan.FromMilliseconds(5000),
    SocketTimeout     = TimeSpan.FromMilliseconds(30000),
    MaxConnections    = 10,
    AuthorizationType = AuthorizationType.V1HMAC,
    Integrator        = "<your company name>",
    ApiEndpoint       = new Uri("https://api.domain.com"),
    ApiKeyId          = "apiKeyId",
    SecretApiKey      = "secretApiKey"
};
Client client = Factory.CreateClient(configuration);

Client meta information

Optionally, for BI and fraud prevention purposes, you can supply meta information about the client used by the customer. To do so, create a new instance of Client at the start of the customer's payment process as follows:

SDK: .NET
Client consumerSpecificClient = client.WithClientMetaInfo("consumer specific JSON meta info");

This consumer specific instance will use the same connection pool as the Client from which it was created. As a result, closing a Client will close all Client instances created using the WithClientMetaInfo method. There is no need to close those separately.

This closing works both ways. If a Client created using the WithClientMetaInfo method is closed this will also close the Client it originated from. This will in turn close all other Client instances created using the WithClientMetaInfo method. This can be used if only a Client with client meta info is needed.

Do not use this consumer specific instance for API calls for other consumers.

Example JSON meta information for a mobile app client:

SDK: .NET
X-GCS-ClientMetaInfo: {
    "platformIdentifier": "Android/4.4",
    "appIdentifier": "Example mobile app/1.1",
    "sdkIdentifier": "AndroidClientSDK/v1.2",
    "screenSize": "800x600",
    "deviceBrand": "Samsung",
    "deviceType": "GT9300",
    "ipAddress": "123.123.123.123"
}

Example JSON meta information for the JavaScript SDK running in a browser:

SDK: .NET
X-GCS-ClientMetaInfo: {
    "platformIdentifier": "Mozilla/5.0 (Linux; U; Android 4.1.1; en-gb; Build/KLP) AppleWebKit/534.30 (KHTML, like Gecko) Version/4.0 Safari/534.30",
    "sdkIdentifier": "JavaScriptClientSDK/v1.2",
    "screenSize": "800x600"
}

Payments

As a merchant, your core interaction with Worldline typically starts when your customer clicks the checkout button in your application. The payment process usually has the following steps:

  1. Payment Product selection
  2. Setting of available information needed for selected payment product (e.g. amount of the order)
  3. Collection of missing customer information needed for selected payment product (e.g. creditcard number)
  4. Submitting the payment request to the Worldline platform
  5. Handling the response to the payment request (e.g. payment unsuccessful)

The Worldline platform offers three ways of handling this payment process:

  • Use a hosted payment through the MyCheckout hosted payment pages.
    In this case, you redirect the customer to our hosted payment pages. For you as a merchant, this is the easiest option as the Worldline platform can handle payment product selection and is responsible for the collection of sensitive data like a creditcard number. Through our Configuration Center, you still have a lot of control over the look and feel of the checkout.
  • Use a Client SDK to build a payment flow for a native app or a JavaScript application.
    In this case, your server requests the creation of a client session. This returns a session id with which your client application can communicate with the Worldline platform directly. Your client collects and then encrypts the required customer information. It then sends this encrypted information to your server, where you add all other relevant information and submit a payment request to the Worldline platform.
  • Use a Server SDK to build a payment flow hosted on your server.
    In this case, you can use the Server SDK to obtain the payment products that are applicable to the payment, to obtain the fields that need to be collected from the customer for a selected payment product, and to submit the payment request itself.

In the next couple of paragraphs, we discuss each of these options in more detail.

Use a hosted payment through the MyCheckout hosted payment pages (RPP)

The high-level flow of a hosted payment is described below, followed by a more detailed look at each of the steps.

  1. At this point, your customer has provided all relevant information regarding the order, e.g. a shopping cart of items and a shipping address.
  2. See the section on initialization. Use Factory to create an instance of Client if you hadn't done so yet, and set the meta data that you've collected about the client of the customer.
  3. Create a CreateHostedCheckoutRequest body and populate at least its Order. See the relevant section of the full API reference for more details. You can specify an optional ReturnUrl, which is used to redirect your customer back to your website in step 9.
  4. The create hosted checkout SDK call returns a CreateHostedCheckoutResponse response. Store the HostedCheckoutId and RETURNMAC it contains, as well as any other relevant order information. You will need these when your customer returns from our hosted payment pages, or when the customer fails to return in a reasonable amount of time. Now take response.PartialRedirectUrl and prepend "https://yoursubdomain" to it to create HostedCheckoutUrl, where yoursubdomain is an RPP subdomain you requested. You can find your subdomains in the Configuration Center's Payment Page Setup tab, under the Subdomain settings of your merchant. If you are logged in as an adminstrator, you can request a subdomain here as well.
  5. After completing the interactive payment process in the RPP, your customer is redirected back to the url you provided in step 3 as body.HostedCheckoutSpecificInput.ReturnUrl. The HostedCheckoutId and RETURNMAC you stored in step 5 are added to this URL as query parameters. Specifying a ReturnUrl is optional, however. As a result, your customer is only redirected back if you've provided a URL in step 3.
  6. If you cannot identify the customer based on e.g. the HTTP session, you can use the HostedCheckoutId for this purpose. If you do, you must check that the HostedCheckoutId and RETURNMAC from the ReturnUrl match those that you stored in step 3. Note that the RETURNMAC is used as a shared secret between the Worldline platform and your system that is specific for this hosted checkout.
  7. Retrieve the results of the customer's interaction with the Worldline platform.
  8. Check the GetHostedCheckoutResponse response returned in step 13. If response.Status equals PAYMENT_CREATED, then the customer attempted a payment, the details of which can be found in response.CreatedPaymentOutput. Depending on the payment product chosen and the status of the payment you can "deliver the goods" immediately, or set up a regular poll of the created payment to wait for the status. Such a poll is done using the SDK call client.Merchant("merchantId").Payments.Get(paymentId), where paymentId is response.CreatedPaymentOutput.Payment.Id. For details on the various payment products and their statuses, see Payment Products.

Additionally, it may be the case that the customer does not return in time (or at all), for example because the browser is closed or because you didn't provide a ReturnUrl. In this case, you need to retrieve the status of the hosted checkout (step 12) before the hosted checkout times out, which happens after 2 hours, and follow step 14 as well.

Use a Client SDK to build a payment flow for a native app or a JavaScript application

The high-level flow of a payment performed with a native app or a JavaScript application is described below, followed by a more detailed look at each of the steps. First, we discuss the flow for payment products that do not require a redirect to a payment method hosted by a third party. Afterwards, the flow for payment methods that require a redirect is described.

Although this flow uses the Client SDK, we won't go into the details of this SDK here. A detailed description is given in the documentation of the Client SDK.

  1. At this point, your customer has provided all relevant information regarding the order, e.g. a shopping cart of items and a shipping address.
  2. The app sends the meta data about the client of the customer and the order information to your server.
  3. See the section on initialization. Use Factory to create an instance of Client if you hadn't done so yet, and set the meta data about the client of the customer provided in the previous step.
  4. Create a SessionRequest body and request a new session. By creating a session, you allow your consumer to communicate with our Client API via your app. See the relevant section of the full API reference for more details. Requesting a new session results in a SessionResponse response, which contains a ClientSessionId, CustomerId, and a Region. Store the relevant information to be able to link the order and customer to the payment.
  5. Send the ClientSessionId, CustomerId, and Region to the app. The Client SDK needs this information to interact with the Client API. As mentioned above, the documentation of the Client SDK provides additional details.
  6. Once the interactive payment process is finished, the app has to send the encodedClientMetaInfo, encryptedFields, and paymentProductId to your server. The encryptedFields contains confidential information about the payment request. Do not store it anywhere. Use the paymentProductId to determine which additional fields you need to provide in the payment request. Some of these fields may come from your app, so you can decide to send additional app-specific data to your server. For payments that require a redirect to a third party, for example, you could send a return URL as app-specific data. Note that for this flow, we assume that we're dealing with a payment that doesn't require a redirect.
  7. Create a CreatePaymentRequest body. Populate its EncryptedCustomerInput with the encryptedFields obtained from the app. Also populate its Order. You may also want to populate the FraudFields and the relevant PaymentMethodSpecificInput. To this end, you can map the paymentProductId obtained from the app to its payment method. For example, for a card payment, you can populate CardPaymentMethodSpecificInput to e.g. set a CustomerReference or indicate that the payment is the first of a recurring sequence.
  8. Use the body you just created to perform a create payment request. See the relevant section of the full API reference for more details. The create payment SDK call returns a CreatePaymentResponse response. The status of the payment is accessible via response.Payment.Status. Depending on the payment product chosen and the status of the payment you can "deliver the goods" immediately, or set up a regular poll of the created payment to wait for the status. Such a poll is done using the SDK call client.Merchant("merchantId").Payments.Get(paymentId), where paymentId is response.Payment.Id. For details on the various payment products and their statuses, see Payment Products.

The high-level flow of a payment performed with a native app or a JavaScript application is a little different if a redirect is involved. We only describe the steps that differ from the flow without a redirect.

  1. The payment process shown in the diagram above involves a redirect of your customer. For this example, we assume that the app decides which ReturnUrl should be used, which is sent as part of the app-specific data. Your customer is redirected to this URL (i.e., is send back to your app) after completing the payment process. The paymentProductId can be used to determine whether we're dealing with a payment that involves a redirect.
  2. Create a CreatePaymentRequest body and populate its EncryptedCustomerInput and its Order. Additionally, populate its RedirectPaymentMethodSpecificInput by providing at least the desired ReturnUrl. See the relevant section of the full API reference for more details.
  3. The create payment SDK call returns a CreatePaymentResponse response. For payments involving a redirect, response.MerchantAction.RedirectData.RedirectURL defines the URL to which the customer should be redirected to complete the payment. You need to store the value ofresponse.MerchantAction.RedirectData.RETURNMAC because it should be compared with theRETURNMAC returned by the app at a later stage. Additionally, you need to store the value ofresponse.Payment.Id. This paymentId is needed to check the status of the payment after the redirect.
  4. Send the RedirectUrl to your app so that it can redirect the customer to the payment page hosted by the third party.
  5. After the payment process is completed, your customer is redirected to the ReturnUrl specified previously. In the flow shown in the figure above, we assume that this URL brings the customer back to the app.
  6. The app should retrieve the RETURNMAC from the returnUrl and send it to your server.
  7. You can use the RETURNMAC to identify the customer by comparing it with the one stored previously, and to validate that the customer was redirected to you by our systems.
  8. Use the paymentId stored previously to check the status of the payment. See the relevant section of the full API reference for more details. The retrieve payment SDK call returns a PaymentResponse response. The status of the payment is accessible via response.Payment.Status. Use this status to handle the order appropriately, as described above.

Use a Server SDK to build a payment flow hosted on your server

The high-level flow of a payment performed from pages hosted on your server is described below, followed by a more detailed look at each of the steps. First, we describe the flow for payment products that do not require a redirect to a payment method hosted by a third party. Afterwards, the flow for payment methods that require a redirect is described.

  1. At this point, your customer has provided all relevant information regarding the order, e.g. a shopping cart of items and a shipping address.
  2. See the section on initialization. Use Factory to create an instance of Client if you hadn't done so yet, and set the meta data that you've collected about the client of the customer.
  3. Create FindParams queryParams and request a list of relevant payment products. See the relevant section of the full API reference for more details.
  4. Show the relevant payment products to the customer such that he or she can select one.
  5. The customer selects one of available the payment products.
  6. Once the customer has decided which payment product should be used, you request the fields of this payment product. See the relevant section of the full API reference for more details.
  7. Based on the information retrieved in the previous step, you render a form that the customer can use to enter all relevant information for the selected payment product.
  8. The customer submits the form.
  9. Create a CreatePaymentRequest body, populate its Order and other properties depending on the selected payment product, and submit it. See the relevant section of the full API reference for more details. Do not store the information provided by the customer. The paymentProductId can be used to determine whether this payment involves a redirect to a third party. For this flow, we assume that we're dealing with a payment that doesn't require a redirect.
  10. The create payment SDK call returns a CreatePaymentResponse response. The status of the payment is accessible via response.Payment.Status. Depending on the payment product chosen and the status of the payment you can "deliver the goods" immediately, or set up a regular poll of the created payment to wait for the status. Such a poll is done using the SDK call client.Merchant("merchantId").Payments().Get(paymentId), where paymentId is response.Payment.Id. For details on the various payment products and their statuses, see Payment Products.

The high-level flow of a payment performed from pages on your server is a little different if a redirect is involved. We only describe the steps that differ from the flow without a redirect.

  1. We assume that we're dealing with a payment that involves a redirect. As mentioned above, this can be determined using the paymentProductId. Create a CreatePaymentRequest body and populate at least its Order. Additionally, populate its RedirectPaymentMethodSpecificInput by providing at least the desired ReturnUrl. The ReturnUrl defines the location to which the customer should be redirected after completing the payment process. See the relevant section of the full API reference for more details.
  2. The create payment SDK call returns a CreatePaymentResponse response. For payments involving a redirect, response.MerchantAction.RedirectData.RedirectURL defines the URL to which the customer should be redirected to complete the payment. You need to store the value ofresponse.MerchantAction.RedirectData.RETURNMAC because it should be compared with theRETURNMAC returned by the third party at a later stage. Additionally, you need to store the value ofresponse.Payment.Id. This paymentId is needed to check the status of the payment after the redirect.
  3. Redirect the customer to the RedirectUrl.
  4. After the payment process is completed, your customer is redirected to the ReturnUrl specified previously. In the flow shown in the figure above, we assume that this URL brings the customer back to your server.
  5. Retrieve the RETURNMAC provided by the third party from the ReturnUrl. You can use the RETURNMAC to identify the customer by comparing it with the one stored previously, and to validate that the customer was redirected to you by our systems.
  6. Use the paymentId stored previously to check the status of the payment. See the relevant section of the full API reference for more details. The retrieve payment SDK call returns a PaymentResponse response. The status of the payment is accessible via response.Payment.Status. Use this status to handle the order appropriately, as described above.

File Service support

Uploading files

To upload a file, you need to create an instance of class UploadableFile as part of your request. This class encapsulates the following properties:

  • The name of the file (without any path).
  • The content of the file, as a Stream. Its source could be a file on disk, a database record, or even a string.

    You must make sure this Stream is closed after the upload call has finished, preferably in a using block. The SDK will not close it for you.

  • The content type, e.g. application/pdf. Please check the API references for the allowed formats. You can find an incomplete list of content types (also called MIME types) here .
  • Optionally, the content length (the size of the file).

Downloading files

To download a file, you need to provide an Action<Stream, IEnumerable<IResponseHeader>>. This action takes the following arguments:

  • The content of the file, as a Stream. You can copy its contents to any destination you like, e.g. a file on disk or a database record..

    This Stream is managed by the SDK, and will be closed after the Action finishes. You should not close it yourself.

  • A list of response headers. These should include at least the Content-Type and Content-Disposition headers. Extension methods GetHeaderValue and GetDispositionFilename can be called on the headers list to extract the content type and the name of the downloaded file.

If your Action throws an exception, the SDK will wrap it in a BodyHandlerException. Make sure your application can handle this exception.

Idempotent requests

To execute a request as an idempotent request, you can call the same method as for a non-idempotent request, but with an extra CallContext argument with its IdempotenceKey property set. This will make sure the SDK will send an X-GCS-Idempotence-Key header with the idempotence key as its value.

If a subsequent request is sent with the same idempotence key, the response will contain an X-GCS-Idempotence-Request-Timestamp header, and the SDK will set the IdempotenceRequestTimestamp property of the CallContext argument. If the first request has not finished yet, the RESTful Server API will return a 409 status code. If this occurs, the SDK will throw an IdempotenceException with the original idempotence key and the idempotence request timestamp.
For example:

SDK: .NET
CallContext context = new CallContext().WithIdempotenceKey(idempotenceKey);
try
{
    CreatePaymentResponse response = client.Merchants(merchantId).Payments().Create(request, context);
}
catch (IdempotenceException e)
{
    // a request with the same idempotenceKey is still in progress, try again after a short pause
    // e.IdempotenceRequestTimestamp contains the value of the
    // X-GCS-Idempotence-Request-Timestamp header
}
finally
{
    long? idempotenceRequestTimestamp = context.IdempotenceRequestTimestamp;
    // idempotenceRequestTimestamp contains the value of the
    // X-GCS-Idempotence-Request-Timestamp header
    // if idempotenceRequestTimestamp is not null this was not the first request
}
If an idempotence key is sent for a call that does not support idempotence, the RESTful Server API will ignore the key and treat the request as a first request.

Exceptions

Payment exceptions

If a payment attempt is declined by the RESTful Server API, a DeclinedPaymentException is thrown. This exception contains a reference to the payment result which can be inspected to find the reason why the payment attempt was declined. This payment result can also be used to later retrieve the payment attempt again.
For example:

SDK: .NET
try
{
    CreatePaymentResponse response = client.Merchants(merchantId).Payments().Create(request);
}
catch (DeclinedPaymentException e)
{
    Payment payment = e.CreatePaymentResult.Payment;
    string paymentId = payment.Id;
    string paymentStatus = payment.Status;
    System.Console.WriteLine("Payment {0} was declined with status {1}", paymentId, paymentStatus);
}

Unlike direct payments, indirect payments like iDeal and PayPal usually will not cause a DeclinedPaymentException to be thrown, but instead will result in a CreatePaymentResponse return value. To determine if the payment was successfully finished, declined or cancelled, you would need to retrieve the payment status and examine its contents, especially the status field. It is recommended to use shared code for handling errors.
For example:

SDK: .NET
string paymentId;
try
{
    CreatePaymentResponse response = client.Merchants(merchantId).Payments().Create(request);
    paymentId = response.Payment.Id;
}
catch (DeclinedPaymentException e)
{
    Payment payment = e.CreatePaymentResult.Payment;
    HandlePaymentError(payment);
    return;
}
// other code
PaymentResponse payment = client.Merchants(merchantId).Payments().Get(paymentId);
if (IsNotSuccessful(payment))
{
    HandlePaymentError(payment);
}

Payout exceptions

If a payout attempt is declined by the RESTful Server API, a DeclinedPayoutException is thrown. This exception contains a reference to the payout result which can be inspected to find the reason why the payout attempt was declined. This payout result can also be used to later retrieve the payout attempt again.
For example:

SDK: .NET
try
{
    PayoutResponse response = client.Merchants(merchantId).Payouts().Create(request);
}
catch (DeclinedPayoutException e)
{
    PayoutResult payout = e.PayoutResult;
    string payoutId = payout.Id;
    string payoutStatus = payout.Status;
    System.Console.WriteLine("Payout {0} was declined with status {1}", payoutId, payoutStatus);
}

Refund exceptions

If a refund attempt is declined by the RESTful Server API, a DeclinedRefundException is thrown. This exception contains a reference to the refund result which can be inspected to find the reason why the refund was declined. This refund result can also be used to later retrieve the refund attempt again.
For example:

SDK: .NET
try
{
    RefundResponse response = client.Merchants(merchantId).Payments().Refund(paymentId, request);
}
catch (DeclinedRefundException e)
{
    RefundResult refund = e.RefundResult;
    string refundId = refund.Id;
    string refundStatus = refund.Status;
    System.Console.WriteLine("Refund {0} was declined with status {1}", refundId, refundStatus);
}

Other exceptions

Besides the above exceptions, all calls can throw one of the following runtime exceptions:

  • A ValidationException if the request was not correct and couldn't be processed (HTTP status code 400)
  • An AuthorizationException if the request was not allowed (HTTP status code 403)
  • An IdempotenceException if an idempotent request caused a conflict (HTTP status code 409)
  • A ReferenceException if an object was attempted to be referenced that doesn't exist or has been removed, or there was a conflict (HTTP status code 404, 409 or 410)
  • A GlobalCollectException if something went wrong on the Worldline platform. The Worldline platform was unable to process a message from a downstream partner/acquirer, or the service that you're trying to reach is temporary unavailable (HTTP status code 500, 502 or 503)
  • An ApiException if the RESTful Server API returned any other error

A payment attempt can now be handled as follows:

SDK: .NET
try
{
    CreatePaymentResponse response = client.Mrchants(merchantId).Payments().Create(request);
}
catch (DeclinedPaymentException e)
{
    Payment payment = e.CreatePaymentResult().Payment();
    string paymentId = payment.Id;
    string paymentStatus = payment.Status;
    System.Console.WriteLine("Payment {0} was declined with status {1}", paymentId, paymentStatus);
}
catch (ValidationException e)
{
    System.Console.Out.WriteLine("Input validation error:");
    for (ApiError error : e.Errors)
    {
        if (error.PropertyName == null)
        {
            System.Console.WriteLine("- {0}: {1}", error.Code, error.Message);
        }
        else
        {
            System.Console.WriteLine("- {0}: {1}: {2}", error.PropertyName, error.Code, error.Message);
        }
    }
}
catch (AuthorizationException e)
{
    System.Console.Out.WriteLine("Authorization error:");
    for (APIError error : e.Errors)
    {
        System.Console.WriteLine("- {0}: {1}", error.Code, error.Message);
    }
}
catch (ReferenceException e)
{
    System.Console.Out.WriteLine("Incorrect object reference:");
    for (APIError error : e.Errors)
    {
        System.Console.WriteLine("- {0}: {1}", error.Code, error.Message);
    }
}
catch (GlobalCollectException e)
{
    System.Console.Out.WriteLine("Error occurred at Worldline or a downstream partner/acquirer:");
    for (APIError error : e.Errors)
    {
        System.Console.WriteLine("- {0}: {1}", error.Code, error.Message);
    }
}
catch (ApiException e)
{
    System.Console.Out.WriteLine("Worldline error:");
    for (APIError error : e.Errors)
    {
        System.Console.WriteLine("- {0}: {1}", error.Code, error.Message);
    }
}

Exception overview

The following table is a summary that shows when each of these exceptions will be thrown:

HTTP status codeMeaningDescriptionException Type
200 Successful Your request was processed correctly N/A
201 Created Your request was processed correctly and a new resource was created.
The URI of this created resource is returned in the Location header of the response.
N/A
204 No Content Your request was processed correctly N/A
various; CreatePaymentResult is present in the response Payment Rejected Your request was rejected either by the Worldline platform or one of our downstream partners/acquirers. DeclinedPaymentException
various; PayoutResult is present in the response Payout Rejected Your request was rejected either by the Worldline platform or one of our downstream partners/acquirers. DeclinedPayoutException
various; RefundResult is present in the response Refund Rejected Your request was rejected either by the Worldline platform or one of our downstream partners/acquirers. DeclinedRefundException
400 Bad Request Your request is not correct and can't be processed. Please correct the mistake and try again. ValidationException
403 Not Authorized You're trying to do something that is not allowed or that you're not authorized to do. AuthorizationException
404 Not Found The object you were trying to access could not be found on the server. ReferenceException
409 Conflict Your idempotent request resulted in a conflict. The first request has not finished yet. IdempotenceException
409 Conflict Your request resulted in a conflict. Either you submitted a duplicate request or you're trying to create something with a duplicate key. ReferenceException
410 Gone The object that you are trying to reach has been removed. ReferenceException
500 Internal Server Error Something went wrong on the Worldline platform. GlobalCollectException
502 Bad Gateway The Worldline platform was unable to process a message from a downstream partner/acquirer. GlobalCollectException
503 Service Unavailable The service that you're trying to reach is temporary unavailable.
Please try again later.
GlobalCollectException
other Unexpected error An unexpected error has occurred ApiException

Logging

The .NET SDK supports logging of requests, responses and exceptions of the API communication.

In order to start using the logging feature, an implementation of the ICommunicatorLogger interface should be provided. The SDK provides two example implementations for logging to System.Console (SystemConsoleCommunicatorLogger) and logging to a NLog logger (NLogCommunicatorLogger).

Logging can be enabled by calling the EnableLogging method on a Client object, and providing the logger as an argument. The logger can subsequently be disabled by calling the DisableLogging method.

When logged messages contain sensitive data, this data is obfuscated.

The following code exemplifies the use of adding a logger:

SDK: .NET
Client client = Factory.CreateClient("apiKeyId", "secretApiKey");

CommunicatorLogger logger = new NLogLogger(Logger.GetCurrentClassLogger(), Level.Info);
client.EnableLogging(logger);
//... Do some calls
client.DisableLogging();

SSL issues

When using the SDK, you may encounter the following message: Could not create SSL/TLS secure channel. The reason is that the SDK, in accordance to Transport Layer Security (TLS) best practices with the .NET Framework , does not specify the TLS version. It instead lest the OS decide on the TLS version. Please refer to the TLS best practices page for more information on how to configure your system.

Advanced use: Connection pooling

A Client created using the Factory class from your app.config or web.config or CommunicatorConfiguration object will use its own connection pool. If multiple clients should share a single connection pool, the Factory class should be used to first create a shared Communicator, then to create Client instances that use that Communicator:

SDK: .NET
Communicator communicator = Factory.CreateCommunicator("apiKeyId", "secretApiKey");
// create one or more clients using the shared communicator
Client client = Factory.CreateClient(communicator);

Instead of closing these Client instances, you should instead close the Communicator when it is no longer needed. This will close all Client instances that use the Communicator.

If instead one of the Client instances is closed, the Communicator will be closed as well. As a result, all other Client instances that use the Communicator will also be closed. Attempting to use a closed Client or Communicator will result in an error.

Just like Client, Communicator implements System.IDisposable, and can therefore also be used in using statements.

Connection management

Just like Client, Communicator also has method CloseExpiredConnections that can be used to evict expired HTTP connections. You can call this method on the Communicator instead of on any of the Client instances. The effect will be the same.

Advanced use: Customization of the communication

A Client uses a Communicator to communicate with the RESTful Server API. A Communicator contains all the logic to transform a request object to a HTTP request and a HTTP response to a response object. If needed, you can extend this class. To instantiate a Client that uses your own implementation of Communicator you can use the following code snippet:

SDK: .NET
Communicator communicator = new YourCommunicator();
Client client = Factory.CreateClient(communicator);

However, for most customizations you do not have to extend Communicator. The functionality of the Communicator is built on class Session and interface Marshaller, the implementation of which can easily be extended or replaced. Marshaller is used to marshal and unmarshal request and response objects to and from JSON. It is unlikely that you will want to change this module. The Session is a wrapper for the other modules needed to communicate with the Worldline platform:

  • The RESTful Server API endpoint URI.
  • A Connection, which represents one or more HTTP connections to the Worldline server.
  • An Authenticator, which is used to sign your requests.
  • A MetaDataProvider, which constructs the header with meta data of your server that is sent in requests for BI and fraud prevention purposes.

For your convenience, a SessionBuilder is provided to easily replace one or more of these modules. For example, to instantiate a Client that uses your own implementation of Connection, you can use the following code snippet:

SDK: .NET
Connection connection = new YourConnection();
Session session = Factory.createSessionBuilder("apiKeyId", "secretApiKey")
    .WithConnection(connection)
    .Build();
Client client = Factory.CreateClient(session);
Using your own Marshaller is usually not needed. If the default implementation is not sufficient for some reason, you can create a new Communicator with a Session and your own Marshaller as arguments, then create a Client using that communicator.

Logging

To facilitate implementing logging in a custom Connection, the SDK provides utility classes RequestLogMessageBuilder and ResponseLogMessageBuilder. These can be used to easily construct request and response messages. For instance:

SDK: .NET
// In the below code, logger is the CommunicatorLogger set using enableLogging.
// Note that it may be null if enableLogging is not called.
string requestId = Guid.NewGuid().ToString();
RequestLogMessageBuilder requestLogMessageBuilder =
    new RequestLogMessageBuilder(requestId, method, uri);
// add request headers to requestLogMessageBuilder
// if present, set the request body on requestLogMessageBuilder
logger.Log(requestLogMessageBuilder.Message);
// send the request
int statusCode = ...;
ResponseLogMessageBuilder responseLogMessageBuilder =
    new ResponseLogMessageBuilder(requestId, statusCode);
// add response headers to responseLogMessageBuilder
// if present, set the response body on responseLogMessageBuilder
logger.Log(responseLogMessageBuilder.Message);

Webhooks

The part of the SDK that handles the webhooks support is called the webhooks helper. It transparently handles both validation of signatures against the event bodies sent by the webhooks system (including finding the secret key for key ids), and unmarshalling of these bodies to objects. This allows you to focus on the essentials, and not the additional overhead.

Providing secret keys

Secret keys are provided to the webhooks helper using implementations of interface ISecretKeyStore. The .NET SDK provides one implementation: InMemorySecretKeyStore. This will store secret keys in-memory. If more advanced storage is required, e.g. using a database or file system, then you should write your own implementation.

Initialization of the webhooks helper

Using an implementation of ISecretKeyStore, create an instance of WebhooksHelper using our Webhooks class:

SDK: .NET
var helper = Webhooks.CreateHelper(secretKeyStore);

Use the webhooks helper

From an entrypoint that you should write yourself, call one of the Unmarshal methods of the WebhooksHelper object. It takes the following arguments:

  • The body, as a string or byte array. This should be the raw body as received from the webhooks system.
  • A list of request headers as received from the webhooks system.

In code:

SDK: .NET
var event = helper.Unmarshal(body, requestHeaders);

Notes

Renaming of some properties

The .NET SDK uses .NET Capitalization Conventions . As a result, the first letter of each property is turned into upper case. For example, hostedCheckoutSpecificInput is called HostedCheckoutSpecificInput.

Because the C# compiler does not support classes that contain properties of the same name, the property is renamed in a few cases. One such example is property paymentProducts of class PaymentProducts, which is turned into ListOfPaymentProducts.