Skip to content

Alchemyst-ai/alchemyst-sdk-kotlin

Folders and files

NameName
Last commit message
Last commit date

Latest commit

 

History

12 Commits
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 

Alchemyst AI Kotlin API Library

Maven Central javadoc

The Alchemyst AI Kotlin SDK provides convenient access to the Alchemyst AI REST API from applications written in Kotlin.

It is generated with Stainless.

The REST API documentation can be found on docs.getalchemystai.com. KDocs are available on javadoc.io.

Installation

Gradle

implementation("com.alchemystai.sdk:alchemyst-ai-kotlin:0.0.1")

Maven

<dependency>
  <groupId>com.alchemystai.sdk</groupId>
  <artifactId>alchemyst-ai-kotlin</artifactId>
  <version>0.0.1</version>
</dependency>

Requirements

This library requires Java 8 or later.

Usage

import com.alchemystai.sdk.client.AlchemystAiClient
import com.alchemystai.sdk.client.okhttp.AlchemystAiOkHttpClient
import com.alchemystai.sdk.models.v1.context.ContextAddParams
import com.alchemystai.sdk.models.v1.context.ContextAddResponse

// Configures using the `alchemystai.apiKey` and `alchemystai.baseUrl` system properties
// Or configures using the `ALCHEMYST_AI_API_KEY` and `ALCHEMYST_AI_BASE_URL` environment variables
val client: AlchemystAiClient = AlchemystAiOkHttpClient.fromEnv()

val params: ContextAddParams = ContextAddParams.builder()
    .contextType(ContextAddParams.ContextType.RESOURCE)
    .addDocument(ContextAddParams.Document.builder()
        .content("The content of the document")
        .build())
    .metadata(ContextAddParams.Metadata.builder()
        .fileName("notes.txt")
        .fileType("text/plain")
        .lastModified("2025-10-01T18:42:40.419Z")
        .fileSize(1024.0)
        .build())
    .scope(ContextAddParams.Scope.INTERNAL)
    .source("platform.api.context.add")
    .build()
val response: ContextAddResponse = client.v1().context().add(params)

Client configuration

Configure the client using system properties or environment variables:

import com.alchemystai.sdk.client.AlchemystAiClient
import com.alchemystai.sdk.client.okhttp.AlchemystAiOkHttpClient

// Configures using the `alchemystai.apiKey` and `alchemystai.baseUrl` system properties
// Or configures using the `ALCHEMYST_AI_API_KEY` and `ALCHEMYST_AI_BASE_URL` environment variables
val client: AlchemystAiClient = AlchemystAiOkHttpClient.fromEnv()

Or manually:

import com.alchemystai.sdk.client.AlchemystAiClient
import com.alchemystai.sdk.client.okhttp.AlchemystAiOkHttpClient

val client: AlchemystAiClient = AlchemystAiOkHttpClient.builder()
    .apiKey("My API Key")
    .build()

Or using a combination of the two approaches:

import com.alchemystai.sdk.client.AlchemystAiClient
import com.alchemystai.sdk.client.okhttp.AlchemystAiOkHttpClient

val client: AlchemystAiClient = AlchemystAiOkHttpClient.builder()
    // Configures using the `alchemystai.apiKey` and `alchemystai.baseUrl` system properties
    // Or configures using the `ALCHEMYST_AI_API_KEY` and `ALCHEMYST_AI_BASE_URL` environment variables
    .fromEnv()
    .apiKey("My API Key")
    .build()

See this table for the available options:

Setter System property Environment variable Required Default value
apiKey alchemystai.apiKey ALCHEMYST_AI_API_KEY false -
baseUrl alchemystai.baseUrl ALCHEMYST_AI_BASE_URL true "https://platform-backend.getalchemystai.com"

System properties take precedence over environment variables.

Tip

Don't create more than one client in the same application. Each client has a connection pool and thread pools, which are more efficient to share between requests.

Modifying configuration

To temporarily use a modified client configuration, while reusing the same connection and thread pools, call withOptions() on any client or service:

import com.alchemystai.sdk.client.AlchemystAiClient

