StackOneHQ.Client
0.7.2
See the version list below for details.
dotnet add package StackOneHQ.Client --version 0.7.2
NuGet\Install-Package StackOneHQ.Client -Version 0.7.2
<PackageReference Include="StackOneHQ.Client" Version="0.7.2" />
<PackageVersion Include="StackOneHQ.Client" Version="0.7.2" />
<PackageReference Include="StackOneHQ.Client" />
paket add StackOneHQ.Client --version 0.7.2
#r "nuget: StackOneHQ.Client, 0.7.2"
#:package StackOneHQ.Client@0.7.2
#addin nuget:?package=StackOneHQ.Client&version=0.7.2
#tool nuget:?package=StackOneHQ.Client&version=0.7.2
StackOne.Client
SDK Example Usage
List Employees
using StackOneHQ.Client;
using StackOneHQ.Client.Models.Components;
using StackOneHQ.Client.Models.Requests;
using System;
var sdk = new StackOneHQClient(security: new Security() {
Username = "",
Password = "",
});
HrisListEmployeesRequest req = new HrisListEmployeesRequest() {
XAccountId = "<id>",
Fields = "id,remote_id,title,first_name,last_name,name,display_name,gender,ethnicity,date_of_birth,birthday,marital_status,avatar_url,avatar,personal_email,personal_phone_number,work_email,work_phone_number,job_id,remote_job_id,job_title,job_description,department_id,remote_department_id,department,cost_centers,company,manager_id,remote_manager_id,hire_date,start_date,tenure,work_anniversary,employment_type,employment_contract_type,employment_status,termination_date,company_name,company_id,remote_company_id,preferred_language,citizenships,home_location,work_location,employments,custom_fields,created_at,updated_at,benefits,employee_number,national_identity_number,national_identity_numbers,bank_details,skills,unified_custom_fields",
Filter = new HrisListEmployeesFilter() {
UpdatedAfter = System.DateTime.Parse("2020-01-01T00:00:00.000Z"),
},
Expand = "company,employments,work_location,home_location,groups,skills",
Include = "avatar_url,avatar,custom_fields,job_description,benefits,bank_details",
};
HrisListEmployeesResponse? res = await sdk.Hris.Employees.ListAsync(req);
while(res != null)
{
// handle items
res = await res.Next!();
}
Authentication
Per-Client Security Schemes
This SDK supports the following security scheme globally:
| Name | Type | Scheme |
|---|---|---|
Username<br/>Password |
http | HTTP Basic |
You can set the security parameters through the security optional parameter when initializing the SDK client instance. For example:
using StackOneHQ.Client;
using StackOneHQ.Client.Models.Components;
using System.Collections.Generic;
var sdk = new StackOneHQClient(security: new Security() {
Username = "",
Password = "",
});
ConnectSessionCreate req = new ConnectSessionCreate() {
Categories = new List<ConnectSessionCreateCategory>() {
ConnectSessionCreateCategory.Ats,
ConnectSessionCreateCategory.Hris,
ConnectSessionCreateCategory.Ticketing,
ConnectSessionCreateCategory.Crm,
ConnectSessionCreateCategory.Iam,
ConnectSessionCreateCategory.Marketing,
ConnectSessionCreateCategory.Lms,
ConnectSessionCreateCategory.Iam,
ConnectSessionCreateCategory.Documents,
ConnectSessionCreateCategory.Ticketing,
ConnectSessionCreateCategory.Screening,
ConnectSessionCreateCategory.Messaging,
ConnectSessionCreateCategory.Accounting,
},
OriginOwnerId = "<id>",
OriginOwnerName = "<value>",
};
var res = await sdk.ConnectSessions.CreateAsync(req);
// handle response
Per-Operation Security Schemes
Some operations in this SDK require the security scheme to be specified at the request level. For example:
using StackOneHQ.Client;
using StackOneHQ.Client.Models.Components;
using StackOneHQ.Client.Models.Requests;
var sdk = new StackOneHQClient();
var res = await sdk.Mcp.McpGetAsync(
security: new StackoneMcpGetSecurity() {
Basic = new SchemeBasic() {
Username = "",
Password = "",
},
},
xAccountId: "<id>",
mcpSessionId: "<id>"
);
// handle response
Pagination
Some of the endpoints in this SDK support pagination. To use pagination, you make your SDK calls as usual, but the
returned response object will have a Next method that can be called to pull down the next group of results. If the
return value of Next is null, then there are no more pages to be fetched.
Here's an example of one such pagination call:
using StackOneHQ.Client;
using StackOneHQ.Client.Models.Components;
using StackOneHQ.Client.Models.Requests;
using System.Collections.Generic;
var sdk = new StackOneHQClient(security: new Security() {
Username = "",
Password = "",
});
StackoneListActionsMetaRequest req = new StackoneListActionsMetaRequest() {
GroupBy = "[\"connector\"]",
Filter = new StackoneListActionsMetaFilter() {
Connectors = "connector1,connector2",
AccountIds = "account1,account2",
ActionKey = "action1",
},
Include = new List<StackoneListActionsMetaInclude>() {
StackoneListActionsMetaInclude.OperationDetails,
},
};
StackoneListActionsMetaResponse? res = await sdk.Actions.ListActionsMetaAsync(req);
while(res != null)
{
// handle items
res = await res.Next!();
}
Retries
Some of the endpoints in this SDK support retries. If you use the SDK without any configuration, it will fall back to the default retry strategy provided by the API. However, the default retry strategy can be overridden on a per-operation basis, or across the entire SDK.
To change the default retry strategy for a single API call, simply pass a RetryConfig to the call:
using StackOneHQ.Client;
using StackOneHQ.Client.Models.Components;
using System.Collections.Generic;
var sdk = new StackOneHQClient(security: new Security() {
Username = "",
Password = "",
});
ConnectSessionCreate req = new ConnectSessionCreate() {
Categories = new List<ConnectSessionCreateCategory>() {
ConnectSessionCreateCategory.Ats,
ConnectSessionCreateCategory.Hris,
ConnectSessionCreateCategory.Ticketing,
ConnectSessionCreateCategory.Crm,
ConnectSessionCreateCategory.Iam,
ConnectSessionCreateCategory.Marketing,
ConnectSessionCreateCategory.Lms,
ConnectSessionCreateCategory.Iam,
ConnectSessionCreateCategory.Documents,
ConnectSessionCreateCategory.Ticketing,
ConnectSessionCreateCategory.Screening,
ConnectSessionCreateCategory.Messaging,
ConnectSessionCreateCategory.Accounting,
},
OriginOwnerId = "<id>",
OriginOwnerName = "<value>",
};
var res = await sdk.ConnectSessions.CreateAsync(
retryConfig: new RetryConfig(
strategy: RetryConfig.RetryStrategy.BACKOFF,
backoff: new BackoffStrategy(
initialIntervalMs: 1L,
maxIntervalMs: 50L,
maxElapsedTimeMs: 100L,
exponent: 1.1
),
retryConnectionErrors: false
),
request: req
);
// handle response
If you'd like to override the default retry strategy for all operations that support retries, you can use the RetryConfig optional parameter when intitializing the SDK:
using StackOneHQ.Client;
using StackOneHQ.Client.Models.Components;
using System.Collections.Generic;
var sdk = new StackOneHQClient(
retryConfig: new RetryConfig(
strategy: RetryConfig.RetryStrategy.BACKOFF,
backoff: new BackoffStrategy(
initialIntervalMs: 1L,
maxIntervalMs: 50L,
maxElapsedTimeMs: 100L,
exponent: 1.1
),
retryConnectionErrors: false
),
security: new Security() {
Username = "",
Password = "",
}
);
ConnectSessionCreate req = new ConnectSessionCreate() {
Categories = new List<ConnectSessionCreateCategory>() {
ConnectSessionCreateCategory.Ats,
ConnectSessionCreateCategory.Hris,
ConnectSessionCreateCategory.Ticketing,
ConnectSessionCreateCategory.Crm,
ConnectSessionCreateCategory.Iam,
ConnectSessionCreateCategory.Marketing,
ConnectSessionCreateCategory.Lms,
ConnectSessionCreateCategory.Iam,
ConnectSessionCreateCategory.Documents,
ConnectSessionCreateCategory.Ticketing,
ConnectSessionCreateCategory.Screening,
ConnectSessionCreateCategory.Messaging,
ConnectSessionCreateCategory.Accounting,
},
OriginOwnerId = "<id>",
OriginOwnerName = "<value>",
};
var res = await sdk.ConnectSessions.CreateAsync(req);
// handle response
Error Handling
StackOneError is the base exception class for all HTTP error responses. It has the following properties:
| Property | Type | Description |
|---|---|---|
Message |
string | Error message |
Request |
HttpRequestMessage | HTTP request object |
Response |
HttpResponseMessage | HTTP response object |
Some exceptions in this SDK include an additional Payload field, which will contain deserialized custom error data when present. Possible exceptions are listed in the Error Classes section.
Example
using StackOneHQ.Client;
using StackOneHQ.Client.Models.Components;
using StackOneHQ.Client.Models.Errors;
using System.Collections.Generic;
var sdk = new StackOneHQClient(security: new Security() {
Username = "",
Password = "",
});
try
{
ConnectSessionCreate req = new ConnectSessionCreate() {
Categories = new List<ConnectSessionCreateCategory>() {
ConnectSessionCreateCategory.Ats,
ConnectSessionCreateCategory.Hris,
ConnectSessionCreateCategory.Ticketing,
ConnectSessionCreateCategory.Crm,
ConnectSessionCreateCategory.Iam,
ConnectSessionCreateCategory.Marketing,
ConnectSessionCreateCategory.Lms,
ConnectSessionCreateCategory.Iam,
ConnectSessionCreateCategory.Documents,
ConnectSessionCreateCategory.Ticketing,
ConnectSessionCreateCategory.Screening,
ConnectSessionCreateCategory.Messaging,
ConnectSessionCreateCategory.Accounting,
},
OriginOwnerId = "<id>",
OriginOwnerName = "<value>",
};
var res = await sdk.ConnectSessions.CreateAsync(req);
// handle response
}
catch (StackOneError ex) // all SDK exceptions inherit from StackOneError
{
// ex.ToString() provides a detailed error message
System.Console.WriteLine(ex);
// Base exception fields
HttpRequestMessage request = ex.Request;
HttpResponseMessage response = ex.Response;
var statusCode = (int)response.StatusCode;
var responseBody = ex.Body;
if (ex is BadRequestResponseException) // different exceptions may be thrown depending on the method
{
// Check error data fields
BadRequestResponseExceptionPayload payload = ex.Payload;
double StatusCode = payload.StatusCode;
string Message = payload.Message;
// ...
}
// An underlying cause may be provided
if (ex.InnerException != null)
{
Exception cause = ex.InnerException;
}
}
catch (System.Net.Http.HttpRequestException ex)
{
// Check ex.InnerException for Network connectivity errors
}
Error Classes
Primary exceptions:
StackOneError: The base class for HTTP error responses.BadRequestResponseException: Invalid request. Status code400.UnauthorizedResponseException: Unauthorized access. Status code401.ForbiddenResponseException: Forbidden. Status code403.NotFoundResponseException: Resource not found. Status code404.RequestTimedOutResponseException: The request has timed out. Status code408.ConflictResponseException: Conflict with current state. Status code409.UnprocessableEntityResponseException: Validation error. Status code422.TooManyRequestsResponseException: Too many requests. Status code429.InternalServerErrorResponse: Server error while executing the request. Status code500.NotImplementedResponseException: This functionality is not implemented. Status code501.BadGatewayResponseException: Bad gateway error. Status code502.PreconditionFailedResponseException: Precondition failed: linked account belongs to a disabled integration. Status code412. *
<details><summary>Less common exceptions (2)</summary>
System.Net.Http.HttpRequestException: Network connectivity error. For more details about the underlying cause, inspect theex.InnerException.Inheriting from
StackOneError:ResponseValidationError: Thrown when the response data could not be deserialized into the expected type. </details>
* Refer to the relevant documentation to determine whether an exception applies to a specific operation.
Server Selection
Override Server URL Per-Client
The default server can be overridden globally by passing a URL to the serverUrl: string optional parameter when initializing the SDK client instance. For example:
using StackOneHQ.Client;
using StackOneHQ.Client.Models.Components;
using System.Collections.Generic;
var sdk = new StackOneHQClient(
serverUrl: "https://api.stackone.com",
security: new Security() {
Username = "",
Password = "",
}
);
ConnectSessionCreate req = new ConnectSessionCreate() {
Categories = new List<ConnectSessionCreateCategory>() {
ConnectSessionCreateCategory.Ats,
ConnectSessionCreateCategory.Hris,
ConnectSessionCreateCategory.Ticketing,
ConnectSessionCreateCategory.Crm,
ConnectSessionCreateCategory.Iam,
ConnectSessionCreateCategory.Marketing,
ConnectSessionCreateCategory.Lms,
ConnectSessionCreateCategory.Iam,
ConnectSessionCreateCategory.Documents,
ConnectSessionCreateCategory.Ticketing,
ConnectSessionCreateCategory.Screening,
ConnectSessionCreateCategory.Messaging,
ConnectSessionCreateCategory.Accounting,
},
OriginOwnerId = "<id>",
OriginOwnerName = "<value>",
};
var res = await sdk.ConnectSessions.CreateAsync(req);
// handle response
Custom HTTP Client
The C# SDK makes API calls using an ISpeakeasyHttpClient that wraps the native
HttpClient. This
client provides the ability to attach hooks around the request lifecycle that can be used to modify the request or handle
errors and response.
The ISpeakeasyHttpClient interface allows you to either use the default SpeakeasyHttpClient that comes with the SDK,
or provide your own custom implementation with customized configuration such as custom message handlers, timeouts,
connection pooling, and other HTTP client settings.
The following example shows how to create a custom HTTP client with request modification and error handling:
using StackOneHQ.Client;
using StackOneHQ.Client.Utils;
using System.Net.Http;
using System.Threading;
using System.Threading.Tasks;
// Create a custom HTTP client
public class CustomHttpClient : ISpeakeasyHttpClient
{
private readonly ISpeakeasyHttpClient _defaultClient;
public CustomHttpClient()
{
_defaultClient = new SpeakeasyHttpClient();
}
public async Task<HttpResponseMessage> SendAsync(HttpRequestMessage request, CancellationToken? cancellationToken = null)
{
// Add custom header and timeout
request.Headers.Add("x-custom-header", "custom value");
request.Headers.Add("x-request-timeout", "30");
try
{
var response = await _defaultClient.SendAsync(request, cancellationToken);
// Log successful response
Console.WriteLine($"Request successful: {response.StatusCode}");
return response;
}
catch (Exception error)
{
// Log error
Console.WriteLine($"Request failed: {error.Message}");
throw;
}
}
public void Dispose()
{
_httpClient?.Dispose();
_defaultClient?.Dispose();
}
}
// Use the custom HTTP client with the SDK
var customHttpClient = new CustomHttpClient();
var sdk = new StackOneHQClient(client: customHttpClient);
<details> <summary>You can also provide a completely custom HTTP client with your own configuration:</summary>
using StackOneHQ.Client.Utils;
using System.Net.Http;
using System.Threading;
using System.Threading.Tasks;
// Custom HTTP client with custom configuration
public class AdvancedHttpClient : ISpeakeasyHttpClient
{
private readonly HttpClient _httpClient;
public AdvancedHttpClient()
{
var handler = new HttpClientHandler()
{
MaxConnectionsPerServer = 10,
// ServerCertificateCustomValidationCallback = customCertValidation, // Custom SSL validation if needed
};
_httpClient = new HttpClient(handler)
{
Timeout = TimeSpan.FromSeconds(30)
};
}
public async Task<HttpResponseMessage> SendAsync(HttpRequestMessage request, CancellationToken? cancellationToken = null)
{
return await _httpClient.SendAsync(request, cancellationToken ?? CancellationToken.None);
}
public void Dispose()
{
_httpClient?.Dispose();
}
}
var sdk = StackOneHQClient.Builder()
.WithClient(new AdvancedHttpClient())
.Build();
</details>
<details> <summary>For simple debugging, you can enable request/response logging by implementing a custom client:</summary>
public class LoggingHttpClient : ISpeakeasyHttpClient
{
private readonly ISpeakeasyHttpClient _innerClient;
public LoggingHttpClient(ISpeakeasyHttpClient innerClient = null)
{
_innerClient = innerClient ?? new SpeakeasyHttpClient();
}
public async Task<HttpResponseMessage> SendAsync(HttpRequestMessage request, CancellationToken? cancellationToken = null)
{
// Log request
Console.WriteLine($"Sending {request.Method} request to {request.RequestUri}");
var response = await _innerClient.SendAsync(request, cancellationToken);
// Log response
Console.WriteLine($"Received {response.StatusCode} response");
return response;
}
public void Dispose() => _innerClient?.Dispose();
}
var sdk = new StackOneHQClient(client: new LoggingHttpClient());
</details>
The SDK also provides built-in hook support through the SDKConfiguration.Hooks system, which automatically handles
BeforeRequestAsync, AfterSuccessAsync, and AfterErrorAsync hooks for advanced request lifecycle management.
| Product | Versions Compatible and additional computed target framework versions. |
|---|---|
| .NET | net8.0 is compatible. net8.0-android was computed. net8.0-browser was computed. net8.0-ios was computed. net8.0-maccatalyst was computed. net8.0-macos was computed. net8.0-tvos was computed. net8.0-windows was computed. net9.0 was computed. net9.0-android was computed. net9.0-browser was computed. net9.0-ios was computed. net9.0-maccatalyst was computed. net9.0-macos was computed. net9.0-tvos was computed. net9.0-windows was computed. net10.0 was computed. net10.0-android was computed. net10.0-browser was computed. net10.0-ios was computed. net10.0-maccatalyst was computed. net10.0-macos was computed. net10.0-tvos was computed. net10.0-windows was computed. |
-
net8.0
- newtonsoft.json (>= 13.0.3)
- nodatime (>= 3.1.9)
NuGet packages
This package is not used by any NuGet packages.
GitHub repositories
This package is not used by any popular GitHub repositories.
| Version | Downloads | Last Updated |
|---|---|---|
| 0.9.1 | 44 | 1/27/2026 |
| 0.9.0 | 207 | 12/3/2025 |
| 0.8.3 | 200 | 11/26/2025 |
| 0.8.2 | 401 | 11/20/2025 |
| 0.8.1 | 253 | 11/10/2025 |
| 0.8.0 | 199 | 11/4/2025 |
| 0.7.2 | 197 | 10/27/2025 |
| 0.7.1 | 194 | 10/23/2025 |
| 0.7.0 | 134 | 10/17/2025 |
| 0.6.1 | 185 | 10/16/2025 |
| 0.6.0 | 194 | 10/6/2025 |
| 0.5.0 | 195 | 9/29/2025 |
| 0.4.0 | 289 | 9/15/2025 |
| 0.3.0 | 203 | 9/2/2025 |
| 0.2.8 | 204 | 8/4/2025 |
| 0.2.7 | 148 | 7/31/2025 |
| 0.2.6 | 511 | 7/21/2025 |