This library is designed to turn DynamoDB into an Event Store for CQRS/Event Sourcing.
You can easily implement an Event Sourcing-enabled repository using EventStore.
public final class UserAccountRepositoryAsync {
  @Nonnull private final EventStoreAsync<UserAccountId, UserAccount, UserAccountEvent> eventStore;
  public UserAccountRepositoryAsync(
    @Nonnull EventStoreAsync<UserAccountId, UserAccount, UserAccountEvent> eventStore) {
    this.eventStore = eventStore;
  }
  @Nonnull
  public CompletableFuture<Void> store(@Nonnull UserAccountEvent event, long version) {
    return eventStore.persistEvent(event, version);
  }
  @Nonnull
  public CompletableFuture<Void> store(
    @Nonnull UserAccountEvent event, @Nonnull UserAccount aggregate) {
    return eventStore.persistEventAndSnapshot(event, aggregate);
  }
  @Nonnull
  public CompletableFuture<Optional<UserAccount>> findById(@Nonnull UserAccountId id) {
    return eventStore
      .getLatestSnapshotById(UserAccount.class, id)
      .thenCompose(result -> {
        if (result.isEmpty()) {
          return CompletableFuture.completedFuture(Optional.empty());
        } else {
          return eventStore.getEventsByIdSinceSequenceNumber(UserAccountEvent.class,
            id, result.get().getSequenceNumber() + 1)
            .thenApply(events -> Optional.of(UserAccount.replay(events, result.get())));
        }
      });
  }
}The following is an example of the repository usage.
var eventStore = EventStoreAsync.ofDynamoDB<UserAccountId, UserAccount, UserAccountEvent>(
    client,
    JOURNAL_TABLE_NAME,
    SNAPSHOT_TABLE_NAME,
    JOURNAL_AID_INDEX_NAME,
    SNAPSHOT_AID_INDEX_NAME,
    32);
var userAccountRepository = new UserAccountRepositoryAsync(eventStore);
var id = new UserAccountId(IdGenerator.generate().toString());
var aggregateAndEvent1 = UserAccount.create(id, "test-1");
var aggregate1 = aggregateAndEvent1.getAggregate();
var result = userAccountRepository.store(aggregateAndEvent1.getEvent(), aggregate1)
  .thenCompose(r -> {
    var aggregateAndEvent2 = aggregate1.changeName("test-2");
    return userAccountRepository.store(
            aggregateAndEvent2.getEvent(), aggregateAndEvent2.getAggregate().getVersion());
  }).thenCompose(r -> userAccountRepository.findById(id)).join();
if (result.isPresent()) {
  assertEquals(result.get().getId(), aggregateAndEvent2.getAggregate().getId());
  assertEquals(result.get().getName(), "test-2");
} else {
  fail("result is empty");
}MIT License. See LICENSE for details.