val clientWithOptions: AlchemystAiClient = client.withOptions {
    it.baseUrl("https://example.com")
    it.maxRetries(42)
}

The withOptions() method does not affect the original client or service.

Requests and responses

To send a request to the Alchemyst AI 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 Kotlin class.

For example, client.v1().context().add(...) should be called with an instance of ContextAddParams, and it will return an instance of ContextAddResponse.

Immutability

Each class in the SDK has an associated builder or factory method for constructing it.

Each class is immutable once constructed. If the class has an associated builder, then it has a toBuilder() method, which can be used to convert it back to a builder for making a modified copy.

Because each class is immutable, builder modification will never affect already built class instances.

Asynchronous execution

The default client is synchronous. To switch to asynchronous execution, call the async() method:

import com.alchemystai.sdk.client.AlchemystAiClient
import com.alchemystai.sdk.client.okhttp.AlchemystAiOkHttpClient
import com.alchemystai.sdk.models.v1.context.ContextAddParams
import com.alchemystai.sdk.models.v1.context.ContextAddResponse

// Configures using the `alchemystai.apiKey` and `alchemystai.baseUrl` system properties
// Or configures using the `ALCHEMYST_AI_API_KEY` and `ALCHEMYST_AI_BASE_URL` environment variables
val client: AlchemystAiClient = AlchemystAiOkHttpClient.fromEnv()

val params: ContextAddParams = ContextAddParams.builder()
    .contextType(ContextAddParams.ContextType.RESOURCE)
    .addDocument(ContextAddParams.Document.builder()
        .content("The content of the document")
        .build())
    .metadata(ContextAddParams.Metadata.builder()
        .fileName("notes.txt")
        .fileType("text/plain")
        .lastModified("2025-10-01T18:42:40.419Z")
        .fileSize(1024.0)
        .build())
    .scope(ContextAddParams.Scope.INTERNAL)
    .source("platform.api.context.add")
    .build()
val response: ContextAddResponse = client.async().v1().context().add(params)

Or create an asynchronous client from the beginning:

import com.alchemystai.sdk.client.AlchemystAiClientAsync
import com.alchemystai.sdk.client.okhttp.AlchemystAiOkHttpClientAsync
import com.alchemystai.sdk.models.v1.context.ContextAddParams
import com.alchemystai.sdk.models.v1.context.ContextAddResponse

// Configures using the `alchemystai.apiKey` and `alchemystai.baseUrl` system properties
// Or configures using the `ALCHEMYST_AI_API_KEY` and `ALCHEMYST_AI_BASE_URL` environment variables
val client: AlchemystAiClientAsync = AlchemystAiOkHttpClientAsync.fromEnv()

val params: ContextAddParams = ContextAddParams.builder()
    .contextType(ContextAddParams.ContextType.RESOURCE)
    .addDocument(ContextAddParams.Document.builder()
        .content("The content of the document")
        .build())
    .metadata(ContextAddParams.Metadata.builder()
        .fileName("notes.txt")
        .fileType("text/plain")
        .lastModified("2025-10-01T18:42:40.419Z")
        .fileSize(1024.0)
        .build())
    .scope(ContextAddParams.Scope.INTERNAL)
    .source("platform.api.context.add")
    .build()
val response: ContextAddResponse = client.v1().context().add(params)

The asynchronous client supports the same options as the synchronous one, except most methods are suspending.

Raw responses

The SDK defines methods that deserialize responses into instances of Kotlin 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():

import com.alchemystai.sdk.core.http.Headers
import com.alchemystai.sdk.core.http.HttpResponseFor
import com.alchemystai.sdk.models.v1.context.ContextAddParams
import com.alchemystai.sdk.models.v1.context.ContextAddResponse

val params: ContextAddParams = ContextAddParams.builder()
    .contextType(ContextAddParams.ContextType.RESOURCE)
    .addDocument(ContextAddParams.Document.builder()
        .content("The content of the document")
        .build())
    .metadata(ContextAddParams.Metadata.builder()
        .fileName("notes.txt")
        .fileType("text/plain")
        .lastModified("2025-10-01T18:42:40.419Z")
        .fileSize(1024.0)
        .build())
    .scope(ContextAddParams.Scope.INTERNAL)
    .source("platform.api.context.add")
    .build()
