google-cloud-spanner

Google Cloud Platform GCE spanner library.

crates.io

Installation

[dependencies] google-cloud-spanner = 0.1.0

Quick Start

Create Client and call transaction API same as Google Cloud Go.

```rust use googlecloudspanner::client::Client;

[tokio::main]

async fn main() {

const DATABASE: &str = "projects/your_project/instances/your-instance/databases/your-database";

// Create spanner client
let mut client = match Client::new(DATABASE).await {
    Ok(client) => client,
    Err(e) => { /* handle error */ }
};

} ```

Example

Here is the example with using Warp. * https://github.com/yoshidan/google-cloud-rust-example/tree/main/spanner/rust

Performance

Result of the 24 hours Load Test.

| Metrics | This library | Google Cloud Go | | -------- | ----------------| ----------------- | | RPS | 438.4 | 443.4 | | Used vCPU | 0.37 ~ 0.42 | 0.65 ~ 0.70 |

Test condition * 2.0 vCPU GKE Autopilot Pod * 1 Node spanner database server * 100 Users * Here is the application for Load Test.

Documentation

Overview

Package spanner provides a client for reading and writing to Cloud Spanner databases. See the packages under admin for clients that operate on databases and instances.

Creating a Client

To start working with this package, create a client that refers to the database of interest:

```rust use googlecloudspanner::client::Client;

const DATABASE: &str = "projects/your_projects/instances/your-instance/databases/your-database"; let mut client = match Client::new(DATABASE).await { Ok(client) => client, Err(e) => { /* handle error */ } };

client.close(); ```

Remember to close the client after use to free up the sessions in the session pool.

To use an emulator with this library, you can set the SPANNEREMULATORHOST environment variable to the address at which your emulator is running. This will send requests to that address instead of to Cloud Spanner. You can then create and use a client as usual:

```rust use googlecloudspanner::client::Client;

// Set SPANNEREMULATORHOST environment variable. std::env::setvar("SPANNEREMULATOR_HOST", "localhost:9010");

// Create client as usual. const DATABASE: &str = "projects/your_projects/instances/your-instance/databases/your-database"; let mut client = match Client::new(DATABASE).await { Ok(client) => client, Err(e) => { /* handle error */ } }; ```

Simple Reads and Writes

Two Client methods, Apply and Single, work well for simple reads and writes. As a quick introduction, here we write a new row to the database and read it back:

```rust use googlecloudspanner::mutation::insert; use googlecloudspanner::key::Key; use googlecloudspanner::value::CommitTimestamp; use googlecloudspanner::statement::ToKind;

let mutation = insert("User", vec!["UserID", "Name", "UpdatedAt"], // columns vec![1.tokind(), "name".tokind(), CommitTimestamp::new().tokind()] // values ); let committimestamp = client.apply(vec![mutation]).await?;

let row = client.single().await?.read_row( "User", vec!["UserID", "Name", "UpdatedAt"], Key::one(1), ).await?; ```

All the methods used above are discussed in more detail below.

Keys

Every Cloud Spanner row has a unique key, composed of one or more columns. Construct keys with a literal of type Key:

```rust use googlecloudspanner::key::Key;

let key1 = Key::one("key"); ```

KeyRanges

The keys of a Cloud Spanner table are ordered. You can specify ranges of keys using the KeyRange type:

```rust use googlecloudspanner::key::{Key,KeyRange,RangeKind};

let range1 = KeyRange::new(Key::one(1), Key::one(100), RangeKind::ClosedClosed); let range2 = KeyRange::new(Key::one(1), Key::one(100), RangeKind::ClosedOpen); let range3 = KeyRange::new(Key::one(1), Key::one(100), RangeKind::OpenOpen); let range4 = KeyRange::new(Key::one(1), Key::one(100), RangeKind::OpenClosed); ```

KeySets

A KeySet represents a set of keys. A single Key or KeyRange can act as a KeySet.

```rust use googlecloudspanner::key::Key; use googlecloudspanner::statement::ToKind;

let key1 = Key::new(vec!["Bob".tokind(), "2014-09-23".tokind()]); let key2 = Key::new(vec!["Alfred".tokind(), "2015-06-12".tokind()]); let keys = vec![key1,key2] ;

let compositekeys = vec![ Key::new(vec!["composite-pk-1-1".tokind(),"composite-pk-1-2".tokind()]), Key::new(vec!["composite-pk-2-1".tokind(),"composite-pk-2-2".to_kind()]) ]; ```

all_keys returns a KeySet that refers to all the keys in a table:

```rust use googlecloudspanner::key::all_keys;

let ks = all_keys(); ```

Transactions

All Cloud Spanner reads and writes occur inside transactions. There are two types of transactions, read-only and read-write. Read-only transactions cannot change the database, do not acquire locks, and may access either the current database state or states in the past. Read-write transactions can read the database before writing to it, and always apply to the most recent database state.

Single Reads

The simplest and fastest transaction is a ReadOnlyTransaction that supports a single read operation. Use Client.Single to create such a transaction. You can chain the call to Single with a call to a Read method.

