Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

More documentation #495

Draft
wants to merge 36 commits into
base: series/2.x
Choose a base branch
from
Draft
Show file tree
Hide file tree
Changes from 34 commits
Commits
Show all changes
36 commits
Select commit Hold shift + click to select a range
1e47cdd
added architecture diagram
googley42 Sep 18, 2024
8e8ddec
more wording on architecture
googley42 Sep 18, 2024
7cfd607
add doc links to dependencies
googley42 Sep 22, 2024
e060706
architecture clean up
googley42 Sep 22, 2024
d96a7cd
more place holders
googley42 Sep 22, 2024
9f86fbe
more place holders
googley42 Sep 22, 2024
10a8f01
Attribute value docs
googley42 Sep 25, 2024
b56f878
more on attribute values
googley42 Oct 9, 2024
5fc49b9
more hi level API
googley42 Oct 9, 2024
5801c27
low level API concepts
googley42 Oct 12, 2024
af67705
nest docs under reference/hi-level-api
googley42 Oct 12, 2024
54ace13
nest docs under reference/low-level-api
googley42 Oct 12, 2024
c379865
move attribute-value.md
googley42 Oct 12, 2024
cba54d8
add PKs to hi and lo folders
googley42 Oct 12, 2024
5826fb1
delete item1 placeholder
googley42 Oct 12, 2024
de0041e
remove duplicate title sections
googley42 Oct 12, 2024
81a9eec
improve architecture.md
googley42 Oct 12, 2024
e7731cd
improve example
googley42 Oct 12, 2024
1115768
started hi-level-api
googley42 Oct 14, 2024
6bba6f5
low level index, added testing placeholder
googley42 Oct 15, 2024
2b6f681
methods on AttrMap
googley42 Oct 15, 2024
d6ddf7e
example of AttrMap API
googley42 Oct 15, 2024
0f50ff0
more hi level api sub topics
googley42 Oct 16, 2024
c701103
added dynamodb-json placeholder and more CRUD
googley42 Oct 17, 2024
3027fa1
initial crud doc
googley42 Oct 19, 2024
9c46f08
Creating Models structure
googley42 Oct 19, 2024
cb8dd42
CRUD restructure
googley42 Oct 19, 2024
10de5a5
fix example
googley42 Oct 20, 2024
54a20d0
query and scan restructure, scanAll page
googley42 Oct 21, 2024
8a380a6
query and scan pages
googley42 Oct 21, 2024
1c7fdc5
add index combinator
googley42 Oct 21, 2024
3496d03
hi-level-api, data-modelling and more update
googley42 Nov 30, 2024
df8c22c
added auto batching and parallelisation page
googley42 Dec 1, 2024
7cde0fb
more on auto batching and parallelisation
googley42 Dec 1, 2024
eec1a84
integration of batching with streaming, scaladoc improvements
googley42 Dec 2, 2024
da33bf7
creating models sections and typo fixes
googley42 Dec 4, 2024
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
10 changes: 9 additions & 1 deletion docs/concepts/architecture.md
Original file line number Diff line number Diff line change
Expand Up @@ -5,4 +5,12 @@ title: "Architecture"

# Architecture

TODO
In the below diagram you can see the different layers of library and its dependencies.
googley42 marked this conversation as resolved.
Show resolved Hide resolved