val response: HttpResponseFor<ContextAddResponse> = client.v1().context().withRawResponse().add(params)

val statusCode: Int = response.statusCode()
val headers: Headers = response.headers()

You can still deserialize the response into an instance of a Kotlin class if needed:

import com.alchemystai.sdk.models.v1.context.ContextAddResponse

val parsedResponse: ContextAddResponse = response.parse()

Error handling

The SDK throws custom unchecked exception types:

Logging

The SDK uses the standard OkHttp logging interceptor.

Enable logging by setting the ALCHEMYST_AI_LOG environment variable to info:

$ export ALCHEMYST_AI_LOG=info

Or to debug for more verbose logging:

$ export ALCHEMYST_AI_LOG=debug

ProGuard and R8

Although the SDK uses reflection, it is still usable with ProGuard and R8 because alchemyst-ai-kotlin-core is published with a configuration file containing keep rules.

ProGuard and R8 should automatically detect and use the published rules, but you can also manually copy the keep rules if necessary.

Jackson

The SDK depends on Jackson for JSON serialization/deserialization. It is compatible with version 2.13.4 or higher, but depends on version 2.18.2 by default.

The SDK throws an exception if it detects an incompatible Jackson version at runtime (e.g. if the default version was overridden in your Maven or Gradle config).

If the SDK threw an exception, but you're certain the version is compatible, then disable the version check using the checkJacksonVersionCompatibility on AlchemystAiOkHttpClient or AlchemystAiOkHttpClientAsync.

Caution

We make no guarantee that the SDK works correctly when the Jackson version check is disabled.

Network options

Retries

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:

import com.alchemystai.sdk.client.AlchemystAiClient
import com.alchemystai.sdk.client.okhttp.AlchemystAiOkHttpClient

val client: AlchemystAiClient = AlchemystAiOkHttpClient.builder()
    .fromEnv()
    .maxRetries(4)
    .build()

Timeouts

Requests time out after 1 minute by default.

To set a custom timeout, configure the method call using the timeout method:

import com.alchemystai.sdk.models.v1.context.ContextAddResponse

val response: ContextAddResponse = client.v1().context().add(RequestOptions.builder().timeout(Duration.ofSeconds(30)).build())

Or configure the default for all method calls at the client level:

import com.alchemystai.sdk.client.AlchemystAiClient
import com.alchemystai.sdk.client.okhttp.AlchemystAiOkHttpClient
import java.time.Duration

val client: AlchemystAiClient = AlchemystAiOkHttpClient.builder()
    .fromEnv()
    .timeout(Duration.ofSeconds(30))
    .build()

Proxies

To route requests through a proxy, configure the client using the proxy method:

import com.alchemystai.sdk.client.AlchemystAiClient
import com.alchemystai.sdk.client.okhttp.AlchemystAiOkHttpClient
import java.net.InetSocketAddress
import java.net.Proxy

val client: AlchemystAiClient = AlchemystAiOkHttpClient.builder()
    .fromEnv()
    .proxy(Proxy(
      Proxy.Type.HTTP, InetSocketAddress(
        "https://example.com", 8080
      )
    ))
    .build()

HTTPS

Note

Most applications should not call these methods, and instead use the system defaults. The defaults include special optimizations that can be lost if the implementations are modified.

To configure how HTTPS connections are secured, configure the client using the sslSocketFactory, trustManager, and hostnameVerifier methods:

import com.alchemystai.sdk.client.AlchemystAiClient
import com.alchemystai.sdk.client.okhttp.AlchemystAiOkHttpClient

val client: AlchemystAiClient = AlchemystAiOkHttpClient.builder()
    .fromEnv()
    // If `sslSocketFactory` is set, then `trustManager` must be set, and vice versa.
    .sslSocketFactory(yourSSLSocketFactory)
    .trustManager(yourTrustManager)
    .hostnameVerifier(yourHostnameVerifier)
    .build()