When you only want one row whose key you know, use ReadRow. Provide the table name, key, and the columns you want to read:

```rust use googlecloudspanner::key::Key;

let row = client.single().await?.read_row("Table", vec!["col1", "col2"], Key::one(1)).await?; ```

Read multiple rows with the Read method. It takes a table name, KeySet, and list of columns:

```rust use googlecloudspanner::key::Key; use googlecloudspanner::statement::ToKind;

let iter1 = client.single().await?.read("Table", vec!["col1", "col2"], vec![ Key::one("pk1"), Key::one("pk2") ]).await?; ```

RowIterator also follows the standard pattern for the Google Cloud Client Libraries:

```rust use googlecloudspanner::key::Key;

let iter = client.single().await?.read("Table", vec!["col1", "col2"], vec![ Key::one("pk1"), Key::one("pk2") ]).await?;

loop { let row = match iter.next().await? { Some(row) => row, None => break, };

// use row }; ```

Statements

The most general form of reading uses SQL statements. Construct a Statement with NewStatement, setting any parameters using the Statement's Params map:

```rust use googlecloudspanner::statement::Statement;

let mut stmt = Statement::new("SELECT * FROM User WHERE UserId = @UserID"); stmt.addparam("UserId", userid); ```

You can also construct a Statement directly with a struct literal, providing your own map of parameters.

Use the Query method to run the statement and obtain an iterator:

rust let iter = client.single().await?.query(stmt).await?;

Rows

Once you have a Row, via an iterator or a call to read_row, you can extract column values in several ways. Pass in a pointer to a Rust variable of the appropriate type when you extract a value.

You can extract by column position or name:

rust let value = row.column::<String>(0)?; let nullable_value = row.column::<Option<String>>(1)?; let array_value = row.column_by_name::<Vec<i64>>("array")?; let struct_data = row.column_by_name::<Vec<User>>("struct_data")?;

Or you can define a Rust struct that corresponds to your columns, and extract into that: * TryFromStruct trait is required

```rust use googlecloudspanner::row::TryFromStruct; use googlecloudspanner::row::Struct;

pub struct User { pub userid: String, pub premium: bool, pub updatedat: chrono::DateTime }

impl TryFromStruct for User { fn tryfrom(s: Struct<'>) -> Result { Ok(User { userid: s.columnbyname("UserId")?, premium: s.columnbyname("Premium")?, updatedat: s.columnbyname("UpdatedAt")?, }) } } ```

Multiple Reads

To perform more than one read in a transaction, use ReadOnlyTransaction:

```rust use googlecloudspanner::statement::Statement; use googlecloudspanner::key::Key;

let tx = client.readonlytransaction().await?;

let mut stmt = Statement::new("SELECT * , \ ARRAY (SELECT AS STRUCT * FROM UserItem WHERE UserId = @Param1 ) AS UserItem, \ ARRAY (SELECT AS STRUCT * FROM UserCharacter WHERE UserId = @Param1 ) AS UserCharacter \ FROM User \ WHERE UserId = @Param1");

stmt.addparam("Param1", userid); let mut reader = tx.query(stmt).await?; loop { let row = match reader.next().await?{ Some(row) => row, None => println!("end of record") }; let userid= row.columnbyname::("UserId")?; let useritems= row.columnbyname::>("UserItem")?; let usercharacters = row.columnbyname::>("UserCharacter")?; data.push(userid); }

let mut reader2 = tx.read("User", vec!["UserId"], vec![ Key::one("user-1"), Key::one("user-2") ]).await?;

// iterate reader2 ...

let mut reader3 = tx.read("Table", vec!["col1", "col2"], vec![ Key::new(vec!["composite-pk-1-1".tokind(),"composite-pk-1-2".tokind()]), Key::new(vec!["composite-pk-2-1".tokind(),"composite-pk-2-2".tokind()]) ]).await?;

// iterate reader3 ... ```

Timestamps and Timestamp Bounds

Cloud Spanner read-only transactions conceptually perform all their reads at a single moment in time, called the transaction's read timestamp. Once a read has started, you can call ReadOnlyTransaction's Timestamp method to obtain the read timestamp.

By default, a transaction will pick the most recent time (a time where all previously committed transactions are visible) for its reads. This provides the freshest data, but may involve some delay. You can often get a quicker response if you are willing to tolerate "stale" data. You can control the read timestamp selected by a transaction. For example, to perform a query on data that is at most one minute stale, use

```rust use googlecloudspanner::value::TimestampBound;

let tx = client.singlewithtimestampbound(TimestampBound::maxstaleness(std::time::Duration::from_secs(60))).await?; ```

See the documentation of TimestampBound for more details.

Mutations

To write values to a Cloud Spanner database, construct a Mutation. The spanner package has functions for inserting, updating and deleting rows. Except for the Delete methods, which take a Key or KeyRange, each mutation-building function comes in three varieties.

One takes lists of columns and values along with the table name:

