Skip to content

Best practices

Client version

This page applies to Rust client version 2.0.0.

Sharing and reusing the client

Reuse a single client instance

The Aerospike client is thread-safe (Send and Sync). You should create one client per cluster and reuse it for the lifetime of your application.

  • Do: Create the client once (e.g. at startup) and pass references (&Client) or wrap in Arc<Client> when sharing across threads or async tasks.
  • Don’t: Create a new Client for every request or per thread. Each client manages its own connection pool and cluster state; multiple clients add unnecessary overhead and connection churn.

Single client in a multi-threaded or async environment

Because Client is Send + Sync, you can:

  • Share a reference across threads (e.g. Arc<Client>).
  • Use the same client from many concurrent async tasks (e.g. &Client in handlers).
  • Call client methods from a thread pool or a multi-threaded Tokio runtime; the client uses internal synchronization for connection and cluster state.

Example: one client, many concurrent tasks (async)

use std::sync::Arc;
use aerospike::{Client, ClientPolicy, ReadPolicy, Bins, as_key};
#[tokio::main]
async fn main() -> Result<(), Box<dyn std::error::Error>> {
let policy = ClientPolicy::default();
let client = Client::new(&policy, &"127.0.0.1:3000".to_string()).await?;
let client = Arc::new(client);
// Spawn multiple tasks using the same client
let mut handles = vec![];
for i in 0..10 {
let client = Arc::clone(&client);
handles.push(tokio::spawn(async move {
let key = as_key!("test", "myset", i);
client.get(&ReadPolicy::default(), &key, Bins::All).await
}));
}
for h in handles {
let _ = h.await?;
}
Ok(())
}

πŸ“– API Reference: Client::new | Client::get

Example: sync client with multiple threads

With the sync feature, use the same pattern: one Client (e.g. inside Arc) and clone the Arc for each thread.

use std::sync::Arc;
use std::thread;
use aerospike::{Client, ClientPolicy, ReadPolicy, Bins, as_key};
fn main() -> Result<(), Box<dyn std::error::Error>> {
let client = Client::new(&ClientPolicy::default(), &"127.0.0.1:3000".to_string())?;
let client = Arc::new(client);
let mut handles = vec![];
for i in 0..4 {
let client = Arc::clone(&client);
handles.push(thread::spawn(move || {
let key = as_key!("test", "myset", i);
client.get(&ReadPolicy::default(), &key, Bins::All)
}));
}
for h in handles {
let _ = h.join().unwrap()?;
}
Ok(())
}

πŸ“– API Reference: Client::new | Client::get

When to create a new client

Create a new client only when:

  • Connecting to a different cluster (e.g. another environment or region).
  • You have reconfigured the cluster (e.g. new seed list) and need a fresh connection pool and cluster view.
  • The previous client has been closed and you need to reconnect.

For normal request handling, use one shared client and reuse it.

User-defined keys and storage

Aerospike identifies records by a digest (a hash of namespace, set, and your key). By default, only this digest is stored; the original user key (e.g. "user_123" or 42) is not stored on the server. Single-record reads still work because your application already has the key and the client recomputes the digest.

If you need the key to be stored and returned (e.g. in scan/query results or when iterating), use one of these:

  • Set WritePolicy.send_key to true β€” The client sends the user key to the server on every write. The server stores it with the record and returns it on reads, scans, and queries. Use this when you want the key available everywhere (scans, queries, secondary indexes) without putting it in a bin.

  • Store the key in a bin β€” Write the key as normal bin data (e.g. a bin named "user_key") and read it back when you read the record. The server still identifies the record by digest; the key is just application data. Use this when you prefer to manage the key explicitly in your schema or need a different shape than the primary key.

Batch operations on one record: operate()

Use Client::operate() to run multiple operations (e.g. add, get, put) on the same record in a single round-trip. The server runs the ops in order and returns the result (e.g., bins from read ops).

Example: add then get in one call

use aerospike::operations;
use aerospike::{Client, ClientPolicy, WritePolicy};
// One round-trip: add 10 to "counter", then read "counter" back.
let add_op = as_bin!("counter", 10i64);
let ops = vec![operations::add(&add_op), operations::get_bin("counter")];
let rec = client.operate(&wpolicy, &key, &ops).await?;
// rec.bins contains the result of the get

πŸ“– API Reference: Client::operate | operations::add | operations::get_bin

Replace mode for full-record overwrites

When you create or update all bins for a record in one command, use Replace mode so the server can overwrite the record without reading it first. Do not use Replace when you are only updating a subset of bins, or you will remove bins you didn’t send.

let mut policy = WritePolicy::default();
policy.record_exists_action = RecordExistsAction::Replace;
client.put(&policy, &key, &bins).await?;

πŸ“– API Reference: WritePolicy::default | RecordExistsAction | Client::put

Reuse policies

Each command takes a policy as the first argument. If the policy is the same for a group of commands, create it once and reuse it instead of creating a new policy for each call.

let mut policy = WritePolicy::default();
policy.record_exists_action = RecordExistsAction::Replace;
client.put(&policy, &key1, &bins1).await?;
client.put(&policy, &key2, &bins2).await?;

πŸ“– API Reference: WritePolicy::default | RecordExistsAction | Client::put

Error handling

Client methods return Result<T, aerospike::Error>. For the Error enum, pattern matching, propagation with ?, using anyhow or thiserror, and matching on specific errors before converting, see Error handling.

Next steps

Usage examples

Ready for more code examples? We have usage examples for all the basic CRUD operations.

Usage examples β†’

Error handling

Actionable errors with recovery suggestions. Know exactly what went wrong and how to fix it.

Error handling β†’

Feedback

Was this page helpful?

What type of feedback are you giving?

What would you like us to know?

+Capture screenshot

Can we reach out to you?