Custom HTTP client

The SDK consists of three artifacts:

This structure allows replacing the SDK's default HTTP client without pulling in unnecessary dependencies.

Customized OkHttpClient

Tip

Try the available network options before replacing the default client.

To use a customized OkHttpClient:

  1. Replace your alchemyst-ai-kotlin dependency with alchemyst-ai-kotlin-core
  2. Copy alchemyst-ai-kotlin-client-okhttp's OkHttpClient class into your code and customize it
  3. Construct AlchemystAiClientImpl or AlchemystAiClientAsyncImpl, similarly to AlchemystAiOkHttpClient or AlchemystAiOkHttpClientAsync, using your customized client

Completely custom HTTP client

To use a completely custom HTTP client:

  1. Replace your alchemyst-ai-kotlin dependency with alchemyst-ai-kotlin-core
  2. Write a class that implements the HttpClient interface
  3. Construct AlchemystAiClientImpl or AlchemystAiClientAsyncImpl, similarly to AlchemystAiOkHttpClient or AlchemystAiOkHttpClientAsync, using your new client class

Undocumented API functionality

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.

Parameters

To set undocumented parameters, call the putAdditionalHeader, putAdditionalQueryParam, or putAdditionalBodyProperty methods on any Params class:

import com.alchemystai.sdk.core.JsonValue
import com.alchemystai.sdk.models.v1.context.ContextAddParams

val params: ContextAddParams = ContextAddParams.builder()
    .putAdditionalHeader("Secret-Header", "42")
    .putAdditionalQueryParam("secret_query_param", "42")
    .putAdditionalBodyProperty("secretProperty", JsonValue.from("42"))
    .build()

These can be accessed on the built object later using the _additionalHeaders(), _additionalQueryParams(), and _additionalBodyProperties() methods.

To set undocumented parameters on nested headers, query params, or body classes, call the putAdditionalProperty method on the nested class:

import com.alchemystai.sdk.core.JsonValue
import com.alchemystai.sdk.models.v1.context.ContextAddParams

val params: ContextAddParams = ContextAddParams.builder()
    .metadata(ContextAddParams.Metadata.builder()
        .putAdditionalProperty("secretProperty", JsonValue.from("42"))
        .build())
    .build()

These properties can be accessed on the nested built object later using the _additionalProperties() method.

To set a documented parameter or property to an undocumented or not yet supported value, pass a JsonValue object to its setter:

import com.alchemystai.sdk.core.JsonValue
import com.alchemystai.sdk.models.v1.context.ContextAddParams

val params: ContextAddParams = ContextAddParams.builder()
    .contextType(JsonValue.from(42))
    .addDocument(ContextAddParams.Document.builder()
        .content("The content of the document")
        .build())
    .metadata(ContextAddParams.Metadata.builder()
        .fileName("notes.txt")
        .fileType("text/plain")
        .lastModified("2025-10-01T18:42:40.419Z")
        .fileSize(1024.0)
        .build())
    .scope(ContextAddParams.Scope.INTERNAL)
    .source("platform.api.context.add")
    .build()

The most straightforward way to create a JsonValue is using its from(...) method:

import com.alchemystai.sdk.core.JsonValue

// Create primitive JSON values
val nullValue: JsonValue = JsonValue.from(null)
val booleanValue: JsonValue = JsonValue.from(true)
val numberValue: JsonValue = JsonValue.from(42)
val stringValue: JsonValue = JsonValue.from("Hello World!")

// Create a JSON array value equivalent to `["Hello", "World"]`
val arrayValue: JsonValue = JsonValue.from(listOf(
  "Hello", "World"
))

// Create a JSON object value equivalent to `{ "a": 1, "b": 2 }`
val objectValue: JsonValue = JsonValue.from(mapOf(
  "a" to 1, "b" to 2
))

// Create an arbitrarily nested JSON equivalent to:
// {
//   "a": [1, 2],
//   "b": [3, 4]
// }
val complexValue: JsonValue = JsonValue.from(mapOf(
  "a" to listOf(
    1, 2
  ), "b" to listOf(
    3, 4
  )
))

