Skip to content

Commit

Permalink
Updated documentation
Browse files Browse the repository at this point in the history
  • Loading branch information
oskardudycz committed Jul 8, 2024
1 parent 6d5e130 commit 8799018
Show file tree
Hide file tree
Showing 2 changed files with 130 additions and 13 deletions.
10 changes: 5 additions & 5 deletions src/docs/.vitepress/config.mts
Original file line number Diff line number Diff line change
Expand Up @@ -4,7 +4,7 @@ const env = process.env.NODE_ENV;

// https://vitepress.dev/reference/site-config
export default defineConfig({
base: env === 'production' ? '/pongo/' : '/',
base: env === 'production' ? '/Pongo/' : '/',
lang: 'en-GB',
title: 'Pongo',
description: 'Event Sourcing made simple',
Expand All @@ -16,7 +16,7 @@ export default defineConfig({
{ text: '🧑‍💻 Join Discord Server', link: 'https://discord.gg/fTpqUTMmVa' },
{
text: 'Release Notes',
link: 'https://github.com/event-driven-io/pongo/releases',
link: 'https://github.com/event-driven-io/Pongo/releases',
},
],

Expand All @@ -33,7 +33,7 @@ export default defineConfig({

editLink: {
pattern:
'https://github.com/event-driven-io/pongo/edit/master/docs/:path',
'https://github.com/event-driven-io/Pongo/edit/master/docs/:path',
text: 'Suggest changes to this page',
},

Expand Down Expand Up @@ -63,7 +63,7 @@ export default defineConfig({
'meta',
{
property: 'og:image',
content: 'https://event-driven-io.github.io/pongo/social.png',
content: 'https://event-driven-io.github.io/Pongo/social.png',
},
],
[
Expand All @@ -80,7 +80,7 @@ export default defineConfig({
'meta',
{
property: 'twitter:image',
content: 'https://event-driven-io.github.io/pongo/social.png',
content: 'https://event-driven-io.github.io/Pongo/social.png',
},
],
],
Expand Down
133 changes: 125 additions & 8 deletions src/docs/getting-started.md
Original file line number Diff line number Diff line change
Expand Up @@ -2,14 +2,18 @@

![](/logo.png)

Pongo is a MongoDB on Postgres with all strong consistency benefits.
Pongo is a MongoDB on Postgres and with strong consistency benefits.

Install Pongo as an npm module and save it to your package.json
## Getting Started

Install Pongo as an npm module and save it to your package.json:

```bash
npm install @event-driven-io/pongo
```

Read also [introduction article on my blog](https://event-driven.io/en/introducting_pongo/) for more context.

## Example

You can use Pongo syntax with explicit typing about supported syntax:
Expand All @@ -23,7 +27,7 @@ type User = { name: string; age: number };
const connectionString =
'postgresql://dbuser:[email protected]:3211/mydb';

const pongoClient = pongoClient(postgresConnectionString);
const pongoClient = pongoClient(connectionString);
const pongoDb = pongoClient.db();

const users = pongoDb.collection<User>('users');
Expand All @@ -35,8 +39,8 @@ const cruella = { _id: uuid(), name: 'Cruella', age: 40 };
await pongoCollection.insertOne(roger);
await pongoCollection.insertOne(cruella);

let inserted = await pongoCollection.insertOne(alice);
const anitaId = inserted.insertedId;
const { insertedId } = await pongoCollection.insertOne(anita);
const anitaId = insertedId;

// Updating
await users.updateOne({ _id: anitaId }, { $set: { age: 31 } });
Expand Down Expand Up @@ -74,8 +78,8 @@ const cruella = { _id: uuid(), name: 'Cruella', age: 40 };
await pongoCollection.insertOne(roger);
await pongoCollection.insertOne(cruella);

let inserted = await pongoCollection.insertOne(alice);
const anitaId = inserted.insertedId;
const { insertedId } = await pongoCollection.insertOne(anita);
const anitaId = insertedId;

// Updating
await users.updateOne({ _id: anitaId }, { $set: { age: 31 } });
Expand All @@ -90,6 +94,119 @@ const anitaFromDb = await pongoCollection.findOne({ _id: anitaId });
const users = await pongoCollection.find({ age: { $lt: 40 } }).toArray();
```

## How does it work?

**Pongo treats PostgreSQL as a Document Database benefiting from JSONB support.** Unlike the plain text storage of the traditional JSON type, JSONB stores JSON data in a binary format. This simple change brings significant advantages in terms of performance and storage efficiency.

Pongo uses the following table structure for storing collections:

```sql
CREATE TABLE IF NOT EXISTS "YourCollectionName" (
_id UUID PRIMARY KEY,
data JSONB
)
```

**Essentially Pongo takes MongoDB api and translates it to the native PostgreSQL queries.** It is a similar concept to [Marten](https://martendb.io/), [FerretDB](https://docs.ferretdb.io) and [AWS DocumentDB](https://aws.amazon.com/documentdb/).

**E.g. the MongoDB update syntax:**

```typescript
const pongoCollection = pongoDb.collection<User>('users');

await pongoCollection.updateOne(
{ _id: someId },
{ $push: { tags: 'character' } },
);
```

will be translated to:

```sql
UPDATE "users"
SET data = jsonb_set(data, '{tags}', (COALESCE(data->'tags', '[]'::jsonb) || to_jsonb('character')))
WHERE _id = '137ef052-e41c-428b-b606-1c8070a47eda';
```

**Or for query:**

```typescript
const result = await pongoCollection
.find({ 'address.history': { $elemMatch: { street: 'Elm St' } } })
.toArray();
```

will result in:

```sql
SELECT data
FROM "users"
WHERE jsonb_path_exists(
data,
'$.address.history[*] ? (@.street == "Elm St")'
);
```

## Why Pongo?

MongoDB is a decent database, yet it has issues around [ACID-complaince](https://jepsen.io/analyses/mongodb-4.2.6) and [licensing](https://www.percona.com/blog/is-mongodb-open-source), which can cause hardship for project scenarios and organisation policies.

**Pongo brings the [PostgreSQL shape-shifting capabilities](https://www.amazingcto.com/postgres-for-everything/) to:**

- benefit from **strong consistency** by using battle-tested and widely used PostgreSQL ACID-compliant database,
- **easier integration** with other parts of your system using PostgreSQL,
- **reuse your muscle memory from MongoDB** using compatible API. It will allow easier migration of existing projects,
- **cut boilerplate** and easier nested data management than traditional relational tables,
- operate **easier than crafting native PostgreSQL JSON queries**. They're powerful but not the most accessible,
- get **performance boost** with [JSONB indexing capabilities](https://pganalyze.com/blog/gin-index#postgresql-jsonb-and-gin-indexes),
- **benefit from PostgreSQL advanced capabilities** like [partitioning](https://www.postgresql.fastware.com/postgresql-insider-prt-ove), [logical replication](https://event-driven.io/en/push_based_outbox_pattern_with_postgres_logical_replication/) and [other PostgreSQL superpowers](https://event-driven.io/en/postgres_superpowers/)
- **seamless integration with Cloud RDSes** and solutions like [CockroachDB](https://www.cockroachlabs.com/docs/stable/why-cockroachdb), [Supabase](https://supabase.com/), [Vercel Postgres](https://vercel.com/docs/storage/vercel-postgres).

## Storage

**The binary format of PostgreSQL JSONB means that data is pre-parsed, allowing faster read and write operations than text-based JSON.** You don't have to re-parse the data every time you query it, which saves processing time and improves overall performance. Additionally, JSONB supports advanced indexing options like GIN and GiST indexes, making searches within JSONB documents much quicker and more efficient.

Moreover, JSONB retains the flexibility of storing semi-structured data while allowing you to use PostgreSQL's robust querying capabilities. You can perform complex queries, joins, and transactions with JSONB data, just as you can with regular relational data.

**Contrary to common belief, JSON document data is structured.** JSON has structure, but it is not enforced for each document. We can easily extend the schema for our documents, even for specific ones, by adding new fields. We should also not fail if a field we expect to exist doesn't.

This flexibility, performance, and consistency combination makes PostgreSQL with JSONB a powerful tool. There are benchmarks showing that it can be even faster than MongoDB.

Check more in:

- [JSON Types Documentation](https://www.postgresql.org/docs/current/datatype-json.html)
- [JSON Functions and Operators](https://www.postgresql.org/docs/current/functions-json.html)
- [PostgreSQL, JSONB and GIN Indexes by](https://pganalyze.com/blog/gin-index#postgresql-jsonb-and-gin-indexes)
- [MongoDB vs PostgreSQL JSONB Benchmark](https://info.enterprisedb.com/rs/069-ALB-339/images/PostgreSQL_MongoDB_Benchmark-WhitepaperFinal.pdf)
- [How to JSON in PostgreSQL](https://ftisiot.net/postgresqljson/main/)
- [Just Use Postgres for Everything](https://www.amazingcto.com/postgres-for-everything/)

## Is Pongo an ORM?

**It's not.**

It's focused on effective handling of the document data specifics. Node.js ORMs have capabilities to handle JSONB, e.g. DrizzleORM has good support for that for basic operations.

Yet, they're all but limited to querying, usually for advanced ones you need to fallback to JSONPath or JSONB functions (so raw SQL). As you saw above, this syntax is not super pleasant to deal with. That's why Pongo aims to do it for you.

## How is it different than [FerretDB](https://docs.ferretdb.io)?

[FerretDB](https://docs.ferretdb.io) plugs into the native MongoDB protocol, which allows it to be used as MongoDB and connect to tools like Mongo UI, etc. Yet, it [requires running a proxy](https://docs.ferretdb.io/quickstart-guide/docker/).

**Pongo operates on a different layer, translating the MongoDB API directly into SQL in the library code.** This can allow easier serverless integrations, such as sharing a connection pool with other PostgreSQL-based tools, etc. Of course, it won't allow using native tools based on the MongoDB network protocol.

Pongo's goal is not to replace Mongo but to reuse its muscle memory and bring the PostgreSQL capabilities and superpowers into the Node.js land.

## Is it production ready?

What's there it's safe to use, but it's far from being 100% compliant with MongoDB.
What's there is safe to use, but it's far from being 100% compliant with MongoDB. Pongo is a fresh project, so some stuff can be missing.

## Contribution

Pongo is a community project, so once you find something missing or not working, we encourage you to [send us a GH issue](https://github.com/event-driven-io/Pongo/issues/new) or [Pull Request](https://github.com/event-driven-io/Pongo/compare) extending the support or test coverage! Check also [Contributing guide](<[./CONTRIBUTING.md](https://github.com/event-driven-io/Pongo/blob/main/CONTRIBUTING.md)>)

**If you think something is missing or want to get some features faster, I'm happy to take sponsoring to prioritise it. Feel free to [contact me](mailto:[email protected]) - we'll find a way to help you!**

## Code of Conduct

This project has adopted the code of conduct defined by the [Contributor Covenant](http://contributor-covenant.org/) to clarify expected behavior in our community.

0 comments on commit 8799018

Please sign in to comment.