```rust use googlecloudspanner::mutation::insert; use googlecloudspanner::value::CommitTimestamp; use googlecloudspanner::statement::ToKind;

let mutation = insert("User", vec!["UserID", "Name", "UpdatedAt"], // columns vec![1.tokind(), "name".tokind(), CommitTimestamp::new().to_kind()] // values ); ```

And the third accepts a struct value, and determines the columns from the struct field names:

```rust use googlecloudspanner::statement::Kinds; use googlecloudspanner::statement::Types; use googlecloudspanner::statement::ToStruct; use googlecloudspanner::statement::ToKind; use googlecloudspanner::value::CommitTimestamp;

pub struct User { pub userid: String, pub premium: bool, pub updatedat: chrono::DateTime }

impl ToStruct for User { fn tokinds(&self) -> Kinds { vec![ ("UserId", self.userid.tokind()), ("Premium", self.premium.tokind()), ("UpdatedAt", CommitTimestamp::new().to_kind()) ] }

fn get_types() -> Types {
    vec![
        ("UserId", String::get_type()),
        ("Premium", bool::get_type()),
        ("UpdatedAt", CommitTimestamp::get_type())
    ]
}

} ```

```rust use uuid::Uuid; use googlecloudspanner::mutation::insertorupdate_struct;

let newuser = model::User { userid: Uuid::newv4().tostring(), premium: true, updatedat: chrono::Utc::now(), }; let newuser2 = model::User { userid: Uuid::newv4().tostring(), premium: false, updatedat: chrono::Utc::now(), }; let m1 = insertorupdatestruct("User", newuser); let m2 = insertorupdatestruct("User", newuser2); ```

Writes

To apply a list of mutations to the database, use Apply: ```rust use googlecloudspanner::mutation::insert; use googlecloudspanner::mutation::delete; use googlecloudspanner::key::allkeys; use googlecloud_spanner::statement::ToKind;

let m1 = delete("Table", allkeys()); let m2 = insert("Table", vec!["col1", "col2"], vec!["1".tokind(), "2".tokind()]); let committimestamp = client.apply(vec![m1,m2]).await?; ```

If you need to read before writing in a single transaction, use a ReadWriteTransaction. ReadWriteTransactions may be aborted automatically by the backend and need to be retried. You pass in a function to ReadWriteTransaction, and the client will handle the retries automatically. Use the transaction's BufferWrite method to buffer mutations, which will all be executed at the end of the transaction:

The Error of the read_write_transaction must implements * From * From * googlecloudgax::invoke::TryAs

```rust use googlecloudgax::invoke::TryAs; use googlecloudgoogleapis::Status;

use googlecloudspanner::mutation::update; use googlecloudspanner::key::Key; use googlecloudspanner::value::Timestamp;

[derive(thiserror::Error, Debug)]

enum Error { #[error(transparent)] ParseError(#[from] googlecloudspanner::row::Error), #[error(transparent)] GRPC(#[from] Status), #[error(transparent)] SessionError(#[from] googlecloudspanner::session::SessionError), }

impl TryAs for Error { fn try_as(&self) -> Result<&Status,()> { match self { Error::GRPC(s) => Ok(s), _ => Err(()) } } }

let txresult: Result<(Option,()), Error> = client.readwritetransaction(|mut tx| async { // The transaction function will be called again if the error code // of this error is Aborted. The backend may automatically abort // any read/write transaction if it detects a deadlock or other problems. let result: Result<(), Error> = async { let mut reader = tx.read("UserItem", vec!["UserId", "ItemId", "Quantity"], Key::one(userid.tostring())).await?; let ms = loop { let mut ms = vec![]; let row = reader.next().await?; match row { Some(row) => { let itemid = row.columnbyname::("ItemId")?; let quantity = row.columnbyname::("Quantity")?; ms.push(update("UserItem", vec!["Quantity"], vec![ userid.tostring().tokind(), itemid.tokind(), (quantity + 1).tokind(), ])); } None => break ms } };

   // The buffered mutation will be committed.  If the commit
    // fails with an Aborted error, this function will be called again
   tx.buffer_write(ms);
   Ok(())
}.await;

//return owner ship of read_write_transaction
(tx, result)

}).await; ```

DML and Partitioned DML

Spanner supports DML statements like INSERT, UPDATE and DELETE. Use ReadWriteTransaction.Update to run DML statements. It returns the number of rows affected. (You can call use ReadWriteTransaction.Query with a DML statement. The first call to Next on the resulting RowIterator will return iterator.Done, and the RowCount field of the iterator will hold the number of affected rows.)

For large databases, it may be more efficient to partition the DML statement. Use client.PartitionedUpdate to run a DML statement in this way. Not all DML statements can be partitioned.

```rust use googlecloudspanner::client::Client; use googlecloudspanner::statement::Statement;

let client = Client::new(DATABASE).await?; let stmt = Statement::new("UPDATE User SET Value = 'aaa' WHERE Value IS NOT NULL"); let result = client.partitioned_update(stmt).await?; ```