Normally a Builder class's build method will throw IllegalStateException if any required parameter or property is unset.

To forcibly omit a required parameter or property, pass JsonMissing:

import com.alchemystai.sdk.core.JsonMissing
import com.alchemystai.sdk.models.v1.context.ContextAddParams
import com.alchemystai.sdk.models.v1.context.ContextSearchParams

val params: ContextAddParams = ContextSearchParams.builder()
    .query("search query for user preferences")
    .similarityThreshold(0.8)
    .minimumSimilarityThreshold(JsonMissing.of())
    .build()

Response properties

To access undocumented response properties, call the _additionalProperties() method:

import com.alchemystai.sdk.core.JsonBoolean
import com.alchemystai.sdk.core.JsonNull
import com.alchemystai.sdk.core.JsonNumber
import com.alchemystai.sdk.core.JsonValue

val additionalProperties: Map<String, JsonValue> = client.v1().context().search(params)._additionalProperties()
val secretPropertyValue: JsonValue = additionalProperties.get("secretProperty")

val result = when (secretPropertyValue) {
    is JsonNull -> "It's null!"
    is JsonBoolean -> "It's a boolean!"
    is JsonNumber -> "It's a number!"
    // Other types include `JsonMissing`, `JsonString`, `JsonArray`, and `JsonObject`
    else -> "It's something else!"
}

To access a property's raw JSON value, which may be undocumented, call its _ prefixed method:

import com.alchemystai.sdk.core.JsonField

val minimumSimilarityThreshold: JsonField<Double> = client.v1().context().search(params)._minimumSimilarityThreshold()

if (minimumSimilarityThreshold.isMissing()) {
  // The property is absent from the JSON response
} else if (minimumSimilarityThreshold.isNull()) {
  // The property was set to literal null
} else {
  // Check if value was provided as a string
  // Other methods include `asNumber()`, `asBoolean()`, etc.
  val jsonString: String? = minimumSimilarityThreshold.asString();

  // Try to deserialize into a custom type
  val myObject: MyClass = minimumSimilarityThreshold.asUnknown()!!.convert(MyClass::class.java)
}

Response validation

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 AlchemystAiInvalidDataException 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():

import com.alchemystai.sdk.models.v1.context.ContextSearchResponse

val response: ContextSearchResponse = client.v1().context().search(params).validate()

Or configure the method call to validate the response using the responseValidation method:

import com.alchemystai.sdk.models.v1.context.ContextAddResponse

val response: ContextAddResponse = client.v1().context().add(RequestOptions.builder().responseValidation(true).build())

Or configure the default for all method calls at the client level:

import com.alchemystai.sdk.client.AlchemystAiClient
import com.alchemystai.sdk.client.okhttp.AlchemystAiOkHttpClient

val client: AlchemystAiClient = AlchemystAiOkHttpClient.builder()
    .fromEnv()
    .responseValidation(true)
    .build()

FAQ

Why don't you use plain enum classes?

Kotlin enum classes are not trivially forwards compatible. Using them in the SDK could cause runtime exceptions if the API is updated to respond with a new enum value.

Why do you represent fields using JsonField<T> instead of just plain T?

Using JsonField<T> enables a few features:

Why don't you use data classes?

It is not backwards compatible to add new fields to a data class and we don't want to introduce a breaking change every time we add a field to a class.

Why don't you use checked exceptions?

Checked exceptions are widely considered a mistake in the Java programming language. In fact, they were omitted from Kotlin for this reason.

Checked exceptions:

  • Are verbose to handle
  • Encourage error handling at the wrong level of abstraction, where nothing can be done about the error
  • Are tedious to propagate due to the function coloring problem
  • Don't play well with lambdas (also due to the function coloring problem)

Semantic versioning

This package generally follows SemVer conventions, though certain backwards-incompatible changes may be released as minor versions:

  1. 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.)
  2. 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.

About

No description, website, or topics provided.

Resources

License

Code of conduct

Security policy

Stars

Watchers

Forks

Releases

No releases published

Packages

No packages published

Contributors 2

  •  
  •  

Languages