Developer-friendly & type-safe Java SDK specifically catered to leverage openapi API.
Important
This SDK is not yet ready for production use. To complete setup please follow the steps outlined in your workspace. Delete this section before > publishing to a package manager.
Novu API: Novu REST API. Please see https://docs.novu.co/api-reference for more details.
For more information about the API: Novu Documentation
JDK 11 or later is required.
The samples below show how a published SDK artifact is used:
Gradle:
implementation 'co.novu:novu-java:0.0.4'Maven:
<dependency>
<groupId>co.novu</groupId>
<artifactId>novu-java</artifactId>
<version>0.0.4</version>
</dependency>After cloning the git repository to your file system you can build the SDK artifact from source to the build directory by running ./gradlew build on *nix systems or gradlew.bat on Windows systems.
If you wish to build from source and publish the SDK artifact to your local Maven repository (on your filesystem) then use the following command (after cloning the git repo locally):
On *nix:
./gradlew publishToMavenLocal -Pskip.signingOn Windows:
gradlew.bat publishToMavenLocal -Pskip.signingpackage hello.world;
import java.lang.Exception;
import java.util.Map;
import org.openapis.openapi.Novu;
import org.openapis.openapi.models.components.*;
import org.openapis.openapi.models.errors.*;
import org.openapis.openapi.models.operations.EventsControllerTriggerResponse;
public class Application {
public static void main(String[] args) throws PayloadValidationExceptionDto, ErrorDto, ValidationErrorDto, Exception {
Novu sdk = Novu.builder()
.secretKey("YOUR_SECRET_KEY_HERE")
.build();
EventsControllerTriggerResponse res = sdk.trigger()
.body(TriggerEventRequestDto.builder()
.workflowId("workflow_identifier")
.to(To2.of("SUBSCRIBER_ID"))
.payload(Map.ofEntries(
Map.entry("comment_id", "string"),
Map.entry("post", Map.ofEntries(
Map.entry("text", "string")))))
.overrides(TriggerEventRequestDtoOverrides.builder()
.build())
.actor(TriggerEventRequestDtoActor.of("<value>"))
.context(Map.ofEntries(
Map.entry("key", TriggerEventRequestDtoContextUnion.of("org-acme"))))
.build())
.call();
if (res.triggerEventResponseDto().isPresent()) {
// handle response
}
}
}package hello.world;
import java.lang.Exception;
import org.openapis.openapi.Novu;
import org.openapis.openapi.models.errors.ErrorDto;
import org.openapis.openapi.models.errors.ValidationErrorDto;
import org.openapis.openapi.models.operations.EventsControllerCancelResponse;
public class Application {
public static void main(String[] args) throws ErrorDto, ValidationErrorDto, Exception {
Novu sdk = Novu.builder()
.secretKey("YOUR_SECRET_KEY_HERE")
.build();
EventsControllerCancelResponse res = sdk.cancel()
.transactionId("<id>")
.call();
if (res.boolean_().isPresent()) {
// handle response
}
}
}package hello.world;
import java.lang.Exception;
import java.util.Map;
import org.openapis.openapi.Novu;
import org.openapis.openapi.models.components.*;
import org.openapis.openapi.models.errors.*;
import org.openapis.openapi.models.operations.EventsControllerBroadcastEventToAllResponse;
public class Application {
public static void main(String[] args) throws PayloadValidationExceptionDto, ErrorDto, ValidationErrorDto, Exception {
Novu sdk = Novu.builder()
.secretKey("YOUR_SECRET_KEY_HERE")
.build();
EventsControllerBroadcastEventToAllResponse res = sdk.triggerBroadcast()
.body(TriggerEventToAllRequestDto.builder()
.name("<value>")
.payload(Map.ofEntries(
Map.entry("comment_id", "string"),
Map.entry("post", Map.ofEntries(
Map.entry("text", "string")))))
.overrides(TriggerEventToAllRequestDtoOverrides.builder()
.additionalProperties(Map.ofEntries(
Map.entry("fcm", Map.ofEntries(
Map.entry("data", Map.ofEntries(
Map.entry("key", "value")))))))
.build())
.actor(TriggerEventToAllRequestDtoActor.of(SubscriberPayloadDto.builder()
.subscriberId("<id>")
.firstName("John")
.lastName("Doe")
.email("john.doe@example.com")
.phone("+1234567890")
.avatar("https://example.com/avatar.jpg")
.locale("en-US")
.timezone("America/New_York")
.build()))
.context(Map.ofEntries(
Map.entry("key", TriggerEventToAllRequestDtoContextUnion.of("org-acme"))))
.build())
.call();
if (res.triggerEventResponseDto().isPresent()) {
// handle response
}
}
}package hello.world;
import java.lang.Exception;
import java.util.List;
import java.util.Map;
import org.openapis.openapi.Novu;
import org.openapis.openapi.models.components.*;
import org.openapis.openapi.models.errors.*;
import org.openapis.openapi.models.operations.EventsControllerTriggerBulkResponse;
public class Application {
public static void main(String[] args) throws PayloadValidationExceptionDto, ErrorDto, ValidationErrorDto, Exception {
Novu sdk = Novu.builder()
.secretKey("YOUR_SECRET_KEY_HERE")
.build();
EventsControllerTriggerBulkResponse res = sdk.triggerBulk()
.body(BulkTriggerEventDto.builder()
.events(List.of(
TriggerEventRequestDto.builder()
.workflowId("workflow_identifier")
.to(To2.of("SUBSCRIBER_ID"))
.payload(Map.ofEntries(
Map.entry("comment_id", "string"),
Map.entry("post", Map.ofEntries(
Map.entry("text", "string")))))
.overrides(TriggerEventRequestDtoOverrides.builder()
.build())
.actor(TriggerEventRequestDtoActor.of(SubscriberPayloadDto.builder()
.subscriberId("<id>")
.firstName("John")
.lastName("Doe")
.email("john.doe@example.com")
.phone("+1234567890")
.avatar("https://example.com/avatar.jpg")
.locale("en-US")
.timezone("America/New_York")
.build()))
.context(Map.ofEntries(
Map.entry("key", TriggerEventRequestDtoContextUnion.of("org-acme"))))
.build()))
.build())
.call();
if (res.triggerEventResponseDtos().isPresent()) {
// handle response
}
}
}An asynchronous SDK client is also available that returns a CompletableFuture<T>. See Asynchronous Support for more details on async benefits and reactive library integration.
package hello.world;
import java.util.Map;
import java.util.concurrent.CompletableFuture;
import org.openapis.openapi.AsyncNovu;
import org.openapis.openapi.Novu;
import org.openapis.openapi.models.components.*;
import org.openapis.openapi.models.operations.async.EventsControllerTriggerResponse;
public class Application {
public static void main(String[] args) {
AsyncNovu sdk = Novu.builder()
.secretKey("YOUR_SECRET_KEY_HERE")
.build()
.async();
CompletableFuture<EventsControllerTriggerResponse> resFut = sdk.trigger()
.body(TriggerEventRequestDto.builder()
.workflowId("workflow_identifier")
.to(To2.of("SUBSCRIBER_ID"))
.payload(Map.ofEntries(
Map.entry("comment_id", "string"),
Map.entry("post", Map.ofEntries(
Map.entry("text", "string")))))
.overrides(TriggerEventRequestDtoOverrides.builder()
.build())
.actor(TriggerEventRequestDtoActor.of("<value>"))
.context(Map.ofEntries(
Map.entry("key", TriggerEventRequestDtoContextUnion.of("org-acme"))))
.build())
.call();
resFut.thenAccept(res -> {
if (res.triggerEventResponseDto().isPresent()) {
// handle response
}
});
}
}The SDK provides comprehensive asynchronous support using Java's CompletableFuture<T> and Reactive Streams Publisher<T> APIs. This design makes no assumptions about your choice of reactive toolkit, allowing seamless integration with any reactive library.
Why Use Async?
Asynchronous operations provide several key benefits:
- Non-blocking I/O: Your threads stay free for other work while operations are in flight
- Better resource utilization: Handle more concurrent operations with fewer threads
- Improved scalability: Build highly responsive applications that can handle thousands of concurrent requests
- Reactive integration: Works seamlessly with reactive streams and backpressure handling
Reactive Library Integration
The SDK returns Reactive Streams Publisher<T> instances for operations dealing with streams involving multiple I/O interactions. We use Reactive Streams instead of JDK Flow API to provide broader compatibility with the reactive ecosystem, as most reactive libraries natively support Reactive Streams.
Why Reactive Streams over JDK Flow?
- Broader ecosystem compatibility: Most reactive libraries (Project Reactor, RxJava, Akka Streams, etc.) natively support Reactive Streams
- Industry standard: Reactive Streams is the de facto standard for reactive programming in Java
- Better interoperability: Seamless integration without additional adapters for most use cases
Integration with Popular Libraries:
- Project Reactor: Use
Flux.from(publisher)to convert to Reactor types - RxJava: Use
Flowable.fromPublisher(publisher)for RxJava integration - Akka Streams: Use
Source.fromPublisher(publisher)for Akka Streams integration - Vert.x: Use
ReadStream.fromPublisher(vertx, publisher)for Vert.x reactive streams - Mutiny: Use
Multi.createFrom().publisher(publisher)for Quarkus Mutiny integration
For JDK Flow API Integration: If you need JDK Flow API compatibility (e.g., for Quarkus/Mutiny 2), you can use adapters:
// Convert Reactive Streams Publisher to Flow Publisher
Flow.Publisher<T> flowPublisher = FlowAdapters.toFlowPublisher(reactiveStreamsPublisher);
// Convert Flow Publisher to Reactive Streams Publisher
Publisher<T> reactiveStreamsPublisher = FlowAdapters.toPublisher(flowPublisher);For standard single-response operations, the SDK returns CompletableFuture<T> for straightforward async execution.
Supported Operations
Async support is available for:
- Server-sent Events: Stream real-time events with Reactive Streams
Publisher<T> - JSONL Streaming: Process streaming JSON lines asynchronously
- Pagination: Iterate through paginated results using
callAsPublisher()andcallAsPublisherUnwrapped() - File Uploads: Upload files asynchronously with progress tracking
- File Downloads: Download files asynchronously with streaming support
- Standard Operations: All regular API calls return
CompletableFuture<T>for async execution
This SDK supports the following security scheme globally:
| Name | Type | Scheme |
|---|---|---|
secretKey |
apiKey | API key |
To authenticate with the API the secretKey parameter must be set when initializing the SDK client instance. For example:
package hello.world;
import java.lang.Exception;
import java.util.Map;
import org.openapis.openapi.Novu;
import org.openapis.openapi.models.components.*;
import org.openapis.openapi.models.errors.*;
import org.openapis.openapi.models.operations.EventsControllerTriggerResponse;
public class Application {
public static void main(String[] args) throws PayloadValidationExceptionDto, ErrorDto, ValidationErrorDto, Exception {
Novu sdk = Novu.builder()
.secretKey("YOUR_SECRET_KEY_HERE")
.build();
EventsControllerTriggerResponse res = sdk.trigger()
.body(TriggerEventRequestDto.builder()
.workflowId("workflow_identifier")
.to(To2.of("SUBSCRIBER_ID"))
.payload(Map.ofEntries(
Map.entry("comment_id", "string"),
Map.entry("post", Map.ofEntries(
Map.entry("text", "string")))))
.overrides(TriggerEventRequestDtoOverrides.builder()
.build())
.actor(TriggerEventRequestDtoActor.of("<value>"))
.context(Map.ofEntries(
Map.entry("key", TriggerEventRequestDtoContextUnion.of("org-acme"))))
.build())
.call();
if (res.triggerEventResponseDto().isPresent()) {
// handle response
}
}
}Available methods
- trigger - Trigger event
- cancel - Cancel triggered event
- triggerBroadcast - Broadcast event to all
- triggerBulk - Bulk trigger event
- track - Track activity and engagement events
- list - List all channel connections
- create - Create a channel connection
- get - Retrieve a channel connection
- update - Update a channel connection
- delete - Delete a channel connection
- list - List all channel endpoints
- create - Create a channel endpoint
- get - Retrieve a channel endpoint
- update - Update a channel endpoint
- delete - Delete a channel endpoint
- create - Create a context
- list - List all contexts
- update - Update a context
- get - Retrieve a context
- delete - Delete a context
- getTags - Get environment tags
- create - Create an environment
- list - List all environments
- update - Update an environment
- delete - Delete an environment
- list - List all integrations
- create - Create an integration
- update - Update an integration
- delete - Delete an integration
- autoConfigure - Auto-configure an integration for inbound webhooks
- setPrimary - Update integration as primary
- listActive - List active integrations
- generateChatOAuth - Generate chat OAuth URL
- create - Create a layout
- list - List all layouts
- update - Update a layout
- retrieve - Retrieve a layout
- delete - Delete a layout
- duplicate - Duplicate a layout
- preview - Generate layout preview
- getUsage - Get layout usage
- list - List all messages
- delete - Delete a message
- deleteByTransactionId - Delete messages by transactionId
- search - Search subscribers
- create - Create a subscriber
- get - Retrieve a subscriber
- update - Update a subscriber
- removeSubscriber - Delete a subscriber
- createBulk - Bulk create subscribers
- updatePreferences - Update subscriber preferences
- updateCredentials - Update provider credentials
- appendCredentials - Upsert provider credentials
- markAllMessagesAs - Update notifications state
- getUnseenCount - Retrieve unseen notifications count
- updateOnlineStatus - Update subscriber online status
- delete - Delete provider credentials
- markAll - Update all notifications state
- getPreferences - Retrieve subscriber preferences
- list - Retrieve subscriber subscriptions
- updateAsSeen - Update notification action status
- getFeed - Retrieve subscriber notifications
- bulkUpdate - Bulk update subscriber preferences
- getAll - List all topics
- create - Create a topic
- getTopic - Retrieve a topic
- patch - Update a topic
- remove - Delete a topic
- createSubscription - Create topic subscriptions
- get - Check topic subscriber
- fetchSubscription - Get a topic subscription
- list - List topic subscriptions
- delete - Delete topic subscriptions
- update - Update a topic subscription
- create - Create a translation
- get - Retrieve a translation
- delete - Delete a translation
- upload - Upload translation files
- importMasterJson - Import master translations JSON
- uploadMasterJson - Upload master translations JSON file
- removeGroup - Delete a translation group
- fetchGroup - Retrieve a translation group
- retrieve - Retrieve master translations JSON
Certain SDK methods accept file objects as part of a request body or multi-part request. It is possible and typically recommended to upload files as a stream rather than reading the entire contents into memory. This avoids excessive memory consumption and potentially crashing with out-of-memory errors when working with very large files.
The SDK provides a Blob utility class for efficient file handling. It supports various input sources including file paths, streams, strings, and byte arrays, while providing memory-efficient streaming and reactive processing.
// Recommended for large files - streams data efficiently
Blob fileBlob = Blob.from(Paths.get("large-document.pdf"));
// For in-memory data
Blob textBlob = Blob.from("Hello, World!");
Blob dataBlob = Blob.from(myByteArray);Tip
For comprehensive documentation including all factory methods, consumption patterns, and advanced usage examples, see the Blob Utility Documentation.
The following example demonstrates how to attach a file to a request:
package hello.world;
import java.lang.Exception;
import java.util.List;
import org.openapis.openapi.Novu;
import org.openapis.openapi.models.operations.*;
public class Application {
public static void main(String[] args) throws Exception {
Novu sdk = Novu.builder()
.secretKey("YOUR_SECRET_KEY_HERE")
.build();
TranslationControllerUploadTranslationFilesResponse res = sdk.translations().upload()
.body(TranslationControllerUploadTranslationFilesRequestBody.builder()
.resourceId("welcome-email")
.resourceType(TranslationControllerUploadTranslationFilesResourceType.WORKFLOW)
.files(List.of())
.build())
.call();
}
}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, you can provide a RetryConfig object through the retryConfig builder method:
package hello.world;
import java.lang.Exception;
import java.util.Map;
import java.util.concurrent.TimeUnit;
import org.openapis.openapi.Novu;
import org.openapis.openapi.models.components.*;
import org.openapis.openapi.models.errors.*;
import org.openapis.openapi.models.operations.EventsControllerTriggerResponse;
import org.openapis.openapi.utils.BackoffStrategy;
import org.openapis.openapi.utils.RetryConfig;
public class Application {
public static void main(String[] args) throws PayloadValidationExceptionDto, ErrorDto, ValidationErrorDto, Exception {
Novu sdk = Novu.builder()
.secretKey("YOUR_SECRET_KEY_HERE")
.build();
EventsControllerTriggerResponse res = sdk.trigger()
.retryConfig(RetryConfig.builder()
.backoff(BackoffStrategy.builder()
.initialInterval(1L, TimeUnit.MILLISECONDS)
.maxInterval(50L, TimeUnit.MILLISECONDS)
.maxElapsedTime(1000L, TimeUnit.MILLISECONDS)
.baseFactor(1.1)
.jitterFactor(0.15)
.retryConnectError(false)
.build())
.build())
.body(TriggerEventRequestDto.builder()
.workflowId("workflow_identifier")
.to(To2.of("SUBSCRIBER_ID"))
.payload(Map.ofEntries(
Map.entry("comment_id", "string"),
Map.entry("post", Map.ofEntries(
Map.entry("text", "string")))))
.overrides(TriggerEventRequestDtoOverrides.builder()
.build())
.actor(TriggerEventRequestDtoActor.of("<value>"))
.context(Map.ofEntries(
Map.entry("key", TriggerEventRequestDtoContextUnion.of("org-acme"))))
.build())
.call();
if (res.triggerEventResponseDto().isPresent()) {
// handle response
}
}
}If you'd like to override the default retry strategy for all operations that support retries, you can provide a configuration at SDK initialization:
package hello.world;
import java.lang.Exception;
import java.util.Map;
import java.util.concurrent.TimeUnit;
import org.openapis.openapi.Novu;
import org.openapis.openapi.models.components.*;
import org.openapis.openapi.models.errors.*;
import org.openapis.openapi.models.operations.EventsControllerTriggerResponse;
import org.openapis.openapi.utils.BackoffStrategy;
import org.openapis.openapi.utils.RetryConfig;
public class Application {
public static void main(String[] args) throws PayloadValidationExceptionDto, ErrorDto, ValidationErrorDto, Exception {
Novu sdk = Novu.builder()
.retryConfig(RetryConfig.builder()
.backoff(BackoffStrategy.builder()
.initialInterval(1L, TimeUnit.MILLISECONDS)
.maxInterval(50L, TimeUnit.MILLISECONDS)
.maxElapsedTime(1000L, TimeUnit.MILLISECONDS)
.baseFactor(1.1)
.jitterFactor(0.15)
.retryConnectError(false)
.build())
.build())
.secretKey("YOUR_SECRET_KEY_HERE")
.build();
EventsControllerTriggerResponse res = sdk.trigger()
.body(TriggerEventRequestDto.builder()
.workflowId("workflow_identifier")
.to(To2.of("SUBSCRIBER_ID"))
.payload(Map.ofEntries(
Map.entry("comment_id", "string"),
Map.entry("post", Map.ofEntries(
Map.entry("text", "string")))))
.overrides(TriggerEventRequestDtoOverrides.builder()
.build())
.actor(TriggerEventRequestDtoActor.of("<value>"))
.context(Map.ofEntries(
Map.entry("key", TriggerEventRequestDtoContextUnion.of("org-acme"))))
.build())
.call();
if (res.triggerEventResponseDto().isPresent()) {
// handle response
}
}
}Handling errors in this SDK should largely match your expectations. All operations return a response object or raise an exception.
NovuException is the base class for all HTTP error responses. It has the following properties:
| Method | Type | Description |
|---|---|---|
message() |
String |
Error message |
code() |
int |
HTTP response status code eg 404 |
headers |
Map<String, List<String>> |
HTTP response headers |
body() |
byte[] |
HTTP body as a byte array. Can be empty array if no body is returned. |
bodyAsString() |
String |
HTTP body as a UTF-8 string. Can be empty string if no body is returned. |
rawResponse() |
HttpResponse<?> |
Raw HTTP response (body already read and not available for re-read) |
package hello.world;
import java.io.UncheckedIOException;
import java.lang.Exception;
import java.lang.String;
import java.util.Map;
import java.util.Optional;
import org.openapis.openapi.Novu;
import org.openapis.openapi.models.components.*;
import org.openapis.openapi.models.errors.*;
import org.openapis.openapi.models.operations.EventsControllerTriggerResponse;
public class Application {
public static void main(String[] args) throws PayloadValidationExceptionDto, ErrorDto, ValidationErrorDto, Exception {
Novu sdk = Novu.builder()
.secretKey("YOUR_SECRET_KEY_HERE")
.build();
try {
EventsControllerTriggerResponse res = sdk.trigger()
.body(TriggerEventRequestDto.builder()
.workflowId("workflow_identifier")
.to(To2.of("SUBSCRIBER_ID"))
.payload(Map.ofEntries(
Map.entry("comment_id", "string"),
Map.entry("post", Map.ofEntries(
Map.entry("text", "string")))))
.overrides(TriggerEventRequestDtoOverrides.builder()
.build())
.actor(TriggerEventRequestDtoActor.of("<value>"))
.context(Map.ofEntries(
Map.entry("key", TriggerEventRequestDtoContextUnion.of("org-acme"))))
.build())
.call();
if (res.triggerEventResponseDto().isPresent()) {
// handle response
}
} catch (NovuException ex) { // all SDK exceptions inherit from NovuException
// ex.ToString() provides a detailed error message including
// HTTP status code, headers, and error payload (if any)
System.out.println(ex);
// Base exception fields
var rawResponse = ex.rawResponse();
var headers = ex.headers();
var contentType = headers.first("Content-Type");
int statusCode = ex.code();
Optional<byte[]> responseBody = ex.body();
// different error subclasses may be thrown
// depending on the service call
if (ex instanceof PayloadValidationExceptionDto) {
var e = (PayloadValidationExceptionDto) ex;
// Check error data fields
e.data().ifPresent(payload -> {
double statusCode = payload.statusCode();
String timestamp = payload.timestamp();
// ...
});
}
// An underlying cause may be provided. If the error payload
// cannot be deserialized then the deserialization exception
// will be set as the cause.
if (ex.getCause() != null) {
var cause = ex.getCause();
}
} catch (UncheckedIOException ex) {
// handle IO error (connection, timeout, etc)
} }
}Primary errors:
NovuException: The base class for HTTP error responses.org.openapis.openapi.models.errors.ErrorDto: *org.openapis.openapi.models.errors.ValidationErrorDto: Unprocessable Entity. Status code422. *
Less common errors (9)
Network errors:
java.io.IOException(always wrapped byjava.io.UncheckedIOException). Commonly encountered subclasses ofIOExceptionincludejava.net.ConnectException,java.net.SocketTimeoutException,EOFException(there are many more subclasses in the JDK platform).
Inherit from NovuException:
org.openapis.openapi.models.errors.PayloadValidationExceptionDto: Status code400. Applicable to 3 of 93 methods.*org.openapis.openapi.models.errors.SubscriberResponseDtoException: Created. Status code409. Applicable to 1 of 93 methods.*org.openapis.openapi.models.errors.TopicResponseDtoException: OK. Status code409. Applicable to 1 of 93 methods.*
* Check the method documentation to see if the error is applicable.
You can override the default server globally using the .serverIndex(int serverIdx) builder method when initializing the SDK client instance. The selected server will then be used as the default on the operations that use it. This table lists the indexes associated with the available servers:
| # | Server | Description |
|---|---|---|
| 0 | https://api.novu.co |
|
| 1 | https://eu.api.novu.co |
package hello.world;
import java.lang.Exception;
import java.util.Map;
import org.openapis.openapi.Novu;
import org.openapis.openapi.models.components.*;
import org.openapis.openapi.models.errors.*;
import org.openapis.openapi.models.operations.EventsControllerTriggerResponse;
public class Application {
public static void main(String[] args) throws PayloadValidationExceptionDto, ErrorDto, ValidationErrorDto, Exception {
Novu sdk = Novu.builder()
.serverIndex(0)
.secretKey("YOUR_SECRET_KEY_HERE")
.build();
EventsControllerTriggerResponse res = sdk.trigger()
.body(TriggerEventRequestDto.builder()
.workflowId("workflow_identifier")
.to(To2.of("SUBSCRIBER_ID"))
.payload(Map.ofEntries(
Map.entry("comment_id", "string"),
Map.entry("post", Map.ofEntries(
Map.entry("text", "string")))))
.overrides(TriggerEventRequestDtoOverrides.builder()
.build())
.actor(TriggerEventRequestDtoActor.of("<value>"))
.context(Map.ofEntries(
Map.entry("key", TriggerEventRequestDtoContextUnion.of("org-acme"))))
.build())
.call();
if (res.triggerEventResponseDto().isPresent()) {
// handle response
}
}
}The default server can also be overridden globally using the .serverURL(String serverUrl) builder method when initializing the SDK client instance. For example:
package hello.world;
import java.lang.Exception;
import java.util.Map;
import org.openapis.openapi.Novu;
import org.openapis.openapi.models.components.*;
import org.openapis.openapi.models.errors.*;
import org.openapis.openapi.models.operations.EventsControllerTriggerResponse;
public class Application {
public static void main(String[] args) throws PayloadValidationExceptionDto, ErrorDto, ValidationErrorDto, Exception {
Novu sdk = Novu.builder()
.serverURL("https://eu.api.novu.co")
.secretKey("YOUR_SECRET_KEY_HERE")
.build();
EventsControllerTriggerResponse res = sdk.trigger()
.body(TriggerEventRequestDto.builder()
.workflowId("workflow_identifier")
.to(To2.of("SUBSCRIBER_ID"))
.payload(Map.ofEntries(
Map.entry("comment_id", "string"),
Map.entry("post", Map.ofEntries(
Map.entry("text", "string")))))
.overrides(TriggerEventRequestDtoOverrides.builder()
.build())
.actor(TriggerEventRequestDtoActor.of("<value>"))
.context(Map.ofEntries(
Map.entry("key", TriggerEventRequestDtoContextUnion.of("org-acme"))))
.build())
.call();
if (res.triggerEventResponseDto().isPresent()) {
// handle response
}
}
}The Java SDK makes API calls using an HTTPClient 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 HTTPClient 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 executors, SSL context,
connection pools, and other HTTP client settings.
The interface provides synchronous (send) methods and asynchronous (sendAsync) methods. The sendAsync method
is used to power the async SDK methods and returns a CompletableFuture<HttpResponse<Blob>> for non-blocking operations.
The following example shows how to add a custom header and handle errors:
import org.openapis.openapi.Novu;
import org.openapis.openapi.utils.HTTPClient;
import org.openapis.openapi.utils.SpeakeasyHTTPClient;
import org.openapis.openapi.utils.Utils;
import java.io.IOException;
import java.net.URISyntaxException;
import java.net.http.HttpRequest;
import java.net.http.HttpResponse;
import java.io.InputStream;
import java.time.Duration;
public class Application {
public static void main(String[] args) {
// Create a custom HTTP client with hooks
HTTPClient httpClient = new HTTPClient() {
private final HTTPClient defaultClient = new SpeakeasyHTTPClient();
@Override
public HttpResponse<InputStream> send(HttpRequest request) throws IOException, URISyntaxException, InterruptedException {
// Add custom header and timeout using Utils.copy()
HttpRequest modifiedRequest = Utils.copy(request)
.header("x-custom-header", "custom value")
.timeout(Duration.ofSeconds(30))
.build();
try {
HttpResponse<InputStream> response = defaultClient.send(modifiedRequest);
// Log successful response
System.out.println("Request successful: " + response.statusCode());
return response;
} catch (Exception error) {
// Log error
System.err.println("Request failed: " + error.getMessage());
throw error;
}
}
};
Novu sdk = Novu.builder()
.client(httpClient)
.build();
}
}Custom HTTP Client Configuration
You can also provide a completely custom HTTP client with your own configuration:
import org.openapis.openapi.Novu;
import org.openapis.openapi.utils.HTTPClient;
import org.openapis.openapi.utils.Blob;
import org.openapis.openapi.utils.ResponseWithBody;
import java.io.IOException;
import java.net.URISyntaxException;
import java.net.http.HttpClient;
import java.net.http.HttpRequest;
import java.net.http.HttpResponse;
import java.io.InputStream;
import java.time.Duration;
import java.util.concurrent.Executors;
import java.util.concurrent.CompletableFuture;
public class Application {
public static void main(String[] args) {
// Custom HTTP client with custom configuration
HTTPClient customHttpClient = new HTTPClient() {
private final HttpClient client = HttpClient.newBuilder()
.executor(Executors.newFixedThreadPool(10))
.connectTimeout(Duration.ofSeconds(30))
// .sslContext(customSslContext) // Add custom SSL context if needed
.build();
@Override
public HttpResponse<InputStream> send(HttpRequest request) throws IOException, URISyntaxException, InterruptedException {
return client.send(request, HttpResponse.BodyHandlers.ofInputStream());
}
@Override
public CompletableFuture<HttpResponse<Blob>> sendAsync(HttpRequest request) {
// Convert response to HttpResponse<Blob> for async operations
return client.sendAsync(request, HttpResponse.BodyHandlers.ofPublisher())
.thenApply(resp -> new ResponseWithBody<>(resp, Blob::from));
}
};
Novu sdk = Novu.builder()
.client(customHttpClient)
.build();
}
}You can also enable debug logging on the default SpeakeasyHTTPClient:
import org.openapis.openapi.Novu;
import org.openapis.openapi.utils.SpeakeasyHTTPClient;
public class Application {
public static void main(String[] args) {
SpeakeasyHTTPClient httpClient = new SpeakeasyHTTPClient();
httpClient.enableDebugLogging(true);
Novu sdk = Novu.builder()
.client(httpClient)
.build();
}
}This SDK uses SLF4j for structured logging across HTTP requests, retries, pagination, streaming, and hooks. SLF4j provides comprehensive visibility into SDK operations.
Log Levels:
- DEBUG: High-level operations (HTTP requests/responses, retry attempts, page fetches, hook execution, stream lifecycle)
- TRACE: Detailed information (request/response bodies, backoff calculations, individual items processed)
Configuration:
Add your preferred SLF4j implementation to your project. For example, using Logback:
dependencies {
implementation 'ch.qos.logback:logback-classic:1.4.14'
}Configure logging levels in your logback.xml:
<configuration>
<appender name="STDOUT" class="ch.qos.logback.core.ConsoleAppender">
<encoder>
<pattern>%d{HH:mm:ss.SSS} [%thread] %-5level %logger{36} - %msg%n</pattern>
</encoder>
</appender>
<!-- SDK-wide logging -->
<logger name="org.openapis.openapi" level="DEBUG"/>
<!-- Component-specific logging -->
<logger name="org.openapis.openapi.utils.SpeakeasyHTTPClient" level="DEBUG"/>
<logger name="org.openapis.openapi.utils.Retries" level="DEBUG"/>
<logger name="org.openapis.openapi.utils.pagination" level="DEBUG"/>
<logger name="org.openapis.openapi.utils.Hooks" level="TRACE"/>
<root level="INFO">
<appender-ref ref="STDOUT"/>
</root>
</configuration>What Gets Logged:
- HTTP Client: Request/response details, headers (with sensitive headers redacted), bodies (at TRACE level)
- Retries: Retry attempts, backoff delays, exhaustion, non-retryable exceptions
- Pagination: Page fetches, pagination state, errors
- Streaming: Stream initialization, item processing, closure
- Hooks: Hook execution counts, operation IDs, exceptions
For backward compatibility, you can still use the legacy debug logging method:
SDK.builder()
.enableHTTPDebugLogging(true)
.build();Example output:
Sending request: http://localhost:35123/bearer#global GET
Request headers: {Accept=[application/json], Authorization=[******], Client-Level-Header=[added by client], Idempotency-Key=[some-key], x-speakeasy-user-agent=[speakeasy-sdk/java 0.0.1 internal 0.1.0 org.openapis.openapi]}
Received response: (GET http://localhost:35123/bearer#global) 200
Response headers: {access-control-allow-credentials=[true], access-control-allow-origin=[*], connection=[keep-alive], content-length=[50], content-type=[application/json], date=[Wed, 09 Apr 2025 01:43:29 GMT], server=[gunicorn/19.9.0]}
Response body:
{
"authenticated": true,
"token": "global"
}
WARNING: Debug logging should only be used for temporary debugging purposes. Leaving this option on in a production system could expose credentials/secrets in logs. Authorization headers are redacted by default. You can specify additional redacted header names via SpeakeasyHTTPClient.setRedactedHeaders.
NOTE: This is a convenience method that calls HTTPClient.enableDebugLogging(). The SpeakeasyHTTPClient honors this setting. If you are using a custom HTTP client, it is up to the custom client to honor this setting.
Another option is to set the System property -Djdk.httpclient.HttpClient.log=all. However, this option does not log request/response bodies.
This SDK is in beta, and there may be breaking changes between versions without a major version update. Therefore, we recommend pinning usage to a specific package version. This way, you can install the same version each time without breaking changes unless you are intentionally looking for the latest version.
While we value open-source contributions to this SDK, this library is generated programmatically. Any manual changes added to internal files will be overwritten on the next generation. We look forward to hearing your feedback. Feel free to open a PR or an issue with a proof of concept and we'll do our best to include it in a future release.