-
Notifications
You must be signed in to change notification settings - Fork 53
Java Wrapper
Please refer to the README of the Java examples for the instructions on how to run StandaloneExample and ClusterExample.
Valkey GLIDE provides support for both Cluster and Standalone and configurations. Please refer to the relevant section based on your specific setup.
Valkey GLIDE supports Cluster deployments, where the database is partitioned across multiple primary shards, with each shard being represented by a primary node and zero or more replica nodes.
To initialize a GlideClusterClient
, you need to provide a GlideClusterClientConfiguration
that includes the addresses of initial seed nodes. Valkey GLIDE automatically discovers the entire cluster topology, eliminating the necessity of explicitly listing all cluster nodes.
The NodeAddress
class represents the host and port of a cluster node. The host can be either an IP address, a hostname, or a fully qualified domain name (FQDN).
NodeAddress address = NodeAddress.builder()
.host("address.example.com")
.port(6379)
.build();
GlideClusterClientConfiguration config = GlideClusterClientConfiguration.builder()
.address(address)
.build();
GlideClusterClient clusterClient = GlideClusterClient.createClient(config).get();
In the cluster, data is divided into slots, and each primary node within the cluster is responsible for specific slots. Valkey GLIDE adheres to Valkey OSS guidelines when determining the node(s) to which a command should be sent in clustering mode.
For more details on the routing of specific commands, please refer to the documentation within the code for routing configuration.
When requests are dispatched to multiple shards in a cluster (as discussed in the Request routing section), the client needs to aggregate the responses for a given command. Valkey GLIDE follows Valkey OSS guidelines for determining how to aggregate the responses from multiple shards within a cluster.
To learn more about response aggregation for specific commands, please refer to the documentation within the code.
The cluster's topology can change over time. New nodes can be added or removed, and the primary node owning a specific slot may change. Valkey GLIDE is designed to automatically rediscover the topology whenever the server indicates a change in slot ownership. This ensures that the Valkey GLIDE client stays in sync with the cluster's topology.
Valkey GLIDE also supports Standalone deployments, where the database is hosted on a single primary node, optionally with replica nodes. To initialize a GlideClient
for a standalone setup, you should create a GlideClientConfiguration
that includes the addresses of primary and all replica nodes.
GlideClientConfiguration config = GlideClientConfiguration.builder()
.address(NodeAddress.builder()
.host("primary.example.com")
.port(6379)
.build())
.address(NodeAddress.builder()
.host("replica1.example.com")
.port(6379)
.build())
.address(NodeAddress.builder()
.host("replica2.example.com")
.port(6379)
.build())
.build();
GlideClient standaloneClient = GlideClient.createClient(config).get();
For information on the supported commands and their corresponding parameters, we recommend referring to the documentation in the code. This documentation provides in-depth insights into the usage and options available for each command.
Valkey strings store sequences of bytes, that may include text, serialized objects, or binary arrays. As such, to pass Valkey strings as arguments to commands, or receive Valkey strings in responses, Glide offers two APIs:
-
String
: for common caseUTF-8
converted strings keys andString
objects can be passed and receives as a JavaString
. -
GlideString
: to passbyte[]
data, aGlideString
container object can be passed as an argument to a command or received as a response from a command.
A rule about the API:
- Command signatures either take and return
String
's orGlideString
's, but not both. -
String
's are returned if the commands are passed inString
's. e.gCompletableFuture<String[]> mget(String[] keys)
-
GlideStrings
's are returned if the commands are passed inGlideStrings
's. e.gCompletableFuture<GlideString[]> mget(GlideString[] keys)
Arguments for commands that require a String
can also be substituted with GlideString
in order to pass in or return a binary value.
-
gs()
is a static constructor that can be called with abyte[]
orString
argument to convert toGlideString
. For example,
byte[] byteKey = Base64.getDecoder().decode("byteKey");
client.set(gs(byteKey), gs("GlideString value")).get();
- A
GlideString byte[]
object can be converted toUTF-8 String
by calling.getString()
on theGlideString
object. For example,
client.get(gs(byteKey)).get(); // "GlideString value" as a GlideString
client.get(gs(byteKey)).get().getString(); // "GlideString value" as a String
A transaction in Valkey Glide allows you to execute a group of commands in a single, atomic step. This ensures that all commands in the transaction are executed sequentially and without interruption. See Valkey Transactions.
This is equivalent to the Valkey commands MULTI / EXEC.
There are two primary modes for handling transactions in Glide:
-
Standalone Mode: Use the
Transaction
class. -
Cluster Mode: Use the
ClusterTransaction
class.
Transaction objects can be reused. If you need to execute a particular group of commands multiple times, you can simply resend the same transaction object.
Here's a simple example demonstrating how to create and execute a transaction in standalone mode:
// Initialize a transaction object
Transaction transaction = new Transaction();
// Add commands to the transaction
transaction.set("key", "value");
transaction.select(1); // Standalone command
transaction.get("key");
// Execute the transaction
Object[] result = client.exec(transaction).get();
System.out.println(Arrays.toString(result)); // Output: [OK, OK, None]
Valkey Glide supports command chaining within a transaction, allowing for a more concise and readable code. Here's how you can use chaining in transactions:
// Initialize a cluster transaction object
ClusterTransaction transaction = new ClusterTransaction();
// Chain commands
transaction.set("key", "value").get("key");
// Execute the transaction
Object[] result = client.exec(transaction).get();
System.out.println(Arrays.toString(result)); // Output: [OK, "value"]
Cluster Mode Considerations: When using ClusterTransaction
, all keys in the transaction must be mapped to the same slot.
Create a Transaction Object: Initialize either a Transaction
or a ClusterTransaction
object.
For a client with cluster-mode disabled:
Transaction transaction = new Transaction(); // For standalone mode
For a client with cluster-mode enabled:
ClusterTransaction transaction = new ClusterTransaction(); // For cluster mode
Adding Commands: Use the transaction object to queue up the desired commands.
transaction.set("key", "value");
transaction.get("key");
Executing the Transaction: Use the exec
method of the Valkey Glide client to execute the transaction.
client.exec(transaction).get();
Handling Results: The result of the transaction execution will be a list of responses corresponding to each command in the transaction.
Object[] result = client.exec(transaction).get();
System.out.println(result[0]); // Output: OK
System.out.println(result[1]); // Output: "value"
By default, when connecting to Valkey, Valkey GLIDEs operates in an unauthenticated mode.
Valkey GLIDE also offers support for an authenticated connection mode.
In authenticated mode, you have the following options:
- Use both a username and password, which is recommended and configured through ACLs on the server.
- Use a password only, which is applicable if the server is configured with the requirepass setting.
To provide the necessary authentication credentials to the client, you can use the ServerCredentials
class.
GlideClusterClientConfiguration config = GlideClusterClientConfiguration.builder()
.address(NodeAddress.builder()
.host("address.example.com")
.port(6379)
.build())
.credentials(ServerCredentials.builder()
.username("user1")
.password("passwordA")
.build())
.build();
GlideClusterClient client = GlideClusterClient.createClient(config).get();
GlideClientConfiguration config = GlideClientConfiguration.builder()
.address(NodeAddress.builder()
.host("primary.example.com")
.port(6379)
.build())
.credentials(ServerCredentials.builder()
.username("user1")
.password("passwordA")
.build())
.build();
GlideClient client = GlideClient.createClient(config).get();
Valkey GLIDE supports secure TLS connections to a data store.
It's important to note that TLS support in Valkey GLIDE relies on rusttls. Currently, Valkey GLIDE employs the default rustls settings with no option for customization.
GlideClusterClientConfiguration config = GlideClusterClientConfiguration.builder()
.address(NodeAddress.builder()
.host("adress.example.com")
.port(6379)
.build())
.useTLS(true)
.build();
GlideClusterClient client = GlideClusterClient.createClient(config).get();
GlideClientConfiguration config = GlideClientConfiguration.builder()
.address(NodeAddress.builder()
.host("primary.example.com")
.port(6379)
.build())
.useTLS(true)
.build();
GlideClient client = GlideClient.createClient(config).get();
By default, Valkey GLIDE directs read commands to the primary node that owns a specific slot. For applications that prioritize read throughput and can tolerate possibly stale data, Valkey GLIDE provides the flexibility to route reads to replica nodes.
Valkey GLIDE provides support for next read strategies, allowing you to choose the one that best fits your specific use case.
Strategy | Description |
---|---|
PRIMARY |
Always read from primary, in order to get the freshest data. |
PREFER_REPLICA |
Spread requests between all replicas in a round robin manner. If no replica is available, route the requests to the primary. |
GlideClusterClientConfiguration config = GlideClusterClientConfiguration.builder()
.address(NodeAddress.builder()
.host("address.example.com")
.port(6379)
.build())
.readFrom(ReadFrom.PREFER_REPLICA)
.build()
GlideClusterClient client = GlidesClusterClient.createClient(config).get();
client.set("key1", "val1").get();
/// get will read from one of the replicas
client.get("key1").get();
Valkey GLIDE allows you to configure timeout settings and reconnect strategies. These configurations can be applied through the GlideClusterClientConfiguration
and GlideClientConfiguration
parameters.
Configuration setting | Description | Default value |
---|---|---|
requestTimeout | This specified time duration, measured in milliseconds, represents the period during which the client will await the completion of a request. This time frame includes the process of sending the request, waiting for a response from the node(s), and any necessary reconnection or retry attempts. If a pending request exceeds the specified timeout, it will trigger a timeout error. If no timeout value is explicitly set, a default value will be employed. | 250 milliseconds |
reconnectStrategy | The reconnection strategy defines how and when reconnection attempts are made in the event of connection failures. | Exponential backoff |
GlideClusterClient config = GlideClusterClientConfiguration.builder()
.address(NodeAddress.builder()
.host("address.example.com")
.port(6379).build())
.requestTimeout(500)
.build();
GlideClusterClient client = GlideClusterClient.createClient(config).get();