- The user can chose to call the High Level Type Safe API which is based on types from Scala case classes (in green) or the Low Level Type Safe API (in blue) which is based on DynamoDB specific abstractions like `AttributeValue`.
- High Level Type Safe API has a dependency on [ZIO Schema](https://zio.dev/zio-schema/) for compile time type information that is used to automatically generate codecs and in turn calls the ...
- Low Level API for query creation and execution, and which has in turn has a dependency on [ZIO AWS](https://zio.dev/zio-aws/), which in turn has a dependency on the AWS Java SDK.

![architecture diagram](architecture.png)

Although there are two APIs, the High Level API is the recommended way to interact with the library as it provides a type safe way to interact with DynamoDB together with a huge amount of boilerplate reduction.
Binary file added docs/concepts/architecture.png
Loading
Sorry, something went wrong. Reload?
Sorry, we cannot display this file.
Sorry, this file is invalid so it cannot be displayed.
62 changes: 60 additions & 2 deletions docs/concepts/high-level-api.md
Original file line number Diff line number Diff line change
Expand Up @@ -3,5 +3,63 @@ id: high-level-api
title: "High Level API"
---

# High Level API
TODO
The high level API relies on two mechanisms to provide type safety and reduce boilerplate code:

1. Automatic ZIO Schema derivation for case classes
2. Semi automatic generation of `ProjectionExpression`'s for case classes and sealed traits

## ZIO Schema derivation

The High Level API methods rely on a ZIO Schema for a particular type being in implicit scope. This is achieved using the `DeriveSchema.gen` macro. Internally codecs are automatically generated for the case classes based on the meta data provided by the `Schema`'s.

```scala
final case class Person(id: String, name: String)
object Person {
implicit val schema: Schema.CaseClass2[String, String, Person] = DeriveSchema.gen[Person]
}
```

## Projection Expression generation

The automated generation of `ProjectionExpression`'s is achieved using the `ProjectionExpression.accessors` method. For classes this method generates a `ProjectionExpression` for each field. For sealed traits it generates a `ProjectionExpression` for each child.

```scala
final case class Person(id: String, name: String)
object Person {
implicit val schema // ...

val (id, name) = ProjectionExpression.accessors[Person]
}
```

## Using a `ProjectionExpression` as a springboard to creating further expressions

In the above example `Person.id` and `Person.name` are `ProjectionExpression`s automatically generated by the `ProjectionExpression.accessors` method.
They are used as a springboard for creating further type safe APIs eg
- `Person.id === "1"` creates a `ConditionExpression`
- `Person.name.set("Smith")` creates an `UpdateExpression`
- `Person.id.partitionKey === "1"` creates a primary key expression

## `DynamoDBQuery` CRUD methods

There are also type safe query creation methods in the `DynamoDBQuery` companion object such as `get`, `put`, `update`, `deleteFrom`, `queryAll` and all these take expressions as arguments. So taking our example further we can see how all these APIs can be used together to create a type safe CRUD queries:

```scala
final case class Person(id: String, name: String)
object Person {
implicit val schema: Schema.CaseClass2[String, String, Person] = DeriveSchema.gen[Person]
val (id, name) = ProjectionExpression.accessors[Person]
}

val table = "person-table"
val person = Person("1", "John")
for {
_ <- DynamoDBQuery.put(table, person).where(!Person.id.exists).execute
found <- DynamoDBQuery.get(table)(Person.id.partitionKey === "1").execute.absolve
_ <- DynamoDBQuery.update(table)(Person.id.partitionKey === "1")(
Person.name.set("Smith")
).execute
_ <- ZIO.debug(found == person) // true
} yield ()
```

23 changes: 21 additions & 2 deletions docs/concepts/low-level-api.md
Original file line number Diff line number Diff line change
Expand Up @@ -3,5 +3,24 @@ id: low-level-api
title: "Low Level API"
---

# Low Level API
TODO
The low level API provides low level query creation and execution while still offering a large reduction in boilerplate. It's is based one to one on DynamoDB abstractions and the surface area consists of:
- `AttrMap` which is a convenience container with automatic conversion between Scala values and `AttributeValue`'s. It also has type aliases of `PrimaryKey` and `Item` (see reference section for more details)
- `$` function for creating untyped `ProjectionExpression`s eg `$("person.address.houseNumber")`
- query methods in the `DynamoDBQuery` companion object that all contain the word `Item` such as `getItem`, `putItem`, `updateItem`, `deleteItem`, `queryAllItem`.
- Expressions - most of these query methods take expressions as arguments. Once we have a `ProjectionExpression` via the dollar function we can use it as a springboard to create further expressions such as `ConditionExpression`, `UpdateExpression` and `PrimaryKeyExpression`:
- `ConditionExpression`'s - `$("name") === "John"`
- `UpdateExpression`'s - `$("name").set("Smith")`

However there are some caveats to using the Low Level API:
- It is not type safe - subtle runtime errors can occur - for example if there are typos in the field names, or if incompatible types are used in expressions.
- Serialization and deserialization of case classes is the responsibility of the user - this is usually a major burden.

An example of a complete low level query is shown below:
```scala
for {
_ <- DynamoDBQuery.putItem("person-table", Item("id" -> "1", "name" -> "John", "age" -> 42)).execute
maybeFound <- DynamoDBQuery.getItem("person-table")(PrimaryKey("id" -> "1")).execute
_ <- DynamoDBQuery.updateItem("person-table")(PrimaryKey("id" -> "1"))($("name").set("Smith") + $("age").set(21)).execute
_ <- DynamoDBQuery.deleteItem("person-table")(PrimaryKey("id" -> "1")).execute
} yield ()
```
1 change: 0 additions & 1 deletion docs/concepts/transactions.md
Original file line number Diff line number Diff line change
@@ -1,7 +1,6 @@
---
id: transactions
title: "DynamoDB Transactions"
sidebar_label: "Transactions"
---

[Transactions](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/transaction-apis.html) are as simple as calling the `.transaction` method on a `DynamoDBQuery`. As long as every component of the query is a valid transaction item and the `DynamoDBQuery` does not have a mix of get and write transaction items. A list of valid items for both types of queries is listed below.
Expand Down
2 changes: 0 additions & 2 deletions docs/guides/cheat-sheet.md
Original file line number Diff line number Diff line change
Expand Up @@ -3,8 +3,6 @@ id: cheat-sheet
title: "High Level API Cheat Sheet"
---

# High Level API Cheat Sheet

Note this guide assumes the reader has some basic knowledge of [AWS DynamoDB API](https://docs.aws.amazon.com/amazondynamodb/latest/developerguide/HowItWorks.CoreComponents.html).

Assuming the below model
Expand Down
4 changes: 1 addition & 3 deletions docs/guides/codec-customization.md
Original file line number Diff line number Diff line change
Expand Up @@ -3,8 +3,6 @@ id: codec-customization
title: "Codec Customization"
---

# Default encoding

## Sealed trait members that are case classes

```scala
Expand Down Expand Up @@ -120,7 +118,7 @@ Mapping for `Box(Amber(42))` would be `Map(trafficLightColour -> Map(String(red_

## Recommendations
For greenfield development it is recommended to use:
- the default encoding which uses an intermediate map ([see above](#default-encoding)) - (note this mapping does not work with top level sum types as it requires an intermediate map and partition keys must be scalar values) *or*
- the default encoding which uses an intermediate map (see the above default encoding) - (note this mapping does not work with top level sum types as it requires an intermediate map and partition keys must be scalar values) *or*
- `@discriminatorName` encoding ([see above](#customising-encodings-via-annotations)) if you would like a more compact encoding - note this *must* be used for top level sum types


55 changes: 55 additions & 0 deletions docs/guides/data-modelling.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,55 @@
---
id: data-modelling
title: "Data Modelling Limitations"
---

The High Level API relies heavily on ZIO Schema and inherits some of it's limitations, namely:

- A maximum of **22** fields per case class
- Deep Object-Oriented hierarchies with abstract classes/fields are not supported - only hierarchies one level deep are supported

At first glance these seem limitations seem quite restrictive, however the next sections describe how these can be overcome.

## A maximum of **22** fields per case class
The high level API uses the Reified Optics feature of ZIO Schema to generate optics for case classes. This feature has a limitation of 22 fields per case class.

This limitation is something to be aware of when designing your models. In practice however this limitation can be overcome by using nested case classes and in the case of deeply nested hierarchies, by using product and sum types (see section below).

## Deep OO Style hierarchies are not supported - modelling data using Product and Sum Types
Deep Object-Oriented like hierarchies with abstract classes/fields are not supported - only hierarchies one level deep are supported - again this is a limitation of ZIO Schema - however these limitations can be overcome by using product and types rather than inheritance.


```scala
object OopStyle {
// ensure that all concrete classes have id field
sealed trait Invoice {
def id: Int
}
// (1) Intermediate abstraction with abstract fields - not supported by ZIO Schema
sealed trait Billed extends Invoice {
def amount: Double
}
final case class BilledMonthly(id: Int, amount: Double, month: Int) extends Billed
final case class BilledYearly(id: Int, amount: Double, year: Int) extends Billed
final case class PreBilled(id: Int, count: Int) extends Invoice
}

// FP style modelling uses pure data (product and sum types) rather than inheritance hence avoiding classes like (1)
object FPStyle {
sealed trait BilledBody
final case class BilledMonthly(month: Int) extends BilledBody
final case class BilledYearly(year: Int) extends BilledBody

sealed trait InvoiceBody
// (3) extract product refactoring
final case class Billed(amount: Double, billedBody: BilledBody) extends InvoiceBody
final case class PreBilled(count: Int) extends InvoiceBody

// (2) extract product refactoring
final case class Invoice(int: Int, body: InvoiceBody)
}
```

By using the FP approach to modelling we reduce the size of the concrete classes.

For brevity the above examples do not show the full integration with ZIO Schema - [for a full example see this IT test](https://github.com/zio/zio-dynamodb/blob/series/2.x/dynamodb/src/it/scala/zio/dynamodb/TypeSafeApiAlternateModeling.scala).
6 changes: 6 additions & 0 deletions docs/guides/testing.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,6 @@
---
id: testing
title: "Testing ZIO DynamoDB Applications"
---

TODO
8 changes: 0 additions & 8 deletions docs/reference/attribute-value.md

This file was deleted.

58 changes: 58 additions & 0 deletions docs/reference/auto-batching-and-parallelisation.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,58 @@
---
id: auto-batching-and-parallelisation
title: "Auto batching and parallelisation"
---

When `DynamoDBQuery`'s are composed either manually via the `zip` combinator or automatically using the `DynamoDBQuery.forEach` function they become eligible for auto-batching and parallelisation.

```scala
val batchedWrite1 = DynamoDBQuery.put("person", Person("1", "John", 21))
.zip(DynamoDBQuery.put("person", Person("2", "Jane", 22)))

val batchedWrite2 = DynamoDBQuery.forEach(people)(person => put("person", person))

for {
_ <- batchedWrite1.execute // PutItem operations will be batched
_ <- batchedWrite2.execute // PutItem operations will be batched
} yield ()
```

## Rules for determining auto-batching vs parallelisation behaviour

The rules for determining whether a query is auto-batched are determined by what query types are eligible for batching in the AWS API. The [BatchWriteItem](https://docs.aws.amazon.com/amazondynamodb/latest/APIReference/API_BatchWriteItem.html) operation can only deal with `PutItem` and `DeleteItem` operations. Furthermore, for both of these operations - condition expressions are not allowed. The AWS [BatchGetItem](https://docs.aws.amazon.com/amazondynamodb/latest/APIReference/API_GetItem.html) operation is used for batching `GetItems`'s .

So the rules are follows:

- A query only qualifies for auto-batching if it passes the following criteria:
- The query is a `PutItem` or `DeleteItem` operation (`put` and `deleteFrom` in the High Level API)
- The query does not have a condition expression
- The query is a `GetItem` operation (`get` in the High Level API)
- The query's projection expression list contains the primary key - this is required to match the response data to the request. Note all fields are included by default so this is only a concern if you explicitly specify the projection expression.
- If a query does not qualify for auto-batching it will be parallelised automatically

## Maximum batch sizes for `BatchWrireItem` and `BatchGetItem`

When using the `zip` or `forEach` operations one thing to bear in mind is the maximum number of queries that the `BatchWrireItem` and `BatchGetItem` operations can handle:

- `BatchWriteItem` can handle up to **25** `PutItem` or `DeleteItem` operations
- `BatchGetItem` can handle up to **100** `GetItem` operations

If these are exceeded then you will get a runtime AWS error. For further information please refer to the AWS documentation linked above.

## Automatic retry of unprocessed batch items/keys

Note that both the AWS `BatchWriteItem` and `BatchGetItem` operations return a list of unprocessed items/keys. If this list is non-empty then the operation are retried automatically by the ZIO DynamoDB library.

If retries do not succeed in eliminating the unprocessed items/keys then the whole batch is failed with a `BatchError.WriteError`/`BatchError.GetError` - both of which will contain a list of the unprocessed items/keys.

The default retry policy is:

```scala
Schedule.recurs(3) && Schedule.exponential(50.milliseconds)
```

This can be overridden by using the `withRetryPolicy` combinator:

```scala
batchedWrite2.withRetryPolicy(myCustomRetryPolicy).execute
```
4 changes: 4 additions & 0 deletions docs/reference/dynamodb-json.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,4 @@
---
id: dynamodb-json
title: "DynamoDB JSON Module"
---
17 changes: 15 additions & 2 deletions docs/reference/dynamodb-query.md
Original file line number Diff line number Diff line change
Expand Up @@ -3,6 +3,19 @@ id: dynamodb-query
title: "DynamoDBQuery"
---

# DynamoDBQuery
TODO

TODO
interaction with DynamoDBExecutor?

- put
- get
- update
- delete

- Execution

- combinators - maybe a table of them?
- where
- whereKey
- limit
- etc
6 changes: 6 additions & 0 deletions docs/reference/error-handling.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,6 @@
---
id: error-handling
title: "Error Handling"
---

TODO
Original file line number Diff line number Diff line change
@@ -0,0 +1,4 @@
---
id: collection-field-traversal
title: "Collection Field Traversal"
---
10 changes: 10 additions & 0 deletions docs/reference/hi-level-api/creating-models/index.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,10 @@
---
id: index
title: "Creating Models"
sidebar_label: "Creating Models"
---

List scala to DDB type mappings here in a table, showing the underlying DDB type on the RHS

List supported annotations

4 changes: 4 additions & 0 deletions docs/reference/hi-level-api/creating-models/optics.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,4 @@
---
id: optics
title: "Nested Field Traversal"
---
28 changes: 28 additions & 0 deletions docs/reference/hi-level-api/crud-operations/delete.md
Original file line number Diff line number Diff line change
@@ -0,0 +1,28 @@
---
id: delete
title: "deleteFrom"
---

```scala
def deleteFrom[From: Schema](
tableName: String
)(
primaryKeyExpr: KeyConditionExpr.PrimaryKeyExpr[From]
): DynamoDBQuery[Any, Option[From]] = ???
```

The `deleteFrom` operation is used to remove an item from a table. The `primaryKeyExpr` param can be created using the `ProjectionExpression`'s in the companion object for model class:

```scala
for {
_ <- DynamoDBQuery.deleteFrom("person")(Person.id.primaryKey === "1").execute
} yield ()
```

### `deleteFrom` query combinators

```scala
<DELETE_QUERY>
.returns(<ReturnValues>) // ReturnValues.AllOld | ReturnValues.None <default>
.where(<ConditionExpression>)
```
Loading