The Orb C# SDK provides convenient access to the Orb REST API from applications written in C#.
The REST API documentation can be found on docs.withorb.com.
git clone [email protected]:orbcorp/orb-csharp.git
dotnet add reference orb-csharp/src/OrbThis library requires .NET Standard 2.0 or later.
See the examples directory for complete and runnable examples.
using System;
using Orb;
using Orb.Models.Customers;
OrbClient client = new();
CustomerCreateParams parameters = new()
{
Email = "[email protected]",
Name = "My Customer",
};
var customer = await client.Customers.Create(parameters);
Console.WriteLine(customer);Configure the client using environment variables:
using Orb;
// Configured using the ORB_API_KEY, ORB_WEBHOOK_SECRET and ORB_BASE_URL environment variables
OrbClient client = new();Or manually:
using Orb;
OrbClient client = new() { ApiKey = "My API Key" };Or using a combination of the two approaches.
See this table for the available options:
| Property | Environment variable | Required | Default value |
|---|---|---|---|
ApiKey |
ORB_API_KEY |
true | - |
WebhookSecret |
ORB_WEBHOOK_SECRET |
false | - |
BaseUrl |
ORB_BASE_URL |
true | "https://api.withorb.com/v1" |
To temporarily use a modified client configuration, while reusing the same connection and thread pools, call WithOptions on any client or service:
using System;
var customer = await client
.WithOptions(options =>
options with
{
BaseUrl = "https://example.com",
Timeout = TimeSpan.FromSeconds(42),
}
)
.Customers.Create(parameters);
Console.WriteLine(customer);Using a with expression makes it easy to construct the modified options.
The WithOptions method does not affect the original client or service.
To send a request to the Orb API, build an instance of some Params class and pass it to the corresponding client method. When the response is received, it will be deserialized into an instance of a C# class.
For example, client.Customers.Create should be called with an instance of CustomerCreateParams, and it will return an instance of Task<Customer>.
The SDK defines methods that deserialize responses into instances of C# classes. However, these methods don't provide access to the response headers, status code, or the raw response body.
To access this data, prefix any HTTP method call on a client or service with WithRawResponse:
var response = await client.WithRawResponse.Customers.Create(parameters);
var statusCode = response.StatusCode;
var headers = response.Headers;The raw HttpResponseMessage can also be accessed through the RawMessage property.
For non-streaming responses, you can deserialize the response into an instance of a C# class if needed:
using System;
using Orb.Models.Customers;
var response = await client.WithRawResponse.Customers.Create(parameters);
Customer deserialized = await response.Deserialize();
Console.WriteLine(deserialized);The SDK throws custom unchecked exception types:
OrbApiException: Base class for API errors. See this table for which exception subclass is thrown for each HTTP status code:
| Status | Exception |
|---|---|
| 400 | OrbBadRequestException |
| 401 | OrbUnauthorizedException |
| 403 | OrbForbiddenException |
| 404 | OrbNotFoundException |
| 422 | OrbUnprocessableEntityException |
| 429 | OrbRateLimitException |
| 5xx | Orb5xxException |
| others | OrbUnexpectedStatusCodeException |
Additionally, all 4xx errors inherit from Orb4xxException.
false
-
OrbIOException: I/O networking errors. -
OrbInvalidDataException: Failure to interpret successfully parsed data. For example, when accessing a property that's supposed to be required, but the API unexpectedly omitted it from the response. -
OrbException: Base class for all exceptions.
The SDK defines methods that return a paginated lists of results. It provides convenient ways to access the results either one page at a time or item-by-item across all pages.
To iterate through all results across all pages, use the Paginate method, which automatically fetches more pages as needed. The method returns an IAsyncEnumerable:
using System;
var page = await client.Coupons.List(parameters);
await foreach (var item in page.Paginate())
{
Console.WriteLine(item);
}To access individual page items and manually request the next page, use the Items property, and HasNext and Next methods:
using System;
var page = await client.Coupons.List();
while (true)
{
foreach (var item in page.Items)
{
Console.WriteLine(item);
}
if (!page.HasNext())
{
break;
}
page = await page.Next();
}The SDK automatically retries 2 times by default, with a short exponential backoff between requests.
Only the following error types are retried:
- Connection errors (for example, due to a network connectivity problem)
- 408 Request Timeout
- 409 Conflict
- 429 Rate Limit
- 5xx Internal
The API may also explicitly instruct the SDK to retry or not retry a request.
To set a custom number of retries, configure the client using the MaxRetries method:
using Orb;
OrbClient client = new() { MaxRetries = 3 };Or configure a single method call using WithOptions:
using System;
var customer = await client
.WithOptions(options =>
options with { MaxRetries = 3 }
)
.Customers.Create(parameters);
Console.WriteLine(customer);Requests time out after 1 minute by default.
To set a custom timeout, configure the client using the Timeout option:
using System;
using Orb;
OrbClient client = new() { Timeout = TimeSpan.FromSeconds(42) };Or configure a single method call using WithOptions:
using System;
var customer = await client
.WithOptions(options =>
options with { Timeout = TimeSpan.FromSeconds(42) }
)
.Customers.Create(parameters);
Console.WriteLine(customer);The SDK is typed for convenient usage of the documented API. However, it also supports working with undocumented or not yet supported parts of the API.
In rare cases, the API may return a response that doesn't match the expected type. For example, the SDK may expect a property to contain a string, but the API could return something else.
By default, the SDK will not throw an exception in this case. It will throw OrbInvalidDataException only if you directly access the property.
If you would prefer to check that the response is completely well-typed upfront, then either call Validate:
var customer = client.Customers.Create(parameters);
customer.Validate();Or configure the client using the ResponseValidation option:
using Orb;
OrbClient client = new() { ResponseValidation = true };Or configure a single method call using WithOptions:
using System;
var customer = await client
.WithOptions(options =>
options with { ResponseValidation = true }
)
.Customers.Create(parameters);
Console.WriteLine(customer);This package generally follows SemVer conventions, though certain backwards-incompatible changes may be released as minor versions:
- Changes to library internals which are technically public but not intended or documented for external use. (Please open a GitHub issue to let us know if you are relying on such internals.)
- Changes that we do not expect to impact the vast majority of users in practice.
We take backwards-compatibility seriously and work hard to ensure you can rely on a smooth upgrade experience.
We are keen for your feedback; please open an issue with questions, bugs, or suggestions.