@event-driven-io/pongo 0.2.0 → 0.2.2
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- package/README.md +19 -22
- package/dist/index.cjs +2 -2
- package/dist/index.cjs.map +1 -1
- package/dist/index.d.cts +56 -9
- package/dist/index.d.ts +56 -9
- package/dist/index.js +1 -1
- package/dist/index.js.map +1 -1
- package/package.json +6 -5
package/README.md
CHANGED
|
@@ -29,8 +29,8 @@ type User = { name: string; age: number };
|
|
|
29
29
|
const connectionString =
|
|
30
30
|
"postgresql://dbuser:secretpassword@database.server.com:3211/mydb";
|
|
31
31
|
|
|
32
|
-
const
|
|
33
|
-
const pongoDb =
|
|
32
|
+
const pongo = pongoClient(connectionString);
|
|
33
|
+
const pongoDb = pongo.db();
|
|
34
34
|
|
|
35
35
|
const users = pongoDb.collection<User>("users");
|
|
36
36
|
const roger = { name: "Roger", age: 30 };
|
|
@@ -38,23 +38,23 @@ const anita = { name: "Anita", age: 25 };
|
|
|
38
38
|
const cruella = { _id: uuid(), name: "Cruella", age: 40 };
|
|
39
39
|
|
|
40
40
|
// Inserting
|
|
41
|
-
await
|
|
42
|
-
await
|
|
41
|
+
await users.insertOne(roger);
|
|
42
|
+
await users.insertOne(cruella);
|
|
43
43
|
|
|
44
|
-
const { insertedId } = await
|
|
44
|
+
const { insertedId } = await users.insertOne(anita);
|
|
45
45
|
const anitaId = insertedId;
|
|
46
46
|
|
|
47
47
|
// Updating
|
|
48
48
|
await users.updateOne({ _id: anitaId }, { $set: { age: 31 } });
|
|
49
49
|
|
|
50
50
|
// Deleting
|
|
51
|
-
await
|
|
51
|
+
await users.deleteOne({ _id: cruella._id });
|
|
52
52
|
|
|
53
53
|
// Finding by Id
|
|
54
|
-
const anitaFromDb = await
|
|
54
|
+
const anitaFromDb = await users.findOne({ _id: anitaId });
|
|
55
55
|
|
|
56
56
|
// Finding more
|
|
57
|
-
|
|
57
|
+
users = await users.find({ age: { $lt: 40 } });
|
|
58
58
|
```
|
|
59
59
|
|
|
60
60
|
Or use MongoDB compliant shim:
|
|
@@ -77,23 +77,23 @@ const anita = { name: "Anita", age: 25 };
|
|
|
77
77
|
const cruella = { _id: uuid(), name: "Cruella", age: 40 };
|
|
78
78
|
|
|
79
79
|
// Inserting
|
|
80
|
-
await
|
|
81
|
-
await
|
|
80
|
+
await users.insertOne(roger);
|
|
81
|
+
await users.insertOne(cruella);
|
|
82
82
|
|
|
83
|
-
const { insertedId } = await
|
|
83
|
+
const { insertedId } = await users.insertOne(anita);
|
|
84
84
|
const anitaId = insertedId;
|
|
85
85
|
|
|
86
86
|
// Updating
|
|
87
87
|
await users.updateOne({ _id: anitaId }, { $set: { age: 31 } });
|
|
88
88
|
|
|
89
89
|
// Deleting
|
|
90
|
-
await
|
|
90
|
+
await users.deleteOne({ _id: cruella._id });
|
|
91
91
|
|
|
92
92
|
// Finding by Id
|
|
93
|
-
const anitaFromDb = await
|
|
93
|
+
const anitaFromDb = await users.findOne({ _id: anitaId });
|
|
94
94
|
|
|
95
95
|
// Finding more
|
|
96
|
-
|
|
96
|
+
users = await users.find({ age: { $lt: 40 } }).toArray();
|
|
97
97
|
```
|
|
98
98
|
|
|
99
99
|
## How does it work?
|
|
@@ -113,13 +113,10 @@ CREATE TABLE IF NOT EXISTS "YourCollectionName" (
|
|
|
113
113
|
|
|
114
114
|
**E.g. the MongoDB update syntax:**
|
|
115
115
|
|
|
116
|
-
```
|
|
117
|
-
const
|
|
116
|
+
```ts
|
|
117
|
+
const users = pongoDb.collection<User>("users");
|
|
118
118
|
|
|
119
|
-
await
|
|
120
|
-
{ _id: someId },
|
|
121
|
-
{ $push: { tags: "character" } }
|
|
122
|
-
);
|
|
119
|
+
await users.updateOne({ _id: someId }, { $push: { tags: "character" } });
|
|
123
120
|
```
|
|
124
121
|
|
|
125
122
|
will be translated to:
|
|
@@ -132,8 +129,8 @@ WHERE _id = '137ef052-e41c-428b-b606-1c8070a47eda';
|
|
|
132
129
|
|
|
133
130
|
**Or for query:**
|
|
134
131
|
|
|
135
|
-
```
|
|
136
|
-
const result = await
|
|
132
|
+
```ts
|
|
133
|
+
const result = await users
|
|
137
134
|
.find({ "address.history": { $elemMatch: { street: "Elm St" } } })
|
|
138
135
|
.toArray();
|
|
139
136
|
```
|
package/dist/index.cjs
CHANGED
|
@@ -1,5 +1,5 @@
|
|
|
1
|
-
"use strict";Object.defineProperty(exports, "__esModule", {value: true}); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } function _nullishCoalesce(lhs, rhsFn) { if (lhs != null) { return lhs; } else { return rhsFn(); } } async function _asyncNullishCoalesce(lhs, rhsFn) { if (lhs != null) { return lhs; } else { return await rhsFn(); } } async function _asyncOptionalChain(ops) { let lastAccessLHS = undefined; let value = ops[0]; let i = 1; while (i < ops.length) { const op = ops[i]; const fn = ops[i + 1]; i += 2; if ((op === 'optionalAccess' || op === 'optionalCall') && value == null) { return undefined; } if (op === 'access' || op === 'optionalAccess') { lastAccessLHS = value; value = await fn(value); } else if (op === 'call' || op === 'optionalCall') { value = await fn((...args) => value.call(lastAccessLHS, ...args)); lastAccessLHS = undefined; } } return value; } var _class;var _pg = require('pg'); var _pg2 = _interopRequireDefault(_pg);var m=new Map,I= exports.getPool =t=>{let e=typeof t=="string"?t:t.connectionString,n=typeof t=="string"?{connectionString:e}:t;return _nullishCoalesce(m.get(e), () => (m.set(e,new _pg2.default.Pool(n)).get(e)))},h= exports.endPool =async t=>{let e=m.get(t);e&&(await e.end(),m.delete(t))},z= exports.endAllPools =()=>Promise.all([...m.keys()].map(t=>h(t)));var _pgformat = require('pg-format'); var _pgformat2 = _interopRequireDefault(_pgformat);var _uuid = require('uuid');var $=async(t,e)=>{let n=await t.connect();try{return await e(n)}finally{n.release()}},y= exports.executeSQL =async(t,e)=>$(t,n=>n.query(e));var u=t=>Object.entries(t).map(([e,n])=>[e,n]);var x={$eq:"$eq",$gt:"$gt",$gte:"$gte",$lt:"$lt",$lte:"$lte",$ne:"$ne",$in:"$in",$nin:"$nin",$elemMatch:"$elemMatch",$all:"$all",$size:"$size"},D={$gt:">",$gte:">=",$lt:"<",$lte:"<=",$ne:"!="},L=t=>t.startsWith("$"),F=t=>Object.keys(t).some(L),c=(t,e,n)=>{if(t==="_id")return W(e,n);switch(e){case"$eq":return _pgformat2.default.call(void 0, "(data @> %L::jsonb OR jsonb_path_exists(data, '$.%s[*] ? (@ == %s)'))",JSON.stringify(C(t,n)),t,JSON.stringify(n));case"$gt":case"$gte":case"$lt":case"$lte":case"$ne":return _pgformat2.default.call(void 0, `data #>> %L ${D[e]} %L`,`{${t.split(".").join(",")}}`,n);case"$in":return _pgformat2.default.call(void 0, "data #>> %L IN (%s)",`{${t.split(".").join(",")}}`,n.map(o=>_pgformat2.default.call(void 0, "%L",o)).join(", "));case"$nin":return _pgformat2.default.call(void 0, "data #>> %L NOT IN (%s)",`{${t.split(".").join(",")}}`,n.map(o=>_pgformat2.default.call(void 0, "%L",o)).join(", "));case"$elemMatch":{let o=u(n).map(([i,r])=>_pgformat2.default.call(void 0, '@."%s" == %s',i,JSON.stringify(r))).join(" && ");return _pgformat2.default.call(void 0, "jsonb_path_exists(data, '$.%s[*] ? (%s)')",t,o)}case"$all":return _pgformat2.default.call(void 0, "data @> %L::jsonb",JSON.stringify(C(t,n)));case"$size":return _pgformat2.default.call(void 0, "jsonb_array_length(data #> %L) = %L",`{${t.split(".").join(",")}}`,n);default:throw new Error(`Unsupported operator: ${e}`)}},W=(t,e)=>{switch(t){case"$eq":return _pgformat2.default.call(void 0, "_id = %L",e);case"$gt":case"$gte":case"$lt":case"$lte":case"$ne":return _pgformat2.default.call(void 0, `_id ${D[t]} %L`,e);case"$in":return _pgformat2.default.call(void 0, "_id IN (%s)",e.map(n=>_pgformat2.default.call(void 0, "%L",n)).join(", "));case"$nin":return _pgformat2.default.call(void 0, "_id NOT IN (%s)",e.map(n=>_pgformat2.default.call(void 0, "%L",n)).join(", "));default:throw new Error(`Unsupported operator: ${t}`)}},C=(t,e)=>t.split(".").reverse().reduce((n,o)=>({[o]:n}),e);var k="AND",p= exports.constructFilterQuery =t=>Object.entries(t).map(([e,n])=>U(n)?A(e,n):c(e,"$eq",n)).join(` ${k} `),A=(t,e)=>{let n=!F(e);return u(e).map(([o,i])=>n?c(`${t}.${o}`,x.$eq,i):c(t,o,i)).join(` ${k} `)},U=t=>t!==null&&typeof t=="object"&&!Array.isArray(t);var l=(t,...e)=>_pgformat2.default.call(void 0, t,...e);var O=t=>u(t).reduce((e,[n,o])=>{switch(n){case"$set":return j(o,e);case"$unset":return q(o,e);case"$inc":return N(o,e);case"$push":return B(o,e);default:return e}},l("data")),j= exports.buildSetQuery =(t,e)=>l("jsonb_set(%s, %L, data || %L)",e,"{}",JSON.stringify(t)),q= exports.buildUnsetQuery =(t,e)=>l("%s - %L",e,Object.keys(t).join(", ")),N= exports.buildIncQuery =(t,e)=>{for(let[n,o]of Object.entries(t))e=l("jsonb_set(%s, '{%s}', to_jsonb((data->>'%s')::numeric + %L))",e,n,n,o);return e},B= exports.buildPushQuery =(t,e)=>{for(let[n,o]of Object.entries(t))e=l("jsonb_set(%s, '{%s}', (COALESCE(data->'%s', '[]'::jsonb) || '[%s]'::jsonb))",e,n,n,JSON.stringify(o));return e};var M=(t,e)=>{let n=r=>y(e,r),o=H(t),i=n(o.createCollection());return{createCollection:async()=>{await i},insertOne:async r=>{await i;let s=_uuid.v4.call(void 0, );return(await n(o.insertOne({_id:s,...r}))).rowCount?{insertedId:s,acknowledged:!0}:{insertedId:null,acknowledged:!1}},insertMany:async r=>{await i;let s=r.map(w=>({_id:_uuid.v4.call(void 0, ),...w})),a=await n(o.insertMany(s));return{acknowledged:a.rowCount===s.length,insertedCount:_nullishCoalesce(a.rowCount, () => (0)),insertedIds:s.map(w=>w._id)}},updateOne:async(r,s)=>{await i;let a=await n(o.updateOne(r,s));return a.rowCount?{acknowledged:!0,modifiedCount:a.rowCount}:{acknowledged:!1,modifiedCount:0}},updateMany:async(r,s)=>{await i;let a=await n(o.updateMany(r,s));return a.rowCount?{acknowledged:!0,modifiedCount:a.rowCount}:{acknowledged:!1,modifiedCount:0}},deleteOne:async r=>{await i;let s=await n(o.deleteOne(r));return s.rowCount?{acknowledged:!0,deletedCount:s.rowCount}:{acknowledged:!1,deletedCount:0}},deleteMany:async r=>{await i;let s=await n(o.deleteMany(r));return s.rowCount?{acknowledged:!0,deletedCount:s.rowCount}:{acknowledged:!1,deletedCount:0}},findOne:async r=>(await i,await _asyncNullishCoalesce(await _asyncOptionalChain([(await n(o.findOne(r))), 'access', async _2 => _2.rows, 'access', async _3 => _3[0], 'optionalAccess', async _4 => _4.data]), async () => (null))),find:async r=>(await i,(await n(o.find(r))).rows.map(a=>a.data))}},H=t=>({createCollection:()=>l("CREATE TABLE IF NOT EXISTS %I (_id UUID PRIMARY KEY, data JSONB)",t),insertOne:e=>l("INSERT INTO %I (_id, data) VALUES (%L, %L)",t,e._id,JSON.stringify(e)),insertMany:e=>{let n=e.map(o=>_pgformat2.default.call(void 0, "(%L, %L)",o._id,JSON.stringify(o))).join(", ");return l("INSERT INTO %I (_id, data) VALUES %s",t,n)},updateOne:(e,n)=>{let o=p(e),i=O(n);return l(`WITH cte AS (
|
|
1
|
+
"use strict";Object.defineProperty(exports, "__esModule", {value: true}); function _interopRequireDefault(obj) { return obj && obj.__esModule ? obj : { default: obj }; } function _nullishCoalesce(lhs, rhsFn) { if (lhs != null) { return lhs; } else { return rhsFn(); } } async function _asyncNullishCoalesce(lhs, rhsFn) { if (lhs != null) { return lhs; } else { return await rhsFn(); } } async function _asyncOptionalChain(ops) { let lastAccessLHS = undefined; let value = ops[0]; let i = 1; while (i < ops.length) { const op = ops[i]; const fn = ops[i + 1]; i += 2; if ((op === 'optionalAccess' || op === 'optionalCall') && value == null) { return undefined; } if (op === 'access' || op === 'optionalAccess') { lastAccessLHS = value; value = await fn(value); } else if (op === 'call' || op === 'optionalCall') { value = await fn((...args) => value.call(lastAccessLHS, ...args)); lastAccessLHS = undefined; } } return value; } var _class;var _pg = require('pg'); var _pg2 = _interopRequireDefault(_pg);var m=new Map,I= exports.getPool =t=>{let e=typeof t=="string"?t:t.connectionString,n=typeof t=="string"?{connectionString:e}:t;return _nullishCoalesce(m.get(e), () => (m.set(e,new _pg2.default.Pool(n)).get(e)))},h= exports.endPool =async t=>{let e=m.get(t);e&&(await e.end(),m.delete(t))},z= exports.endAllPools =()=>Promise.all([...m.keys()].map(t=>h(t)));var _pgformat = require('pg-format'); var _pgformat2 = _interopRequireDefault(_pgformat);var _uuid = require('uuid');var $=async(t,e)=>{let n=await t.connect();try{return await e(n)}finally{n.release()}},y= exports.executeSQL =async(t,e)=>$(t,n=>n.query(e));var u=t=>Object.entries(t).map(([e,n])=>[e,n]);var x={$eq:"$eq",$gt:"$gt",$gte:"$gte",$lt:"$lt",$lte:"$lte",$ne:"$ne",$in:"$in",$nin:"$nin",$elemMatch:"$elemMatch",$all:"$all",$size:"$size"},D={$gt:">",$gte:">=",$lt:"<",$lte:"<=",$ne:"!="},L= exports.isOperator =t=>t.startsWith("$"),F= exports.hasOperators =t=>Object.keys(t).some(L),c= exports.handleOperator =(t,e,n)=>{if(t==="_id")return W(e,n);switch(e){case"$eq":return _pgformat2.default.call(void 0, "(data @> %L::jsonb OR jsonb_path_exists(data, '$.%s[*] ? (@ == %s)'))",JSON.stringify(C(t,n)),t,JSON.stringify(n));case"$gt":case"$gte":case"$lt":case"$lte":case"$ne":return _pgformat2.default.call(void 0, `data #>> %L ${D[e]} %L`,`{${t.split(".").join(",")}}`,n);case"$in":return _pgformat2.default.call(void 0, "data #>> %L IN (%s)",`{${t.split(".").join(",")}}`,n.map(o=>_pgformat2.default.call(void 0, "%L",o)).join(", "));case"$nin":return _pgformat2.default.call(void 0, "data #>> %L NOT IN (%s)",`{${t.split(".").join(",")}}`,n.map(o=>_pgformat2.default.call(void 0, "%L",o)).join(", "));case"$elemMatch":{let o=u(n).map(([i,r])=>_pgformat2.default.call(void 0, '@."%s" == %s',i,JSON.stringify(r))).join(" && ");return _pgformat2.default.call(void 0, "jsonb_path_exists(data, '$.%s[*] ? (%s)')",t,o)}case"$all":return _pgformat2.default.call(void 0, "data @> %L::jsonb",JSON.stringify(C(t,n)));case"$size":return _pgformat2.default.call(void 0, "jsonb_array_length(data #> %L) = %L",`{${t.split(".").join(",")}}`,n);default:throw new Error(`Unsupported operator: ${e}`)}},W=(t,e)=>{switch(t){case"$eq":return _pgformat2.default.call(void 0, "_id = %L",e);case"$gt":case"$gte":case"$lt":case"$lte":case"$ne":return _pgformat2.default.call(void 0, `_id ${D[t]} %L`,e);case"$in":return _pgformat2.default.call(void 0, "_id IN (%s)",e.map(n=>_pgformat2.default.call(void 0, "%L",n)).join(", "));case"$nin":return _pgformat2.default.call(void 0, "_id NOT IN (%s)",e.map(n=>_pgformat2.default.call(void 0, "%L",n)).join(", "));default:throw new Error(`Unsupported operator: ${t}`)}},C=(t,e)=>t.split(".").reverse().reduce((n,o)=>({[o]:n}),e);var k="AND",p= exports.constructFilterQuery =t=>Object.entries(t).map(([e,n])=>U(n)?A(e,n):c(e,"$eq",n)).join(` ${k} `),A=(t,e)=>{let n=!F(e);return u(e).map(([o,i])=>n?c(`${t}.${o}`,x.$eq,i):c(t,o,i)).join(` ${k} `)},U=t=>t!==null&&typeof t=="object"&&!Array.isArray(t);var l=(t,...e)=>_pgformat2.default.call(void 0, t,...e);var O=t=>u(t).reduce((e,[n,o])=>{switch(n){case"$set":return j(o,e);case"$unset":return q(o,e);case"$inc":return N(o,e);case"$push":return B(o,e);default:return e}},l("data")),j= exports.buildSetQuery =(t,e)=>l("jsonb_set(%s, %L, data || %L)",e,"{}",JSON.stringify(t)),q= exports.buildUnsetQuery =(t,e)=>l("%s - %L",e,Object.keys(t).join(", ")),N= exports.buildIncQuery =(t,e)=>{for(let[n,o]of Object.entries(t))e=l("jsonb_set(%s, '{%s}', to_jsonb((data->>'%s')::numeric + %L))",e,n,n,o);return e},B= exports.buildPushQuery =(t,e)=>{for(let[n,o]of Object.entries(t))e=l("jsonb_set(%s, '{%s}', (COALESCE(data->'%s', '[]'::jsonb) || '[%s]'::jsonb))",e,n,n,JSON.stringify(o));return e};var M=(t,e)=>{let n=r=>y(e,r),o=H(t),i=n(o.createCollection());return{createCollection:async()=>{await i},insertOne:async r=>{await i;let s=_uuid.v4.call(void 0, );return(await n(o.insertOne({_id:s,...r}))).rowCount?{insertedId:s,acknowledged:!0}:{insertedId:null,acknowledged:!1}},insertMany:async r=>{await i;let s=r.map(w=>({_id:_uuid.v4.call(void 0, ),...w})),a=await n(o.insertMany(s));return{acknowledged:a.rowCount===s.length,insertedCount:_nullishCoalesce(a.rowCount, () => (0)),insertedIds:s.map(w=>w._id)}},updateOne:async(r,s)=>{await i;let a=await n(o.updateOne(r,s));return a.rowCount?{acknowledged:!0,modifiedCount:a.rowCount}:{acknowledged:!1,modifiedCount:0}},updateMany:async(r,s)=>{await i;let a=await n(o.updateMany(r,s));return a.rowCount?{acknowledged:!0,modifiedCount:a.rowCount}:{acknowledged:!1,modifiedCount:0}},deleteOne:async r=>{await i;let s=await n(o.deleteOne(r));return s.rowCount?{acknowledged:!0,deletedCount:s.rowCount}:{acknowledged:!1,deletedCount:0}},deleteMany:async r=>{await i;let s=await n(o.deleteMany(r));return s.rowCount?{acknowledged:!0,deletedCount:s.rowCount}:{acknowledged:!1,deletedCount:0}},findOne:async r=>(await i,await _asyncNullishCoalesce(await _asyncOptionalChain([(await n(o.findOne(r))), 'access', async _2 => _2.rows, 'access', async _3 => _3[0], 'optionalAccess', async _4 => _4.data]), async () => (null))),find:async r=>(await i,(await n(o.find(r))).rows.map(a=>a.data))}},H= exports.collectionSQLBuilder =t=>({createCollection:()=>l("CREATE TABLE IF NOT EXISTS %I (_id UUID PRIMARY KEY, data JSONB)",t),insertOne:e=>l("INSERT INTO %I (_id, data) VALUES (%L, %L)",t,e._id,JSON.stringify(e)),insertMany:e=>{let n=e.map(o=>_pgformat2.default.call(void 0, "(%L, %L)",o._id,JSON.stringify(o))).join(", ");return l("INSERT INTO %I (_id, data) VALUES %s",t,n)},updateOne:(e,n)=>{let o=p(e),i=O(n);return l(`WITH cte AS (
|
|
2
2
|
SELECT _id FROM %I WHERE %s LIMIT 1
|
|
3
3
|
)
|
|
4
|
-
UPDATE %I SET data = %s FROM cte WHERE %I._id = cte._id`,t,o,t,i,t)},updateMany:(e,n)=>{let o=p(e),i=O(n);return l("UPDATE %I SET data = %s WHERE %s",t,i,o)},deleteOne:e=>{let n=p(e);return l("DELETE FROM %I WHERE %s",t,n)},deleteMany:e=>{let n=p(e);return l("DELETE FROM %I WHERE %s",t,n)},findOne:e=>{let n=p(e);return l("SELECT data FROM %I WHERE %s LIMIT 1",t,n)},find:e=>{let n=p(e);return l("SELECT data FROM %I WHERE %s",t,n)}});var R=(t,e)=>{let n=I({connectionString:t,database:e});return{connect:()=>Promise.resolve(),close:()=>h(t),collection:o=>M(o,n)}};var P=(t,e)=>R(t,e);var _=t=>{let e=P(t),n={connect:async()=>(await e.connect(),n),close:()=>e.close(),db:o=>o?P(t,o):e};return n};var f= (_class =class{__init() {this.documents=null}__init2() {this.index=0}constructor(e){;_class.prototype.__init.call(this);_class.prototype.__init2.call(this);this.findDocumentsPromise=e}async toArray(){return this.findDocuments()}async forEach(e){let n=await this.findDocuments();for(let o of n)e(o);return Promise.resolve()}hasNext(){if(this.documents===null)throw Error("Error while fetching documents");return this.index<this.documents.length}async next(){let e=await this.findDocuments();return this.hasNext()?_nullishCoalesce(e[this.index++], () => (null)):null}async findDocuments(){return this.documents=await this.findDocumentsPromise,this.documents}}, _class);require('mongodb');var g=class{constructor(e){this.collection=e}get dbName(){throw new Error("Method not implemented.")}get collectionName(){throw new Error("Method not implemented.")}get namespace(){throw new Error("Method not implemented.")}get readConcern(){throw new Error("Method not implemented.")}get readPreference(){throw new Error("Method not implemented.")}get bsonOptions(){throw new Error("Method not implemented.")}get writeConcern(){throw new Error("Method not implemented.")}get hint(){throw new Error("Method not implemented.")}set hint(e){throw new Error("Method not implemented.")}async insertOne(e,n){let o=await this.collection.insertOne(e);return{acknowledged:o.acknowledged,insertedId:o.insertedId}}async insertMany(e,n){let o=await this.collection.insertMany(e);return{acknowledged:o.acknowledged,insertedIds:o.insertedIds,insertedCount:o.insertedCount}}bulkWrite(e,n){throw new Error("Method not implemented.")}async updateOne(e,n,o){let i=await this.collection.updateOne(e,n);return{acknowledged:i.acknowledged,matchedCount:i.modifiedCount,modifiedCount:i.modifiedCount,upsertedCount:i.modifiedCount,upsertedId:null}}replaceOne(e,n,o){throw new Error("Method not implemented.")}async updateMany(e,n,o){let i=await this.collection.updateMany(e,n);return{acknowledged:i.acknowledged,matchedCount:i.modifiedCount,modifiedCount:i.modifiedCount,upsertedCount:i.modifiedCount,upsertedId:null}}async deleteOne(e,n){let o=await this.collection.deleteOne(e);return{acknowledged:o.acknowledged,deletedCount:o.deletedCount}}async deleteMany(e,n){let o=await this.collection.deleteMany(e);return{acknowledged:o.acknowledged,deletedCount:o.deletedCount}}rename(e,n){throw new Error("Method not implemented.")}drop(e){throw new Error("Method not implemented.")}async findOne(e,n){return this.collection.findOne(e)}find(e,n){return new f(this.collection.find(e))}options(e){throw new Error("Method not implemented.")}isCapped(e){throw new Error("Method not implemented.")}createIndex(e,n){throw new Error("Method not implemented.")}createIndexes(e,n){throw new Error("Method not implemented.")}dropIndex(e,n){throw new Error("Method not implemented.")}dropIndexes(e){throw new Error("Method not implemented.")}listIndexes(e){throw new Error("Method not implemented.")}indexExists(e,n){throw new Error("Method not implemented.")}indexInformation(e){throw new Error("Method not implemented.")}estimatedDocumentCount(e){throw new Error("Method not implemented.")}countDocuments(e,n){throw new Error("Method not implemented.")}distinct(e,n,o){throw new Error("Method not implemented.")}indexes(e){throw new Error("Method not implemented.")}findOneAndDelete(e,n){throw new Error("Method not implemented.")}findOneAndReplace(e,n,o){throw new Error("Method not implemented.")}findOneAndUpdate(e,n,o){throw new Error("Method not implemented.")}aggregate(e,n){throw new Error("Method not implemented.")}watch(e,n){throw new Error("Method not implemented.")}initializeUnorderedBulkOp(e){throw new Error("Method not implemented.")}initializeOrderedBulkOp(e){throw new Error("Method not implemented.")}count(e,n){throw new Error("Method not implemented.")}listSearchIndexes(e,n){throw new Error("Method not implemented.")}createSearchIndex(e){throw new Error("Method not implemented.")}createSearchIndexes(e){throw new Error("Method not implemented.")}dropSearchIndex(e){throw new Error("Method not implemented.")}updateSearchIndex(e,n){throw new Error("Method not implemented.")}async createCollection(){await this.collection.createCollection()}};var T=class{constructor(e){this.pongoDb=e}collection(e){return new g(this.pongoDb.collection(e))}};var S=class{constructor(e){this.pongoClient=_(e)}async connect(){return await this.pongoClient.connect(),this}async close(){await this.pongoClient.close()}db(e){return new T(this.pongoClient.db(e))}};exports.Collection = g; exports.Db = T; exports.FindCursor = f; exports.MongoClient = S; exports.buildIncQuery = N; exports.buildPushQuery = B; exports.buildSetQuery = j; exports.buildUnsetQuery = q; exports.buildUpdateQuery = O; exports.constructFilterQuery = p; exports.endAllPools = z; exports.endPool = h; exports.execute = $; exports.executeSQL = y; exports.getDbClient = P; exports.getPool = I; exports.pongoClient = _; exports.postgresClient = R;
|
|
4
|
+
UPDATE %I SET data = %s FROM cte WHERE %I._id = cte._id`,t,o,t,i,t)},updateMany:(e,n)=>{let o=p(e),i=O(n);return l("UPDATE %I SET data = %s WHERE %s",t,i,o)},deleteOne:e=>{let n=p(e);return l("DELETE FROM %I WHERE %s",t,n)},deleteMany:e=>{let n=p(e);return l("DELETE FROM %I WHERE %s",t,n)},findOne:e=>{let n=p(e);return l("SELECT data FROM %I WHERE %s LIMIT 1",t,n)},find:e=>{let n=p(e);return l("SELECT data FROM %I WHERE %s",t,n)}});var R=(t,e)=>{let n=I({connectionString:t,database:e});return{connect:()=>Promise.resolve(),close:()=>h(t),collection:o=>M(o,n)}};var P=(t,e)=>R(t,e);var _=t=>{let e=P(t),n={connect:async()=>(await e.connect(),n),close:()=>e.close(),db:o=>o?P(t,o):e};return n};var f= (_class =class{__init() {this.documents=null}__init2() {this.index=0}constructor(e){;_class.prototype.__init.call(this);_class.prototype.__init2.call(this);this.findDocumentsPromise=e}async toArray(){return this.findDocuments()}async forEach(e){let n=await this.findDocuments();for(let o of n)e(o);return Promise.resolve()}hasNext(){if(this.documents===null)throw Error("Error while fetching documents");return this.index<this.documents.length}async next(){let e=await this.findDocuments();return this.hasNext()?_nullishCoalesce(e[this.index++], () => (null)):null}async findDocuments(){return this.documents=await this.findDocumentsPromise,this.documents}}, _class);require('mongodb');var g=class{constructor(e){this.collection=e}get dbName(){throw new Error("Method not implemented.")}get collectionName(){throw new Error("Method not implemented.")}get namespace(){throw new Error("Method not implemented.")}get readConcern(){throw new Error("Method not implemented.")}get readPreference(){throw new Error("Method not implemented.")}get bsonOptions(){throw new Error("Method not implemented.")}get writeConcern(){throw new Error("Method not implemented.")}get hint(){throw new Error("Method not implemented.")}set hint(e){throw new Error("Method not implemented.")}async insertOne(e,n){let o=await this.collection.insertOne(e);return{acknowledged:o.acknowledged,insertedId:o.insertedId}}async insertMany(e,n){let o=await this.collection.insertMany(e);return{acknowledged:o.acknowledged,insertedIds:o.insertedIds,insertedCount:o.insertedCount}}bulkWrite(e,n){throw new Error("Method not implemented.")}async updateOne(e,n,o){let i=await this.collection.updateOne(e,n);return{acknowledged:i.acknowledged,matchedCount:i.modifiedCount,modifiedCount:i.modifiedCount,upsertedCount:i.modifiedCount,upsertedId:null}}replaceOne(e,n,o){throw new Error("Method not implemented.")}async updateMany(e,n,o){let i=await this.collection.updateMany(e,n);return{acknowledged:i.acknowledged,matchedCount:i.modifiedCount,modifiedCount:i.modifiedCount,upsertedCount:i.modifiedCount,upsertedId:null}}async deleteOne(e,n){let o=await this.collection.deleteOne(e);return{acknowledged:o.acknowledged,deletedCount:o.deletedCount}}async deleteMany(e,n){let o=await this.collection.deleteMany(e);return{acknowledged:o.acknowledged,deletedCount:o.deletedCount}}rename(e,n){throw new Error("Method not implemented.")}drop(e){throw new Error("Method not implemented.")}async findOne(e,n){return this.collection.findOne(e)}find(e,n){return new f(this.collection.find(e))}options(e){throw new Error("Method not implemented.")}isCapped(e){throw new Error("Method not implemented.")}createIndex(e,n){throw new Error("Method not implemented.")}createIndexes(e,n){throw new Error("Method not implemented.")}dropIndex(e,n){throw new Error("Method not implemented.")}dropIndexes(e){throw new Error("Method not implemented.")}listIndexes(e){throw new Error("Method not implemented.")}indexExists(e,n){throw new Error("Method not implemented.")}indexInformation(e){throw new Error("Method not implemented.")}estimatedDocumentCount(e){throw new Error("Method not implemented.")}countDocuments(e,n){throw new Error("Method not implemented.")}distinct(e,n,o){throw new Error("Method not implemented.")}indexes(e){throw new Error("Method not implemented.")}findOneAndDelete(e,n){throw new Error("Method not implemented.")}findOneAndReplace(e,n,o){throw new Error("Method not implemented.")}findOneAndUpdate(e,n,o){throw new Error("Method not implemented.")}aggregate(e,n){throw new Error("Method not implemented.")}watch(e,n){throw new Error("Method not implemented.")}initializeUnorderedBulkOp(e){throw new Error("Method not implemented.")}initializeOrderedBulkOp(e){throw new Error("Method not implemented.")}count(e,n){throw new Error("Method not implemented.")}listSearchIndexes(e,n){throw new Error("Method not implemented.")}createSearchIndex(e){throw new Error("Method not implemented.")}createSearchIndexes(e){throw new Error("Method not implemented.")}dropSearchIndex(e){throw new Error("Method not implemented.")}updateSearchIndex(e,n){throw new Error("Method not implemented.")}async createCollection(){await this.collection.createCollection()}};var T=class{constructor(e){this.pongoDb=e}collection(e){return new g(this.pongoDb.collection(e))}};var S=class{constructor(e){this.pongoClient=_(e)}async connect(){return await this.pongoClient.connect(),this}async close(){await this.pongoClient.close()}db(e){return new T(this.pongoClient.db(e))}};exports.Collection = g; exports.Db = T; exports.FindCursor = f; exports.MongoClient = S; exports.Operators = x; exports.buildIncQuery = N; exports.buildPushQuery = B; exports.buildSetQuery = j; exports.buildUnsetQuery = q; exports.buildUpdateQuery = O; exports.collectionSQLBuilder = H; exports.constructFilterQuery = p; exports.endAllPools = z; exports.endPool = h; exports.entries = u; exports.execute = $; exports.executeSQL = y; exports.getDbClient = P; exports.getPool = I; exports.handleOperator = c; exports.hasOperators = F; exports.isOperator = L; exports.pongoClient = _; exports.postgresClient = R; exports.postgresCollection = M; exports.sql = l;
|
|
5
5
|
//# sourceMappingURL=index.cjs.map
|
package/dist/index.cjs.map
CHANGED
|
@@ -1 +1 @@
|
|
|
1
|
-
{"version":3,"sources":["../src/postgres/pool.ts","../src/postgres/postgresCollection.ts","../src/postgres/execute/index.ts","../src/main/typing/entries.ts","../src/postgres/filter/queryOperators.ts","../src/postgres/filter/index.ts","../src/postgres/sql/index.ts","../src/postgres/update/index.ts","../src/postgres/client.ts","../src/main/dbClient.ts","../src/main/client.ts","../src/mongo/findCursor.ts","../src/mongo/mongoDb.ts","../src/mongo/mongoCollection.ts","../src/mongo/mongoClient.ts"],"names":["pg","pools","getPool","connectionStringOrOptions","connectionString","poolOptions","endPool","pool","endAllPools","format","uuid","execute","handle","client","executeSQL","sql","entries","obj","key","value","Operators","OperatorMap","isOperator","hasOperators","handleOperator","path","operator","handleIdOperator","buildNestedObject","v","subQuery","subKey","subValue","acc","AND","constructFilterQuery","filter","isRecord","constructComplexFilterQuery","isEquality","nestedKey","val","sqlQuery","params","buildUpdateQuery","update","currentUpdateQuery","op","buildSetQuery","buildUnsetQuery","buildIncQuery","buildPushQuery","set","unset","inc","push","postgresCollection","collectionName","SqlFor","collectionSQLBuilder","createCollection","document","_id","documents","rows","doc","result","d","row","values","filterQuery","updateQuery","postgresClient","database","name","getDbClient","pongoClient","dbClient","dbName","FindCursor","callback","docs","Collection","collection","_options","_operations","_filter","_","_newName","_indexSpec","_indexSpecs","_indexName","_indexes","_key","_replacement","_update","_pipeline","_name","_description","_descriptions","_definition","Db","pongoDb","MongoClient"],"mappings":"AAAA,OAAOA,MAAQ,KAEf,IAAMC,EAA8B,IAAI,IAE3BC,EACXC,GACY,CACZ,IAAMC,EACJ,OAAOD,GAA8B,SACjCA,EACAA,EAA0B,iBAE1BE,EACJ,OAAOF,GAA8B,SACjC,CAAE,iBAAAC,CAAiB,EACnBD,EAGN,OACEF,EAAM,IAAIG,CAAgB,GAC1BH,EAAM,IAAIG,EAAkB,IAAIJ,EAAG,KAAKK,CAAW,CAAC,EAAE,IAAID,CAAgB,CAE9E,EAEaE,EAAU,MAAOF,GAA4C,CACxE,IAAMG,EAAON,EAAM,IAAIG,CAAgB,EACnCG,IACF,MAAMA,EAAK,IAAI,EACfN,EAAM,OAAOG,CAAgB,EAEjC,EAEaI,EAAc,IACzB,QAAQ,IACN,CAAC,GAAGP,EAAM,KAAK,CAAC,EAAE,IAAKG,GAAqBE,EAAQF,CAAgB,CAAC,CACvE,ECnCF,MAAe,KACf,OAAOK,MAAY,YACnB,OAAS,MAAMC,MAAY,OCCpB,IAAMC,EAAU,MACrBJ,EACAK,IACG,CACH,IAAMC,EAAS,MAAMN,EAAK,QAAQ,EAClC,GAAI,CACF,OAAO,MAAMK,EAAOC,CAAM,CAC5B,QAAE,CACAA,EAAO,QAAQ,CACjB,CACF,EAEaC,EAAa,MAGxBP,EACAQ,IAEAJ,EAAQJ,EAAOM,GAAWA,EAAO,MAAcE,CAAG,CAAC,ECb9C,IAAMC,EAA6BC,GACxC,OAAO,QAAQA,CAAG,EAAE,IAAI,CAAC,CAACC,EAAKC,CAAK,IAAM,CAACD,EAAgBC,CAAK,CAAC,ECTnE,OAAOV,MAAY,YAGZ,IAAMW,EAAY,CACvB,IAAK,MACL,IAAK,MACL,KAAM,OACN,IAAK,MACL,KAAM,OACN,IAAK,MACL,IAAK,MACL,KAAM,OACN,WAAY,aACZ,KAAM,OACN,MAAO,OACT,EAEMC,EAAc,CAClB,IAAK,IACL,KAAM,KACN,IAAK,IACL,KAAM,KACN,IAAK,IACP,EAEaC,EAAcJ,GAAgBA,EAAI,WAAW,GAAG,EAEhDK,EAAgBJ,GAC3B,OAAO,KAAKA,CAAK,EAAE,KAAKG,CAAU,EAEvBE,EAAiB,CAC5BC,EACAC,EACAP,IACW,CACX,GAAIM,IAAS,MACX,OAAOE,EAAiBD,EAAUP,CAAK,EAGzC,OAAQO,EAAU,CAChB,IAAK,MACH,OAAOjB,EACL,wEACA,KAAK,UAAUmB,EAAkBH,EAAMN,CAAK,CAAC,EAC7CM,EACA,KAAK,UAAUN,CAAK,CACtB,EACF,IAAK,MACL,IAAK,OACL,IAAK,MACL,IAAK,OACL,IAAK,MACH,OAAOV,EACL,eAAeY,EAAYK,CAAQ,CAAC,MACpC,IAAID,EAAK,MAAM,GAAG,EAAE,KAAK,GAAG,CAAC,IAC7BN,CACF,EACF,IAAK,MACH,OAAOV,EACL,sBACA,IAAIgB,EAAK,MAAM,GAAG,EAAE,KAAK,GAAG,CAAC,IAC5BN,EAAoB,IAAKU,GAAMpB,EAAO,KAAMoB,CAAC,CAAC,EAAE,KAAK,IAAI,CAC5D,EACF,IAAK,OACH,OAAOpB,EACL,0BACA,IAAIgB,EAAK,MAAM,GAAG,EAAE,KAAK,GAAG,CAAC,IAC5BN,EAAoB,IAAKU,GAAMpB,EAAO,KAAMoB,CAAC,CAAC,EAAE,KAAK,IAAI,CAC5D,EACF,IAAK,aAAc,CACjB,IAAMC,EAAWd,EAAQG,CAAgC,EACtD,IAAI,CAAC,CAACY,EAAQC,CAAQ,IACrBvB,EAAO,eAAgBsB,EAAQ,KAAK,UAAUC,CAAQ,CAAC,CACzD,EACC,KAAK,MAAM,EACd,OAAOvB,EACL,4CACAgB,EACAK,CACF,CACF,CACA,IAAK,OACH,OAAOrB,EACL,oBACA,KAAK,UAAUmB,EAAkBH,EAAMN,CAAK,CAAC,CAC/C,EACF,IAAK,QACH,OAAOV,EACL,sCACA,IAAIgB,EAAK,MAAM,GAAG,EAAE,KAAK,GAAG,CAAC,IAC7BN,CACF,EACF,QACE,MAAM,IAAI,MAAM,yBAAyBO,CAAQ,EAAE,CACvD,CACF,EAEMC,EAAmB,CAACD,EAAkBP,IAA2B,CACrE,OAAQO,EAAU,CAChB,IAAK,MACH,OAAOjB,EAAO,WAAYU,CAAK,EACjC,IAAK,MACL,IAAK,OACL,IAAK,MACL,IAAK,OACL,IAAK,MACH,OAAOV,EAAO,OAAOY,EAAYK,CAAQ,CAAC,MAAOP,CAAK,EACxD,IAAK,MACH,OAAOV,EACL,cACCU,EAAoB,IAAKU,GAAMpB,EAAO,KAAMoB,CAAC,CAAC,EAAE,KAAK,IAAI,CAC5D,EACF,IAAK,OACH,OAAOpB,EACL,kBACCU,EAAoB,IAAKU,GAAMpB,EAAO,KAAMoB,CAAC,CAAC,EAAE,KAAK,IAAI,CAC5D,EACF,QACE,MAAM,IAAI,MAAM,yBAAyBH,CAAQ,EAAE,CACvD,CACF,EAEME,EAAoB,CACxBH,EACAN,IAEAM,EACG,MAAM,GAAG,EACT,QAAQ,EACR,OAAO,CAACQ,EAAKf,KAAS,CAAE,CAACA,CAAG,EAAGe,CAAI,GAAId,CAAgC,EC7H5E,IAAMe,EAAM,MAECC,EAA2BC,GACtC,OAAO,QAAQA,CAAM,EAClB,IAAI,CAAC,CAAClB,EAAKC,CAAK,IACfkB,EAASlB,CAAK,EACVmB,EAA4BpB,EAAKC,CAAK,EACtCK,EAAeN,EAAK,MAAOC,CAAK,CACtC,EACC,KAAK,IAAIe,CAAG,GAAG,EAEdI,EAA8B,CAClCpB,EACAC,IACW,CACX,IAAMoB,EAAa,CAAChB,EAAaJ,CAAK,EAEtC,OAAOH,EAAQG,CAAK,EACjB,IACC,CAAC,CAACqB,EAAWC,CAAG,IACdF,EACIf,EAAe,GAAGN,CAAG,IAAIsB,CAAS,GAAIpB,EAAU,IAAKqB,CAAG,EACxDjB,EAAeN,EAAKsB,EAAWC,CAAG,CAC1C,EACC,KAAK,IAAIP,CAAG,GAAG,CACpB,EAEMG,EAAYlB,GAChBA,IAAU,MAAQ,OAAOA,GAAU,UAAY,CAAC,MAAM,QAAQA,CAAK,EChCrE,OAAOV,MAAY,YAIZ,IAAMM,EAAM,CAAC2B,KAAqBC,IAChClC,EAAOiC,EAAU,GAAGC,CAAM,ECD5B,IAAMC,EAAuBC,GAClC7B,EAAQ6B,CAAM,EAAE,OAAO,CAACC,EAAoB,CAACC,EAAI5B,CAAK,IAAM,CAC1D,OAAQ4B,EAAI,CACV,IAAK,OACH,OAAOC,EAAc7B,EAAO2B,CAAkB,EAChD,IAAK,SACH,OAAOG,EAAgB9B,EAAO2B,CAAkB,EAClD,IAAK,OACH,OAAOI,EAAc/B,EAAO2B,CAAkB,EAChD,IAAK,QACH,OAAOK,EAAehC,EAAO2B,CAAkB,EACjD,QACE,OAAOA,CACX,CACF,EAAG/B,EAAI,MAAM,CAAC,EAEHiC,EAAgB,CAAII,EAAcN,IAC7C/B,EACE,gCACA+B,EACA,KACA,KAAK,UAAUM,CAAG,CACpB,EAEWH,EAAkB,CAC7BI,EACAP,IACQ/B,EAAI,UAAW+B,EAAoB,OAAO,KAAKO,CAAK,EAAE,KAAK,IAAI,CAAC,EAE7DH,EAAgB,CAC3BI,EACAR,IACQ,CACR,OAAW,CAAC5B,EAAKC,CAAK,IAAK,OAAO,QAAQmC,CAAG,EAC3CR,EAAqB/B,EACnB,+DACA+B,EACA5B,EACAA,EACAC,CACF,EAEF,OAAO2B,CACT,EAEaK,EAAiB,CAC5BI,EACAT,IACQ,CACR,OAAW,CAAC5B,EAAKC,CAAK,IAAK,OAAO,QAAQoC,CAAI,EAC5CT,EAAqB/B,EACnB,8EACA+B,EACA5B,EACAA,EACA,KAAK,UAAUC,CAAK,CACtB,EAEF,OAAO2B,CACT,EN7CO,IAAMU,EAAqB,CAChCC,EACAlD,IACuB,CACvB,IAAMI,EAAWI,GAAaD,EAAWP,EAAMQ,CAAG,EAC5C2C,EAASC,EAAqBF,CAAc,EAE5CG,EAAmBjD,EAAQ+C,EAAO,iBAAiB,CAAC,EAE1D,MAAO,CACL,iBAAkB,SAAY,CAC5B,MAAME,CACR,EACA,UAAW,MAAOC,GAA+C,CAC/D,MAAMD,EAEN,IAAME,EAAMpD,EAAK,EAIjB,OAFe,MAAMC,EAAQ+C,EAAO,UAAU,CAAE,IAAAI,EAAK,GAAGD,CAAS,CAAC,CAAC,GAErD,SACV,CAAE,WAAYC,EAAK,aAAc,EAAK,EACtC,CAAE,WAAY,KAAM,aAAc,EAAM,CAC9C,EACA,WAAY,MAAOC,GAAmD,CACpE,MAAMH,EAEN,IAAMI,EAAOD,EAAU,IAAKE,IAAS,CACnC,IAAKvD,EAAK,EACV,GAAGuD,CACL,EAAE,EAEIC,EAAS,MAAMvD,EAAQ+C,EAAO,WAAWM,CAAI,CAAC,EAEpD,MAAO,CACL,aAAcE,EAAO,WAAaF,EAAK,OACvC,cAAeE,EAAO,UAAY,EAClC,YAAaF,EAAK,IAAKG,GAAMA,EAAE,GAAG,CACpC,CACF,EACA,UAAW,MACT/B,EACAS,IAC+B,CAC/B,MAAMe,EAEN,IAAMM,EAAS,MAAMvD,EAAQ+C,EAAO,UAAUtB,EAAQS,CAAM,CAAC,EAC7D,OAAOqB,EAAO,SACV,CAAE,aAAc,GAAM,cAAeA,EAAO,QAAS,EACrD,CAAE,aAAc,GAAO,cAAe,CAAE,CAC9C,EACA,WAAY,MACV9B,EACAS,IAC+B,CAC/B,MAAMe,EAEN,IAAMM,EAAS,MAAMvD,EAAQ+C,EAAO,WAAWtB,EAAQS,CAAM,CAAC,EAC9D,OAAOqB,EAAO,SACV,CAAE,aAAc,GAAM,cAAeA,EAAO,QAAS,EACrD,CAAE,aAAc,GAAO,cAAe,CAAE,CAC9C,EACA,UAAW,MAAO9B,GAAuD,CACvE,MAAMwB,EAEN,IAAMM,EAAS,MAAMvD,EAAQ+C,EAAO,UAAUtB,CAAM,CAAC,EACrD,OAAO8B,EAAO,SACV,CAAE,aAAc,GAAM,aAAcA,EAAO,QAAS,EACpD,CAAE,aAAc,GAAO,aAAc,CAAE,CAC7C,EACA,WAAY,MAAO9B,GAAuD,CACxE,MAAMwB,EAEN,IAAMM,EAAS,MAAMvD,EAAQ+C,EAAO,WAAWtB,CAAM,CAAC,EACtD,OAAO8B,EAAO,SACV,CAAE,aAAc,GAAM,aAAcA,EAAO,QAAS,EACpD,CAAE,aAAc,GAAO,aAAc,CAAE,CAC7C,EACA,QAAS,MAAO9B,IACd,MAAMwB,GAES,MAAMjD,EAAQ+C,EAAO,QAAQtB,CAAM,CAAC,GACpC,KAAK,CAAC,GAAG,MAAQ,MAElC,KAAM,MAAOA,IACX,MAAMwB,GAES,MAAMjD,EAAQ+C,EAAO,KAAKtB,CAAM,CAAC,GAClC,KAAK,IAAKgC,GAAQA,EAAI,IAAS,EAEjD,CACF,EAEaT,EAAwBF,IAA4B,CAC/D,iBAAkB,IAChB1C,EACE,mEACA0C,CACF,EACF,UAAeI,GACb9C,EACE,6CACA0C,EACAI,EAAS,IACT,KAAK,UAAUA,CAAQ,CACzB,EACF,WAAgBE,GAAgC,CAC9C,IAAMM,EAASN,EACZ,IAAKE,GAAQxD,EAAO,WAAYwD,EAAI,IAAK,KAAK,UAAUA,CAAG,CAAC,CAAC,EAC7D,KAAK,IAAI,EACZ,OAAOlD,EAAI,uCAAwC0C,EAAgBY,CAAM,CAC3E,EACA,UAAW,CAAIjC,EAAwBS,IAAgC,CACrE,IAAMyB,EAAcnC,EAAqBC,CAAM,EACzCmC,EAAc3B,EAAiBC,CAAM,EAE3C,OAAO9B,EACL;AAAA;AAAA;AAAA,+DAIA0C,EACAa,EACAb,EACAc,EACAd,CACF,CACF,EACA,WAAY,CAAIrB,EAAwBS,IAAgC,CACtE,IAAMyB,EAAcnC,EAAqBC,CAAM,EACzCmC,EAAc3B,EAAiBC,CAAM,EAE3C,OAAO9B,EACL,mCACA0C,EACAc,EACAD,CACF,CACF,EACA,UAAelC,GAAgC,CAC7C,IAAMkC,EAAcnC,EAAqBC,CAAM,EAC/C,OAAOrB,EAAI,0BAA2B0C,EAAgBa,CAAW,CACnE,EACA,WAAgBlC,GAAgC,CAC9C,IAAMkC,EAAcnC,EAAqBC,CAAM,EAC/C,OAAOrB,EAAI,0BAA2B0C,EAAgBa,CAAW,CACnE,EACA,QAAalC,GAAgC,CAC3C,IAAMkC,EAAcnC,EAAqBC,CAAM,EAC/C,OAAOrB,EACL,uCACA0C,EACAa,CACF,CACF,EACA,KAAUlC,GAAgC,CACxC,IAAMkC,EAAcnC,EAAqBC,CAAM,EAC/C,OAAOrB,EAAI,+BAAgC0C,EAAgBa,CAAW,CACxE,CACF,GO7KO,IAAME,EAAiB,CAC5BpE,EACAqE,IACa,CACb,IAAMlE,EAAOL,EAAQ,CAAE,iBAAAE,EAAkB,SAAAqE,CAAS,CAAC,EAEnD,MAAO,CACL,QAAS,IAAM,QAAQ,QAAQ,EAC/B,MAAO,IAAMnE,EAAQF,CAAgB,EACrC,WAAgBsE,GAAiBlB,EAAsBkB,EAAMnE,CAAI,CACnE,CACF,ECNO,IAAMoE,EAAc,CACzBvE,EACAqE,IAGOD,EAAepE,EAAkBqE,CAAQ,ECX3C,IAAMG,EAAexE,GAA0C,CACpE,IAAMyE,EAAWF,EAAYvE,CAAgB,EAEvCwE,EAA2B,CAC/B,QAAS,UACP,MAAMC,EAAS,QAAQ,EAChBD,GAET,MAAO,IAAMC,EAAS,MAAM,EAC5B,GAAKC,GACHA,EAASH,EAAYvE,EAAkB0E,CAAM,EAAID,CACrD,EAEA,OAAOD,CACT,ECjBO,IAAMG,EAAN,KAAoB,CACjB,qBACA,UAAwB,KACxB,MAAgB,EAExB,YAAYhB,EAAyB,CACnC,KAAK,qBAAuBA,CAC9B,CAEA,MAAM,SAAwB,CAC5B,OAAO,KAAK,cAAc,CAC5B,CAEA,MAAM,QAAQiB,EAA2C,CACvD,IAAMC,EAAO,MAAM,KAAK,cAAc,EAEtC,QAAWhB,KAAOgB,EAChBD,EAASf,CAAG,EAEd,OAAO,QAAQ,QAAQ,CACzB,CAEA,SAAmB,CACjB,GAAI,KAAK,YAAc,KAAM,MAAM,MAAM,gCAAgC,EACzE,OAAO,KAAK,MAAQ,KAAK,UAAU,MACrC,CAEA,MAAM,MAA0B,CAC9B,IAAMgB,EAAO,MAAM,KAAK,cAAc,EACtC,OAAO,KAAK,QAAQ,EAAIA,EAAK,KAAK,OAAO,GAAK,KAAO,IACvD,CAEA,MAAc,eAA8B,CAC1C,YAAK,UAAY,MAAM,KAAK,qBACrB,KAAK,SACd,CACF,ECpCA,MAA6D,UC+DtD,IAAMC,EAAN,KAAmE,CAChE,WAER,YAAYC,EAAgC,CAC1C,KAAK,WAAaA,CACpB,CACA,IAAI,QAAiB,CACnB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,gBAAyB,CAC3B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,WAAoB,CACtB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,aAAuC,CACzC,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,gBAA6C,CAC/C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,aAAoC,CACtC,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,cAAyC,CAC3C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,MAAyB,CAC3B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,KAAKtD,EAAqB,CAC5B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,MAAM,UACJoC,EACAmB,EAC6B,CAC7B,IAAMlB,EAAS,MAAM,KAAK,WAAW,UAAUD,CAAQ,EACvD,MAAO,CACL,aAAcC,EAAO,aACrB,WAAYA,EAAO,UACrB,CACF,CACA,MAAM,WACJe,EACAG,EAC8B,CAC9B,IAAMlB,EAAS,MAAM,KAAK,WAAW,WAAWe,CAAW,EAC3D,MAAO,CACL,aAAcf,EAAO,aACrB,YAAaA,EAAO,YACpB,cAAeA,EAAO,aACxB,CACF,CACA,UACEmB,EACAD,EAC0B,CAC1B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,MAAM,UACJhD,EACAS,EACAuC,EAC0B,CAC1B,IAAMlB,EAAS,MAAM,KAAK,WAAW,UACnC9B,EACAS,CACF,EAEA,MAAO,CACL,aAAcqB,EAAO,aACrB,aAAcA,EAAO,cACrB,cAAeA,EAAO,cACtB,cAAeA,EAAO,cACtB,WAAY,IACd,CACF,CACA,WACEoB,EACAC,EACAH,EACqC,CACrC,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,MAAM,WACJhD,EACAS,EACAuC,EAC0B,CAC1B,IAAMlB,EAAS,MAAM,KAAK,WAAW,WACnC9B,EACAS,CACF,EAEA,MAAO,CACL,aAAcqB,EAAO,aACrB,aAAcA,EAAO,cACrB,cAAeA,EAAO,cACtB,cAAeA,EAAO,cACtB,WAAY,IACd,CACF,CACA,MAAM,UACJ9B,EACAgD,EACuB,CACvB,IAAMlB,EAAS,MAAM,KAAK,WAAW,UACnC9B,CACF,EAEA,MAAO,CACL,aAAc8B,EAAO,aACrB,aAAcA,EAAO,YACvB,CACF,CACA,MAAM,WACJ9B,EACAgD,EACuB,CACvB,IAAMlB,EAAS,MAAM,KAAK,WAAW,WACnC9B,CACF,EAEA,MAAO,CACL,aAAc8B,EAAO,aACrB,aAAcA,EAAO,YACvB,CACF,CACA,OACEsB,EACAJ,EAC+B,CAC/B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,KAAKA,EAAgE,CACnE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAaA,MAAM,QACJhD,EACAgD,EACiD,CACjD,OAAO,KAAK,WAAW,QAAQhD,CAAwB,CACzD,CAUA,KACEA,EACAgD,EACiD,CACjD,OAAO,IAAIL,EACT,KAAK,WAAW,KAAK3C,CAAwB,CAC/C,CACF,CACA,QAAQgD,EAA4D,CAClE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,SAASA,EAA2D,CAClE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,YACEK,EACAL,EACiB,CACjB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,cACEM,EACAN,EACmB,CACnB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,UACEO,EACAP,EACmB,CACnB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,YACEA,EACkB,CAClB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,YAAYA,EAAiE,CAC3E,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,YACEQ,EACAR,EACkB,CAClB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAWA,iBACEA,EAOI,CACJ,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,uBACEA,EACiB,CACjB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,eACEE,EACAF,EACiB,CACjB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAsBA,SACES,EACAP,EACAF,EAGyE,CACzE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAaA,QACEA,EAOI,CACJ,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAcA,iBACEE,EACAF,EAG6C,CAC7C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAoBA,kBACEE,EACAQ,EACAV,EAG6C,CAC7C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAoBA,iBACEE,EACAS,EACAX,EAG6C,CAC7C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,UACEY,EACAZ,EACsB,CACtB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,MAIEY,EACAZ,EAC+B,CAC/B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,0BACEA,EACwB,CACxB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,wBACEA,EACsB,CACtB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,MACEE,EACAF,EACiB,CACjB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAQA,kBACEa,EACAb,EAC2C,CAC3C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,kBAAkBc,EAAuD,CACvE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,oBACEC,EACmB,CACnB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,gBAAgBF,EAA8B,CAC5C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,kBAAkBA,EAAeG,EAAsC,CACrE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAEA,MAAM,kBAAkC,CACtC,MAAM,KAAK,WAAW,iBAAiB,CACzC,CACF,ED9eO,IAAMC,EAAN,KAAS,CACd,YAAoBC,EAAkB,CAAlB,aAAAA,CAAmB,CAEvC,WAA+B7C,EAA4C,CACzE,OAAO,IAAIyB,EAAc,KAAK,QAAQ,WAAczB,CAAc,CAAC,CACrE,CACF,EENO,IAAM8C,EAAN,KAAkB,CACf,YAER,YAAYnG,EAA0B,CACpC,KAAK,YAAcwE,EAAYxE,CAAgB,CACjD,CAEA,MAAM,SAAU,CACd,aAAM,KAAK,YAAY,QAAQ,EACxB,IACT,CAEA,MAAM,OAAQ,CACZ,MAAM,KAAK,YAAY,MAAM,CAC/B,CAEA,GAAG0E,EAAoB,CACrB,OAAO,IAAIuB,EAAG,KAAK,YAAY,GAAGvB,CAAM,CAAC,CAC3C,CACF","sourcesContent":["import pg from 'pg';\n\nconst pools: Map<string, pg.Pool> = new Map();\n\nexport const getPool = (\n connectionStringOrOptions: string | pg.PoolConfig,\n): pg.Pool => {\n const connectionString =\n typeof connectionStringOrOptions === 'string'\n ? connectionStringOrOptions\n : connectionStringOrOptions.connectionString!;\n\n const poolOptions =\n typeof connectionStringOrOptions === 'string'\n ? { connectionString }\n : connectionStringOrOptions;\n\n //TODO: this should include database name resolution for key\n return (\n pools.get(connectionString) ??\n pools.set(connectionString, new pg.Pool(poolOptions)).get(connectionString)!\n );\n};\n\nexport const endPool = async (connectionString: string): Promise<void> => {\n const pool = pools.get(connectionString);\n if (pool) {\n await pool.end();\n pools.delete(connectionString);\n }\n};\n\nexport const endAllPools = () =>\n Promise.all(\n [...pools.keys()].map((connectionString) => endPool(connectionString)),\n );\n","import pg from 'pg';\nimport format from 'pg-format';\nimport { v4 as uuid } from 'uuid';\nimport {\n type PongoCollection,\n type PongoDeleteResult,\n type PongoFilter,\n type PongoInsertManyResult,\n type PongoInsertOneResult,\n type PongoUpdate,\n type PongoUpdateResult,\n type WithId,\n} from '../main';\nimport { executeSQL } from './execute';\nimport { constructFilterQuery } from './filter';\nimport { sql, type SQL } from './sql';\nimport { buildUpdateQuery } from './update';\n\nexport const postgresCollection = <T>(\n collectionName: string,\n pool: pg.Pool,\n): PongoCollection<T> => {\n const execute = (sql: SQL) => executeSQL(pool, sql);\n const SqlFor = collectionSQLBuilder(collectionName);\n\n const createCollection = execute(SqlFor.createCollection());\n\n return {\n createCollection: async () => {\n await createCollection;\n },\n insertOne: async (document: T): Promise<PongoInsertOneResult> => {\n await createCollection;\n\n const _id = uuid();\n\n const result = await execute(SqlFor.insertOne({ _id, ...document }));\n\n return result.rowCount\n ? { insertedId: _id, acknowledged: true }\n : { insertedId: null, acknowledged: false };\n },\n insertMany: async (documents: T[]): Promise<PongoInsertManyResult> => {\n await createCollection;\n\n const rows = documents.map((doc) => ({\n _id: uuid(),\n ...doc,\n }));\n\n const result = await execute(SqlFor.insertMany(rows));\n\n return {\n acknowledged: result.rowCount === rows.length,\n insertedCount: result.rowCount ?? 0,\n insertedIds: rows.map((d) => d._id),\n };\n },\n updateOne: async (\n filter: PongoFilter<T>,\n update: PongoUpdate<T>,\n ): Promise<PongoUpdateResult> => {\n await createCollection;\n\n const result = await execute(SqlFor.updateOne(filter, update));\n return result.rowCount\n ? { acknowledged: true, modifiedCount: result.rowCount }\n : { acknowledged: false, modifiedCount: 0 };\n },\n updateMany: async (\n filter: PongoFilter<T>,\n update: PongoUpdate<T>,\n ): Promise<PongoUpdateResult> => {\n await createCollection;\n\n const result = await execute(SqlFor.updateMany(filter, update));\n return result.rowCount\n ? { acknowledged: true, modifiedCount: result.rowCount }\n : { acknowledged: false, modifiedCount: 0 };\n },\n deleteOne: async (filter: PongoFilter<T>): Promise<PongoDeleteResult> => {\n await createCollection;\n\n const result = await execute(SqlFor.deleteOne(filter));\n return result.rowCount\n ? { acknowledged: true, deletedCount: result.rowCount }\n : { acknowledged: false, deletedCount: 0 };\n },\n deleteMany: async (filter: PongoFilter<T>): Promise<PongoDeleteResult> => {\n await createCollection;\n\n const result = await execute(SqlFor.deleteMany(filter));\n return result.rowCount\n ? { acknowledged: true, deletedCount: result.rowCount }\n : { acknowledged: false, deletedCount: 0 };\n },\n findOne: async (filter: PongoFilter<T>): Promise<T | null> => {\n await createCollection;\n\n const result = await execute(SqlFor.findOne(filter));\n return (result.rows[0]?.data ?? null) as T | null;\n },\n find: async (filter: PongoFilter<T>): Promise<T[]> => {\n await createCollection;\n\n const result = await execute(SqlFor.find(filter));\n return result.rows.map((row) => row.data as T);\n },\n };\n};\n\nexport const collectionSQLBuilder = (collectionName: string) => ({\n createCollection: (): SQL =>\n sql(\n 'CREATE TABLE IF NOT EXISTS %I (_id UUID PRIMARY KEY, data JSONB)',\n collectionName,\n ),\n insertOne: <T>(document: WithId<T>): SQL =>\n sql(\n 'INSERT INTO %I (_id, data) VALUES (%L, %L)',\n collectionName,\n document._id,\n JSON.stringify(document),\n ),\n insertMany: <T>(documents: WithId<T>[]): SQL => {\n const values = documents\n .map((doc) => format('(%L, %L)', doc._id, JSON.stringify(doc)))\n .join(', ');\n return sql('INSERT INTO %I (_id, data) VALUES %s', collectionName, values);\n },\n updateOne: <T>(filter: PongoFilter<T>, update: PongoUpdate<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n const updateQuery = buildUpdateQuery(update);\n\n return sql(\n `WITH cte AS (\n SELECT _id FROM %I WHERE %s LIMIT 1\n )\n UPDATE %I SET data = %s FROM cte WHERE %I._id = cte._id`,\n collectionName,\n filterQuery,\n collectionName,\n updateQuery,\n collectionName,\n );\n },\n updateMany: <T>(filter: PongoFilter<T>, update: PongoUpdate<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n const updateQuery = buildUpdateQuery(update);\n\n return sql(\n 'UPDATE %I SET data = %s WHERE %s',\n collectionName,\n updateQuery,\n filterQuery,\n );\n },\n deleteOne: <T>(filter: PongoFilter<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n return sql('DELETE FROM %I WHERE %s', collectionName, filterQuery);\n },\n deleteMany: <T>(filter: PongoFilter<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n return sql('DELETE FROM %I WHERE %s', collectionName, filterQuery);\n },\n findOne: <T>(filter: PongoFilter<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n return sql(\n 'SELECT data FROM %I WHERE %s LIMIT 1',\n collectionName,\n filterQuery,\n );\n },\n find: <T>(filter: PongoFilter<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n return sql('SELECT data FROM %I WHERE %s', collectionName, filterQuery);\n },\n});\n","import type pg from 'pg';\nimport type { SQL } from '../sql';\n\nexport const execute = async <Result = void>(\n pool: pg.Pool,\n handle: (client: pg.PoolClient) => Promise<Result>,\n) => {\n const client = await pool.connect();\n try {\n return await handle(client);\n } finally {\n client.release();\n }\n};\n\nexport const executeSQL = async <\n Result extends pg.QueryResultRow = pg.QueryResultRow,\n>(\n pool: pg.Pool,\n sql: SQL,\n): Promise<pg.QueryResult<Result>> =>\n execute(pool, (client) => client.query<Result>(sql));\n","type Entry<T> = {\n [K in keyof Required<T>]: [K, Required<T>[K]];\n}[keyof Required<T>];\n\ntype IterableEntry<T> = Entry<T> & {\n [Symbol.iterator](): Iterator<Entry<T>>;\n};\n\nexport const entries = <T extends object>(obj: T): IterableEntry<T>[] =>\n Object.entries(obj).map(([key, value]) => [key as keyof T, value]);\n\nexport type NonPartial<T> = { [K in keyof Required<T>]: T[K] };\n","import format from 'pg-format';\nimport { entries } from '../../main/typing';\n\nexport const Operators = {\n $eq: '$eq',\n $gt: '$gt',\n $gte: '$gte',\n $lt: '$lt',\n $lte: '$lte',\n $ne: '$ne',\n $in: '$in',\n $nin: '$nin',\n $elemMatch: '$elemMatch',\n $all: '$all',\n $size: '$size',\n};\n\nconst OperatorMap = {\n $gt: '>',\n $gte: '>=',\n $lt: '<',\n $lte: '<=',\n $ne: '!=',\n};\n\nexport const isOperator = (key: string) => key.startsWith('$');\n\nexport const hasOperators = (value: Record<string, unknown>) =>\n Object.keys(value).some(isOperator);\n\nexport const handleOperator = (\n path: string,\n operator: string,\n value: unknown,\n): string => {\n if (path === '_id') {\n return handleIdOperator(operator, value);\n }\n\n switch (operator) {\n case '$eq':\n return format(\n `(data @> %L::jsonb OR jsonb_path_exists(data, '$.%s[*] ? (@ == %s)'))`,\n JSON.stringify(buildNestedObject(path, value)),\n path,\n JSON.stringify(value),\n );\n case '$gt':\n case '$gte':\n case '$lt':\n case '$lte':\n case '$ne':\n return format(\n `data #>> %L ${OperatorMap[operator]} %L`,\n `{${path.split('.').join(',')}}`,\n value,\n );\n case '$in':\n return format(\n 'data #>> %L IN (%s)',\n `{${path.split('.').join(',')}}`,\n (value as unknown[]).map((v) => format('%L', v)).join(', '),\n );\n case '$nin':\n return format(\n 'data #>> %L NOT IN (%s)',\n `{${path.split('.').join(',')}}`,\n (value as unknown[]).map((v) => format('%L', v)).join(', '),\n );\n case '$elemMatch': {\n const subQuery = entries(value as Record<string, unknown>)\n .map(([subKey, subValue]) =>\n format(`@.\"%s\" == %s`, subKey, JSON.stringify(subValue)),\n )\n .join(' && ');\n return format(\n `jsonb_path_exists(data, '$.%s[*] ? (%s)')`,\n path,\n subQuery,\n );\n }\n case '$all':\n return format(\n 'data @> %L::jsonb',\n JSON.stringify(buildNestedObject(path, value)),\n );\n case '$size':\n return format(\n 'jsonb_array_length(data #> %L) = %L',\n `{${path.split('.').join(',')}}`,\n value,\n );\n default:\n throw new Error(`Unsupported operator: ${operator}`);\n }\n};\n\nconst handleIdOperator = (operator: string, value: unknown): string => {\n switch (operator) {\n case '$eq':\n return format(`_id = %L`, value);\n case '$gt':\n case '$gte':\n case '$lt':\n case '$lte':\n case '$ne':\n return format(`_id ${OperatorMap[operator]} %L`, value);\n case '$in':\n return format(\n `_id IN (%s)`,\n (value as unknown[]).map((v) => format('%L', v)).join(', '),\n );\n case '$nin':\n return format(\n `_id NOT IN (%s)`,\n (value as unknown[]).map((v) => format('%L', v)).join(', '),\n );\n default:\n throw new Error(`Unsupported operator: ${operator}`);\n }\n};\n\nconst buildNestedObject = (\n path: string,\n value: unknown,\n): Record<string, unknown> =>\n path\n .split('.')\n .reverse()\n .reduce((acc, key) => ({ [key]: acc }), value as Record<string, unknown>);\n","import type { PongoFilter } from '../../main';\nimport { entries } from '../../main/typing';\nimport { Operators, handleOperator, hasOperators } from './queryOperators';\n\nconst AND = 'AND';\n\nexport const constructFilterQuery = <T>(filter: PongoFilter<T>): string =>\n Object.entries(filter)\n .map(([key, value]) =>\n isRecord(value)\n ? constructComplexFilterQuery(key, value)\n : handleOperator(key, '$eq', value),\n )\n .join(` ${AND} `);\n\nconst constructComplexFilterQuery = (\n key: string,\n value: Record<string, unknown>,\n): string => {\n const isEquality = !hasOperators(value);\n\n return entries(value)\n .map(\n ([nestedKey, val]) =>\n isEquality\n ? handleOperator(`${key}.${nestedKey}`, Operators.$eq, val) // regular value\n : handleOperator(key, nestedKey, val), // operator\n )\n .join(` ${AND} `);\n};\n\nconst isRecord = (value: unknown): value is Record<string, unknown> =>\n value !== null && typeof value === 'object' && !Array.isArray(value);\n","import format from 'pg-format';\n\nexport type SQL = string & { __brand: 'sql' };\n\nexport const sql = (sqlQuery: string, ...params: unknown[]): SQL => {\n return format(sqlQuery, ...params) as SQL;\n};\n","import type { $inc, $push, $set, $unset, PongoUpdate } from '../../main';\nimport { entries } from '../../main/typing';\nimport { sql, type SQL } from '../sql';\n\nexport const buildUpdateQuery = <T>(update: PongoUpdate<T>): SQL =>\n entries(update).reduce((currentUpdateQuery, [op, value]) => {\n switch (op) {\n case '$set':\n return buildSetQuery(value, currentUpdateQuery);\n case '$unset':\n return buildUnsetQuery(value, currentUpdateQuery);\n case '$inc':\n return buildIncQuery(value, currentUpdateQuery);\n case '$push':\n return buildPushQuery(value, currentUpdateQuery);\n default:\n return currentUpdateQuery;\n }\n }, sql('data'));\n\nexport const buildSetQuery = <T>(set: $set<T>, currentUpdateQuery: SQL): SQL =>\n sql(\n 'jsonb_set(%s, %L, data || %L)',\n currentUpdateQuery,\n '{}',\n JSON.stringify(set),\n );\n\nexport const buildUnsetQuery = <T>(\n unset: $unset<T>,\n currentUpdateQuery: SQL,\n): SQL => sql('%s - %L', currentUpdateQuery, Object.keys(unset).join(', '));\n\nexport const buildIncQuery = <T>(\n inc: $inc<T>,\n currentUpdateQuery: SQL,\n): SQL => {\n for (const [key, value] of Object.entries(inc)) {\n currentUpdateQuery = sql(\n \"jsonb_set(%s, '{%s}', to_jsonb((data->>'%s')::numeric + %L))\",\n currentUpdateQuery,\n key,\n key,\n value,\n );\n }\n return currentUpdateQuery;\n};\n\nexport const buildPushQuery = <T>(\n push: $push<T>,\n currentUpdateQuery: SQL,\n): SQL => {\n for (const [key, value] of Object.entries(push)) {\n currentUpdateQuery = sql(\n \"jsonb_set(%s, '{%s}', (COALESCE(data->'%s', '[]'::jsonb) || '[%s]'::jsonb))\",\n currentUpdateQuery,\n key,\n key,\n JSON.stringify(value),\n );\n }\n return currentUpdateQuery;\n};\n","import { type DbClient } from '../main';\nimport { endPool, getPool } from './pool';\nimport { postgresCollection } from './postgresCollection';\n\nexport const postgresClient = (\n connectionString: string,\n database?: string,\n): DbClient => {\n const pool = getPool({ connectionString, database });\n\n return {\n connect: () => Promise.resolve(),\n close: () => endPool(connectionString),\n collection: <T>(name: string) => postgresCollection<T>(name, pool),\n };\n};\n","import { postgresClient } from '../postgres';\nimport type { PongoCollection } from './typing/operations';\n\nexport interface DbClient {\n connect(): Promise<void>;\n close(): Promise<void>;\n collection: <T>(name: string) => PongoCollection<T>;\n}\n\nexport const getDbClient = (\n connectionString: string,\n database?: string,\n): DbClient => {\n // This is the place where in the future could come resolution of other database types\n return postgresClient(connectionString, database);\n};\n","import { getDbClient } from './dbClient';\nimport type { PongoClient, PongoDb } from './typing/operations';\n\nexport const pongoClient = (connectionString: string): PongoClient => {\n const dbClient = getDbClient(connectionString);\n\n const pongoClient: PongoClient = {\n connect: async () => {\n await dbClient.connect();\n return pongoClient;\n },\n close: () => dbClient.close(),\n db: (dbName?: string): PongoDb =>\n dbName ? getDbClient(connectionString, dbName) : dbClient,\n };\n\n return pongoClient;\n};\n","export class FindCursor<T> {\n private findDocumentsPromise: Promise<T[]>;\n private documents: T[] | null = null;\n private index: number = 0;\n\n constructor(documents: Promise<T[]>) {\n this.findDocumentsPromise = documents;\n }\n\n async toArray(): Promise<T[]> {\n return this.findDocuments();\n }\n\n async forEach(callback: (doc: T) => void): Promise<void> {\n const docs = await this.findDocuments();\n\n for (const doc of docs) {\n callback(doc);\n }\n return Promise.resolve();\n }\n\n hasNext(): boolean {\n if (this.documents === null) throw Error('Error while fetching documents');\n return this.index < this.documents.length;\n }\n\n async next(): Promise<T | null> {\n const docs = await this.findDocuments();\n return this.hasNext() ? docs[this.index++] ?? null : null;\n }\n\n private async findDocuments(): Promise<T[]> {\n this.documents = await this.findDocumentsPromise;\n return this.documents;\n }\n}\n","import { Collection as MongoCollection, type Document } from 'mongodb';\nimport type { PongoDb } from '../main';\nimport { Collection } from './mongoCollection';\n\nexport class Db {\n constructor(private pongoDb: PongoDb) {}\n\n collection<T extends Document>(collectionName: string): MongoCollection<T> {\n return new Collection<T>(this.pongoDb.collection<T>(collectionName));\n }\n}\n","import type {\n AbstractCursorOptions,\n AggregateOptions,\n AggregationCursor,\n AnyBulkWriteOperation,\n BSONSerializeOptions,\n BulkWriteOptions,\n BulkWriteResult,\n ChangeStream,\n ChangeStreamDocument,\n ChangeStreamOptions,\n CommandOperationOptions,\n CountDocumentsOptions,\n CountOptions,\n CreateIndexesOptions,\n DeleteOptions,\n DeleteResult,\n Document,\n DropCollectionOptions,\n EnhancedOmit,\n EstimatedDocumentCountOptions,\n Filter,\n FindOneAndDeleteOptions,\n FindOneAndReplaceOptions,\n FindOneAndUpdateOptions,\n FindOptions,\n Flatten,\n Hint,\n IndexDescription,\n IndexDescriptionCompact,\n IndexDescriptionInfo,\n IndexInformationOptions,\n IndexSpecification,\n InferIdType,\n InsertManyResult,\n InsertOneOptions,\n InsertOneResult,\n ListIndexesCursor,\n ListSearchIndexesCursor,\n ListSearchIndexesOptions,\n ModifyResult,\n Collection as MongoCollection,\n FindCursor as MongoFindCursor,\n OperationOptions,\n OptionalUnlessRequiredId,\n OrderedBulkOperation,\n ReadConcern,\n ReadPreference,\n RenameOptions,\n ReplaceOptions,\n SearchIndexDescription,\n UnorderedBulkOperation,\n UpdateFilter,\n UpdateOptions,\n UpdateResult,\n WithId,\n WithoutId,\n WriteConcern,\n} from 'mongodb';\nimport type { Key } from 'readline';\nimport type { PongoCollection, PongoFilter, PongoUpdate } from '../main';\nimport { FindCursor } from './findCursor';\n\nexport class Collection<T extends Document> implements MongoCollection<T> {\n private collection: PongoCollection<T>;\n\n constructor(collection: PongoCollection<T>) {\n this.collection = collection;\n }\n get dbName(): string {\n throw new Error('Method not implemented.');\n }\n get collectionName(): string {\n throw new Error('Method not implemented.');\n }\n get namespace(): string {\n throw new Error('Method not implemented.');\n }\n get readConcern(): ReadConcern | undefined {\n throw new Error('Method not implemented.');\n }\n get readPreference(): ReadPreference | undefined {\n throw new Error('Method not implemented.');\n }\n get bsonOptions(): BSONSerializeOptions {\n throw new Error('Method not implemented.');\n }\n get writeConcern(): WriteConcern | undefined {\n throw new Error('Method not implemented.');\n }\n get hint(): Hint | undefined {\n throw new Error('Method not implemented.');\n }\n set hint(v: Hint | undefined) {\n throw new Error('Method not implemented.');\n }\n async insertOne(\n doc: OptionalUnlessRequiredId<T>,\n _options?: InsertOneOptions | undefined,\n ): Promise<InsertOneResult<T>> {\n const result = await this.collection.insertOne(doc as T);\n return {\n acknowledged: result.acknowledged,\n insertedId: result.insertedId as unknown as InferIdType<T>,\n };\n }\n async insertMany(\n docs: OptionalUnlessRequiredId<T>[],\n _options?: BulkWriteOptions | undefined,\n ): Promise<InsertManyResult<T>> {\n const result = await this.collection.insertMany(docs as T[]);\n return {\n acknowledged: result.acknowledged,\n insertedIds: result.insertedIds as unknown as InferIdType<T>[],\n insertedCount: result.insertedCount,\n };\n }\n bulkWrite(\n _operations: AnyBulkWriteOperation<T>[],\n _options?: BulkWriteOptions | undefined,\n ): Promise<BulkWriteResult> {\n throw new Error('Method not implemented.');\n }\n async updateOne(\n filter: Filter<T>,\n update: Document[] | UpdateFilter<T>,\n _options?: UpdateOptions | undefined,\n ): Promise<UpdateResult<T>> {\n const result = await this.collection.updateOne(\n filter as unknown as PongoFilter<T>,\n update as unknown as PongoUpdate<T>,\n );\n\n return {\n acknowledged: result.acknowledged,\n matchedCount: result.modifiedCount,\n modifiedCount: result.modifiedCount,\n upsertedCount: result.modifiedCount,\n upsertedId: null,\n };\n }\n replaceOne(\n _filter: Filter<T>,\n _: WithoutId<T>,\n _options?: ReplaceOptions | undefined,\n ): Promise<Document | UpdateResult<T>> {\n throw new Error('Method not implemented.');\n }\n async updateMany(\n filter: Filter<T>,\n update: Document[] | UpdateFilter<T>,\n _options?: UpdateOptions | undefined,\n ): Promise<UpdateResult<T>> {\n const result = await this.collection.updateMany(\n filter as unknown as PongoFilter<T>,\n update as unknown as PongoUpdate<T>,\n );\n\n return {\n acknowledged: result.acknowledged,\n matchedCount: result.modifiedCount,\n modifiedCount: result.modifiedCount,\n upsertedCount: result.modifiedCount,\n upsertedId: null,\n };\n }\n async deleteOne(\n filter?: Filter<T> | undefined,\n _options?: DeleteOptions | undefined,\n ): Promise<DeleteResult> {\n const result = await this.collection.deleteOne(\n filter as unknown as PongoFilter<T>,\n );\n\n return {\n acknowledged: result.acknowledged,\n deletedCount: result.deletedCount,\n };\n }\n async deleteMany(\n filter?: Filter<T> | undefined,\n _options?: DeleteOptions | undefined,\n ): Promise<DeleteResult> {\n const result = await this.collection.deleteMany(\n filter as unknown as PongoFilter<T>,\n );\n\n return {\n acknowledged: result.acknowledged,\n deletedCount: result.deletedCount,\n };\n }\n rename(\n _newName: string,\n _options?: RenameOptions | undefined,\n ): Promise<Collection<Document>> {\n throw new Error('Method not implemented.');\n }\n drop(_options?: DropCollectionOptions | undefined): Promise<boolean> {\n throw new Error('Method not implemented.');\n }\n findOne(): Promise<WithId<T> | null>;\n findOne(filter: Filter<T>): Promise<WithId<T> | null>;\n findOne(\n filter: Filter<T>,\n options: FindOptions<Document>,\n ): Promise<WithId<T> | null>;\n findOne<TS = T>(): Promise<TS | null>;\n findOne<TS = T>(filter: Filter<TS>): Promise<TS | null>;\n findOne<TS = T>(\n filter: Filter<TS>,\n options?: FindOptions<Document> | undefined,\n ): Promise<TS | null>;\n async findOne(\n filter?: unknown,\n _options?: unknown,\n ): Promise<import('mongodb').WithId<T> | T | null> {\n return this.collection.findOne(filter as PongoFilter<T>);\n }\n find(): MongoFindCursor<WithId<T>>;\n find(\n filter: Filter<T>,\n options?: FindOptions<Document> | undefined,\n ): MongoFindCursor<WithId<T>>;\n find<T extends Document>(\n filter: Filter<T>,\n options?: FindOptions<Document> | undefined,\n ): MongoFindCursor<T>;\n find(\n filter?: unknown,\n _options?: unknown,\n ): MongoFindCursor<WithId<T>> | MongoFindCursor<T> {\n return new FindCursor(\n this.collection.find(filter as PongoFilter<T>),\n ) as unknown as MongoFindCursor<T>;\n }\n options(_options?: OperationOptions | undefined): Promise<Document> {\n throw new Error('Method not implemented.');\n }\n isCapped(_options?: OperationOptions | undefined): Promise<boolean> {\n throw new Error('Method not implemented.');\n }\n createIndex(\n _indexSpec: IndexSpecification,\n _options?: CreateIndexesOptions | undefined,\n ): Promise<string> {\n throw new Error('Method not implemented.');\n }\n createIndexes(\n _indexSpecs: IndexDescription[],\n _options?: CreateIndexesOptions | undefined,\n ): Promise<string[]> {\n throw new Error('Method not implemented.');\n }\n dropIndex(\n _indexName: string,\n _options?: CommandOperationOptions | undefined,\n ): Promise<Document> {\n throw new Error('Method not implemented.');\n }\n dropIndexes(\n _options?: CommandOperationOptions | undefined,\n ): Promise<boolean> {\n throw new Error('Method not implemented.');\n }\n listIndexes(_options?: AbstractCursorOptions | undefined): ListIndexesCursor {\n throw new Error('Method not implemented.');\n }\n indexExists(\n _indexes: string | string[],\n _options?: AbstractCursorOptions | undefined,\n ): Promise<boolean> {\n throw new Error('Method not implemented.');\n }\n indexInformation(\n options: IndexInformationOptions & { full: true },\n ): Promise<IndexDescriptionInfo[]>;\n indexInformation(\n options: IndexInformationOptions & { full?: false | undefined },\n ): Promise<IndexDescriptionCompact>;\n indexInformation(\n options: IndexInformationOptions,\n ): Promise<IndexDescriptionCompact | IndexDescriptionInfo[]>;\n indexInformation(): Promise<IndexDescriptionCompact>;\n indexInformation(\n _options?: unknown,\n ):\n | Promise<import('mongodb').IndexDescriptionInfo[]>\n | Promise<import('mongodb').IndexDescriptionCompact>\n | Promise<\n | import('mongodb').IndexDescriptionCompact\n | import('mongodb').IndexDescriptionInfo[]\n > {\n throw new Error('Method not implemented.');\n }\n estimatedDocumentCount(\n _options?: EstimatedDocumentCountOptions | undefined,\n ): Promise<number> {\n throw new Error('Method not implemented.');\n }\n countDocuments(\n _filter?: Filter<T> | undefined,\n _options?: CountDocumentsOptions | undefined,\n ): Promise<number> {\n throw new Error('Method not implemented.');\n }\n distinct<Key extends '_id' | keyof EnhancedOmit<T, '_id'>>(\n key: Key,\n ): Promise<Flatten<WithId<T>[Key]>[]>;\n distinct<Key extends '_id' | keyof EnhancedOmit<T, '_id'>>(\n key: Key,\n filter: Filter<T>,\n ): Promise<Flatten<WithId<T>[Key]>[]>;\n distinct<Key extends '_id' | keyof EnhancedOmit<T, '_id'>>(\n key: Key,\n filter: Filter<T>,\n options: CommandOperationOptions,\n ): Promise<Flatten<WithId<T>[Key]>[]>;\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\n distinct(key: string): Promise<any[]>;\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\n distinct(key: string, filter: Filter<T>): Promise<any[]>;\n distinct(\n key: string,\n filter: Filter<T>,\n options: CommandOperationOptions, // eslint-disable-next-line @typescript-eslint/no-explicit-any\n ): Promise<any[]>;\n distinct(\n _key: unknown,\n _filter?: unknown,\n _options?: unknown,\n ): // eslint-disable-next-line @typescript-eslint/no-explicit-any\n | Promise<any[]>\n | Promise<import('mongodb').Flatten<import('mongodb').WithId<T>[Key]>[]> {\n throw new Error('Method not implemented.');\n }\n indexes(\n options: IndexInformationOptions & { full?: true | undefined },\n ): Promise<IndexDescriptionInfo[]>;\n indexes(\n options: IndexInformationOptions & { full: false },\n ): Promise<IndexDescriptionCompact>;\n indexes(\n options: IndexInformationOptions,\n ): Promise<IndexDescriptionCompact | IndexDescriptionInfo[]>;\n indexes(\n options?: AbstractCursorOptions | undefined,\n ): Promise<IndexDescriptionInfo[]>;\n indexes(\n _options?: unknown,\n ):\n | Promise<import('mongodb').IndexDescriptionInfo[]>\n | Promise<import('mongodb').IndexDescriptionCompact>\n | Promise<\n | import('mongodb').IndexDescriptionCompact\n | import('mongodb').IndexDescriptionInfo[]\n > {\n throw new Error('Method not implemented.');\n }\n findOneAndDelete(\n filter: Filter<T>,\n options: FindOneAndDeleteOptions & { includeResultMetadata: true },\n ): Promise<ModifyResult<T>>;\n findOneAndDelete(\n filter: Filter<T>,\n options: FindOneAndDeleteOptions & { includeResultMetadata: false },\n ): Promise<WithId<T> | null>;\n findOneAndDelete(\n filter: Filter<T>,\n options: FindOneAndDeleteOptions,\n ): Promise<WithId<T> | null>;\n findOneAndDelete(filter: Filter<T>): Promise<WithId<T> | null>;\n findOneAndDelete(\n _filter: unknown,\n _options?: unknown,\n ):\n | Promise<import('mongodb').WithId<T> | null>\n | Promise<import('mongodb').ModifyResult<T>> {\n throw new Error('Method not implemented.');\n }\n findOneAndReplace(\n filter: Filter<T>,\n replacement: WithoutId<T>,\n options: FindOneAndReplaceOptions & { includeResultMetadata: true },\n ): Promise<ModifyResult<T>>;\n findOneAndReplace(\n filter: Filter<T>,\n replacement: WithoutId<T>,\n options: FindOneAndReplaceOptions & { includeResultMetadata: false },\n ): Promise<WithId<T> | null>;\n findOneAndReplace(\n filter: Filter<T>,\n replacement: WithoutId<T>,\n options: FindOneAndReplaceOptions,\n ): Promise<WithId<T> | null>;\n findOneAndReplace(\n filter: Filter<T>,\n replacement: WithoutId<T>,\n ): Promise<WithId<T> | null>;\n findOneAndReplace(\n _filter: unknown,\n _replacement: unknown,\n _options?: unknown,\n ):\n | Promise<import('mongodb').WithId<T> | null>\n | Promise<import('mongodb').ModifyResult<T>> {\n throw new Error('Method not implemented.');\n }\n findOneAndUpdate(\n filter: Filter<T>,\n update: UpdateFilter<T>,\n options: FindOneAndUpdateOptions & { includeResultMetadata: true },\n ): Promise<ModifyResult<T>>;\n findOneAndUpdate(\n filter: Filter<T>,\n update: UpdateFilter<T>,\n options: FindOneAndUpdateOptions & { includeResultMetadata: false },\n ): Promise<WithId<T> | null>;\n findOneAndUpdate(\n filter: Filter<T>,\n update: UpdateFilter<T>,\n options: FindOneAndUpdateOptions,\n ): Promise<WithId<T> | null>;\n findOneAndUpdate(\n filter: Filter<T>,\n update: UpdateFilter<T>,\n ): Promise<WithId<T> | null>;\n findOneAndUpdate(\n _filter: unknown,\n _update: unknown,\n _options?: unknown,\n ):\n | Promise<import('mongodb').WithId<T> | null>\n | Promise<import('mongodb').ModifyResult<T>> {\n throw new Error('Method not implemented.');\n }\n aggregate<T extends Document = Document>(\n _pipeline?: Document[] | undefined,\n _options?: AggregateOptions | undefined,\n ): AggregationCursor<T> {\n throw new Error('Method not implemented.');\n }\n watch<\n TLocal extends Document = T,\n TChange extends Document = ChangeStreamDocument<TLocal>,\n >(\n _pipeline?: Document[] | undefined,\n _options?: ChangeStreamOptions | undefined,\n ): ChangeStream<TLocal, TChange> {\n throw new Error('Method not implemented.');\n }\n initializeUnorderedBulkOp(\n _options?: BulkWriteOptions | undefined,\n ): UnorderedBulkOperation {\n throw new Error('Method not implemented.');\n }\n initializeOrderedBulkOp(\n _options?: BulkWriteOptions | undefined,\n ): OrderedBulkOperation {\n throw new Error('Method not implemented.');\n }\n count(\n _filter?: Filter<T> | undefined,\n _options?: CountOptions | undefined,\n ): Promise<number> {\n throw new Error('Method not implemented.');\n }\n listSearchIndexes(\n options?: ListSearchIndexesOptions | undefined,\n ): ListSearchIndexesCursor;\n listSearchIndexes(\n name: string,\n options?: ListSearchIndexesOptions | undefined,\n ): ListSearchIndexesCursor;\n listSearchIndexes(\n _name?: unknown,\n _options?: unknown,\n ): import('mongodb').ListSearchIndexesCursor {\n throw new Error('Method not implemented.');\n }\n createSearchIndex(_description: SearchIndexDescription): Promise<string> {\n throw new Error('Method not implemented.');\n }\n createSearchIndexes(\n _descriptions: SearchIndexDescription[],\n ): Promise<string[]> {\n throw new Error('Method not implemented.');\n }\n dropSearchIndex(_name: string): Promise<void> {\n throw new Error('Method not implemented.');\n }\n updateSearchIndex(_name: string, _definition: Document): Promise<void> {\n throw new Error('Method not implemented.');\n }\n\n async createCollection(): Promise<void> {\n await this.collection.createCollection();\n }\n}\n","// src/MongoClientShim.ts\nimport { pongoClient, type PongoClient } from '../main';\nimport { Db } from './mongoDb';\n\nexport class MongoClient {\n private pongoClient: PongoClient;\n\n constructor(connectionString: string) {\n this.pongoClient = pongoClient(connectionString);\n }\n\n async connect() {\n await this.pongoClient.connect();\n return this;\n }\n\n async close() {\n await this.pongoClient.close();\n }\n\n db(dbName: string): Db {\n return new Db(this.pongoClient.db(dbName));\n }\n}\n"]}
|
|
1
|
+
{"version":3,"sources":["../src/postgres/pool.ts","../src/postgres/postgresCollection.ts","../src/postgres/execute/index.ts","../src/main/typing/entries.ts","../src/postgres/filter/queryOperators.ts","../src/postgres/filter/index.ts","../src/postgres/sql/index.ts","../src/postgres/update/index.ts","../src/postgres/client.ts","../src/main/dbClient.ts","../src/main/client.ts","../src/mongo/findCursor.ts","../src/mongo/mongoDb.ts","../src/mongo/mongoCollection.ts","../src/mongo/mongoClient.ts"],"names":["pg","pools","getPool","connectionStringOrOptions","connectionString","poolOptions","endPool","pool","endAllPools","format","uuid","execute","handle","client","executeSQL","sql","entries","obj","key","value","Operators","OperatorMap","isOperator","hasOperators","handleOperator","path","operator","handleIdOperator","buildNestedObject","v","subQuery","subKey","subValue","acc","AND","constructFilterQuery","filter","isRecord","constructComplexFilterQuery","isEquality","nestedKey","val","sqlQuery","params","buildUpdateQuery","update","currentUpdateQuery","op","buildSetQuery","buildUnsetQuery","buildIncQuery","buildPushQuery","set","unset","inc","push","postgresCollection","collectionName","SqlFor","collectionSQLBuilder","createCollection","document","_id","documents","rows","doc","result","d","row","values","filterQuery","updateQuery","postgresClient","database","name","getDbClient","pongoClient","dbClient","dbName","FindCursor","callback","docs","Collection","collection","_options","_operations","_filter","_","_newName","_indexSpec","_indexSpecs","_indexName","_indexes","_key","_replacement","_update","_pipeline","_name","_description","_descriptions","_definition","Db","pongoDb","MongoClient"],"mappings":"AAAA,OAAOA,MAAQ,KAEf,IAAMC,EAA8B,IAAI,IAE3BC,EACXC,GACY,CACZ,IAAMC,EACJ,OAAOD,GAA8B,SACjCA,EACAA,EAA0B,iBAE1BE,EACJ,OAAOF,GAA8B,SACjC,CAAE,iBAAAC,CAAiB,EACnBD,EAGN,OACEF,EAAM,IAAIG,CAAgB,GAC1BH,EAAM,IAAIG,EAAkB,IAAIJ,EAAG,KAAKK,CAAW,CAAC,EAAE,IAAID,CAAgB,CAE9E,EAEaE,EAAU,MAAOF,GAA4C,CACxE,IAAMG,EAAON,EAAM,IAAIG,CAAgB,EACnCG,IACF,MAAMA,EAAK,IAAI,EACfN,EAAM,OAAOG,CAAgB,EAEjC,EAEaI,EAAc,IACzB,QAAQ,IACN,CAAC,GAAGP,EAAM,KAAK,CAAC,EAAE,IAAKG,GAAqBE,EAAQF,CAAgB,CAAC,CACvE,ECnCF,MAAe,KACf,OAAOK,MAAY,YACnB,OAAS,MAAMC,MAAY,OCCpB,IAAMC,EAAU,MACrBJ,EACAK,IACG,CACH,IAAMC,EAAS,MAAMN,EAAK,QAAQ,EAClC,GAAI,CACF,OAAO,MAAMK,EAAOC,CAAM,CAC5B,QAAE,CACAA,EAAO,QAAQ,CACjB,CACF,EAEaC,EAAa,MAGxBP,EACAQ,IAEAJ,EAAQJ,EAAOM,GAAWA,EAAO,MAAcE,CAAG,CAAC,ECb9C,IAAMC,EAA6BC,GACxC,OAAO,QAAQA,CAAG,EAAE,IAAI,CAAC,CAACC,EAAKC,CAAK,IAAM,CAACD,EAAgBC,CAAK,CAAC,ECTnE,OAAOV,MAAY,YAGZ,IAAMW,EAAY,CACvB,IAAK,MACL,IAAK,MACL,KAAM,OACN,IAAK,MACL,KAAM,OACN,IAAK,MACL,IAAK,MACL,KAAM,OACN,WAAY,aACZ,KAAM,OACN,MAAO,OACT,EAEMC,EAAc,CAClB,IAAK,IACL,KAAM,KACN,IAAK,IACL,KAAM,KACN,IAAK,IACP,EAEaC,EAAcJ,GAAgBA,EAAI,WAAW,GAAG,EAEhDK,EAAgBJ,GAC3B,OAAO,KAAKA,CAAK,EAAE,KAAKG,CAAU,EAEvBE,EAAiB,CAC5BC,EACAC,EACAP,IACW,CACX,GAAIM,IAAS,MACX,OAAOE,EAAiBD,EAAUP,CAAK,EAGzC,OAAQO,EAAU,CAChB,IAAK,MACH,OAAOjB,EACL,wEACA,KAAK,UAAUmB,EAAkBH,EAAMN,CAAK,CAAC,EAC7CM,EACA,KAAK,UAAUN,CAAK,CACtB,EACF,IAAK,MACL,IAAK,OACL,IAAK,MACL,IAAK,OACL,IAAK,MACH,OAAOV,EACL,eAAeY,EAAYK,CAAQ,CAAC,MACpC,IAAID,EAAK,MAAM,GAAG,EAAE,KAAK,GAAG,CAAC,IAC7BN,CACF,EACF,IAAK,MACH,OAAOV,EACL,sBACA,IAAIgB,EAAK,MAAM,GAAG,EAAE,KAAK,GAAG,CAAC,IAC5BN,EAAoB,IAAKU,GAAMpB,EAAO,KAAMoB,CAAC,CAAC,EAAE,KAAK,IAAI,CAC5D,EACF,IAAK,OACH,OAAOpB,EACL,0BACA,IAAIgB,EAAK,MAAM,GAAG,EAAE,KAAK,GAAG,CAAC,IAC5BN,EAAoB,IAAKU,GAAMpB,EAAO,KAAMoB,CAAC,CAAC,EAAE,KAAK,IAAI,CAC5D,EACF,IAAK,aAAc,CACjB,IAAMC,EAAWd,EAAQG,CAAgC,EACtD,IAAI,CAAC,CAACY,EAAQC,CAAQ,IACrBvB,EAAO,eAAgBsB,EAAQ,KAAK,UAAUC,CAAQ,CAAC,CACzD,EACC,KAAK,MAAM,EACd,OAAOvB,EACL,4CACAgB,EACAK,CACF,CACF,CACA,IAAK,OACH,OAAOrB,EACL,oBACA,KAAK,UAAUmB,EAAkBH,EAAMN,CAAK,CAAC,CAC/C,EACF,IAAK,QACH,OAAOV,EACL,sCACA,IAAIgB,EAAK,MAAM,GAAG,EAAE,KAAK,GAAG,CAAC,IAC7BN,CACF,EACF,QACE,MAAM,IAAI,MAAM,yBAAyBO,CAAQ,EAAE,CACvD,CACF,EAEMC,EAAmB,CAACD,EAAkBP,IAA2B,CACrE,OAAQO,EAAU,CAChB,IAAK,MACH,OAAOjB,EAAO,WAAYU,CAAK,EACjC,IAAK,MACL,IAAK,OACL,IAAK,MACL,IAAK,OACL,IAAK,MACH,OAAOV,EAAO,OAAOY,EAAYK,CAAQ,CAAC,MAAOP,CAAK,EACxD,IAAK,MACH,OAAOV,EACL,cACCU,EAAoB,IAAKU,GAAMpB,EAAO,KAAMoB,CAAC,CAAC,EAAE,KAAK,IAAI,CAC5D,EACF,IAAK,OACH,OAAOpB,EACL,kBACCU,EAAoB,IAAKU,GAAMpB,EAAO,KAAMoB,CAAC,CAAC,EAAE,KAAK,IAAI,CAC5D,EACF,QACE,MAAM,IAAI,MAAM,yBAAyBH,CAAQ,EAAE,CACvD,CACF,EAEME,EAAoB,CACxBH,EACAN,IAEAM,EACG,MAAM,GAAG,EACT,QAAQ,EACR,OAAO,CAACQ,EAAKf,KAAS,CAAE,CAACA,CAAG,EAAGe,CAAI,GAAId,CAAgC,EC3H5E,IAAMe,EAAM,MAECC,EAA2BC,GACtC,OAAO,QAAQA,CAAM,EAClB,IAAI,CAAC,CAAClB,EAAKC,CAAK,IACfkB,EAASlB,CAAK,EACVmB,EAA4BpB,EAAKC,CAAK,EACtCK,EAAeN,EAAK,MAAOC,CAAK,CACtC,EACC,KAAK,IAAIe,CAAG,GAAG,EAEdI,EAA8B,CAClCpB,EACAC,IACW,CACX,IAAMoB,EAAa,CAAChB,EAAaJ,CAAK,EAEtC,OAAOH,EAAQG,CAAK,EACjB,IACC,CAAC,CAACqB,EAAWC,CAAG,IACdF,EACIf,EAAe,GAAGN,CAAG,IAAIsB,CAAS,GAAIpB,EAAU,IAAKqB,CAAG,EACxDjB,EAAeN,EAAKsB,EAAWC,CAAG,CAC1C,EACC,KAAK,IAAIP,CAAG,GAAG,CACpB,EAEMG,EAAYlB,GAChBA,IAAU,MAAQ,OAAOA,GAAU,UAAY,CAAC,MAAM,QAAQA,CAAK,EClCrE,OAAOV,MAAY,YAIZ,IAAMM,EAAM,CAAC2B,KAAqBC,IAChClC,EAAOiC,EAAU,GAAGC,CAAM,ECD5B,IAAMC,EAAuBC,GAClC7B,EAAQ6B,CAAM,EAAE,OAAO,CAACC,EAAoB,CAACC,EAAI5B,CAAK,IAAM,CAC1D,OAAQ4B,EAAI,CACV,IAAK,OACH,OAAOC,EAAc7B,EAAO2B,CAAkB,EAChD,IAAK,SACH,OAAOG,EAAgB9B,EAAO2B,CAAkB,EAClD,IAAK,OACH,OAAOI,EAAc/B,EAAO2B,CAAkB,EAChD,IAAK,QACH,OAAOK,EAAehC,EAAO2B,CAAkB,EACjD,QACE,OAAOA,CACX,CACF,EAAG/B,EAAI,MAAM,CAAC,EAEHiC,EAAgB,CAAII,EAAcN,IAC7C/B,EACE,gCACA+B,EACA,KACA,KAAK,UAAUM,CAAG,CACpB,EAEWH,EAAkB,CAC7BI,EACAP,IACQ/B,EAAI,UAAW+B,EAAoB,OAAO,KAAKO,CAAK,EAAE,KAAK,IAAI,CAAC,EAE7DH,EAAgB,CAC3BI,EACAR,IACQ,CACR,OAAW,CAAC5B,EAAKC,CAAK,IAAK,OAAO,QAAQmC,CAAG,EAC3CR,EAAqB/B,EACnB,+DACA+B,EACA5B,EACAA,EACAC,CACF,EAEF,OAAO2B,CACT,EAEaK,EAAiB,CAC5BI,EACAT,IACQ,CACR,OAAW,CAAC5B,EAAKC,CAAK,IAAK,OAAO,QAAQoC,CAAI,EAC5CT,EAAqB/B,EACnB,8EACA+B,EACA5B,EACAA,EACA,KAAK,UAAUC,CAAK,CACtB,EAEF,OAAO2B,CACT,EN7CO,IAAMU,EAAqB,CAChCC,EACAlD,IACuB,CACvB,IAAMI,EAAWI,GAAaD,EAAWP,EAAMQ,CAAG,EAC5C2C,EAASC,EAAqBF,CAAc,EAE5CG,EAAmBjD,EAAQ+C,EAAO,iBAAiB,CAAC,EAE1D,MAAO,CACL,iBAAkB,SAAY,CAC5B,MAAME,CACR,EACA,UAAW,MAAOC,GAA+C,CAC/D,MAAMD,EAEN,IAAME,EAAMpD,EAAK,EAIjB,OAFe,MAAMC,EAAQ+C,EAAO,UAAU,CAAE,IAAAI,EAAK,GAAGD,CAAS,CAAC,CAAC,GAErD,SACV,CAAE,WAAYC,EAAK,aAAc,EAAK,EACtC,CAAE,WAAY,KAAM,aAAc,EAAM,CAC9C,EACA,WAAY,MAAOC,GAAmD,CACpE,MAAMH,EAEN,IAAMI,EAAOD,EAAU,IAAKE,IAAS,CACnC,IAAKvD,EAAK,EACV,GAAGuD,CACL,EAAE,EAEIC,EAAS,MAAMvD,EAAQ+C,EAAO,WAAWM,CAAI,CAAC,EAEpD,MAAO,CACL,aAAcE,EAAO,WAAaF,EAAK,OACvC,cAAeE,EAAO,UAAY,EAClC,YAAaF,EAAK,IAAKG,GAAMA,EAAE,GAAG,CACpC,CACF,EACA,UAAW,MACT/B,EACAS,IAC+B,CAC/B,MAAMe,EAEN,IAAMM,EAAS,MAAMvD,EAAQ+C,EAAO,UAAUtB,EAAQS,CAAM,CAAC,EAC7D,OAAOqB,EAAO,SACV,CAAE,aAAc,GAAM,cAAeA,EAAO,QAAS,EACrD,CAAE,aAAc,GAAO,cAAe,CAAE,CAC9C,EACA,WAAY,MACV9B,EACAS,IAC+B,CAC/B,MAAMe,EAEN,IAAMM,EAAS,MAAMvD,EAAQ+C,EAAO,WAAWtB,EAAQS,CAAM,CAAC,EAC9D,OAAOqB,EAAO,SACV,CAAE,aAAc,GAAM,cAAeA,EAAO,QAAS,EACrD,CAAE,aAAc,GAAO,cAAe,CAAE,CAC9C,EACA,UAAW,MAAO9B,GAAuD,CACvE,MAAMwB,EAEN,IAAMM,EAAS,MAAMvD,EAAQ+C,EAAO,UAAUtB,CAAM,CAAC,EACrD,OAAO8B,EAAO,SACV,CAAE,aAAc,GAAM,aAAcA,EAAO,QAAS,EACpD,CAAE,aAAc,GAAO,aAAc,CAAE,CAC7C,EACA,WAAY,MAAO9B,GAAuD,CACxE,MAAMwB,EAEN,IAAMM,EAAS,MAAMvD,EAAQ+C,EAAO,WAAWtB,CAAM,CAAC,EACtD,OAAO8B,EAAO,SACV,CAAE,aAAc,GAAM,aAAcA,EAAO,QAAS,EACpD,CAAE,aAAc,GAAO,aAAc,CAAE,CAC7C,EACA,QAAS,MAAO9B,IACd,MAAMwB,GAES,MAAMjD,EAAQ+C,EAAO,QAAQtB,CAAM,CAAC,GACpC,KAAK,CAAC,GAAG,MAAQ,MAElC,KAAM,MAAOA,IACX,MAAMwB,GAES,MAAMjD,EAAQ+C,EAAO,KAAKtB,CAAM,CAAC,GAClC,KAAK,IAAKgC,GAAQA,EAAI,IAAS,EAEjD,CACF,EAEaT,EAAwBF,IAA4B,CAC/D,iBAAkB,IAChB1C,EACE,mEACA0C,CACF,EACF,UAAeI,GACb9C,EACE,6CACA0C,EACAI,EAAS,IACT,KAAK,UAAUA,CAAQ,CACzB,EACF,WAAgBE,GAAgC,CAC9C,IAAMM,EAASN,EACZ,IAAKE,GAAQxD,EAAO,WAAYwD,EAAI,IAAK,KAAK,UAAUA,CAAG,CAAC,CAAC,EAC7D,KAAK,IAAI,EACZ,OAAOlD,EAAI,uCAAwC0C,EAAgBY,CAAM,CAC3E,EACA,UAAW,CAAIjC,EAAwBS,IAAgC,CACrE,IAAMyB,EAAcnC,EAAqBC,CAAM,EACzCmC,EAAc3B,EAAiBC,CAAM,EAE3C,OAAO9B,EACL;AAAA;AAAA;AAAA,+DAIA0C,EACAa,EACAb,EACAc,EACAd,CACF,CACF,EACA,WAAY,CAAIrB,EAAwBS,IAAgC,CACtE,IAAMyB,EAAcnC,EAAqBC,CAAM,EACzCmC,EAAc3B,EAAiBC,CAAM,EAE3C,OAAO9B,EACL,mCACA0C,EACAc,EACAD,CACF,CACF,EACA,UAAelC,GAAgC,CAC7C,IAAMkC,EAAcnC,EAAqBC,CAAM,EAC/C,OAAOrB,EAAI,0BAA2B0C,EAAgBa,CAAW,CACnE,EACA,WAAgBlC,GAAgC,CAC9C,IAAMkC,EAAcnC,EAAqBC,CAAM,EAC/C,OAAOrB,EAAI,0BAA2B0C,EAAgBa,CAAW,CACnE,EACA,QAAalC,GAAgC,CAC3C,IAAMkC,EAAcnC,EAAqBC,CAAM,EAC/C,OAAOrB,EACL,uCACA0C,EACAa,CACF,CACF,EACA,KAAUlC,GAAgC,CACxC,IAAMkC,EAAcnC,EAAqBC,CAAM,EAC/C,OAAOrB,EAAI,+BAAgC0C,EAAgBa,CAAW,CACxE,CACF,GO7KO,IAAME,EAAiB,CAC5BpE,EACAqE,IACa,CACb,IAAMlE,EAAOL,EAAQ,CAAE,iBAAAE,EAAkB,SAAAqE,CAAS,CAAC,EAEnD,MAAO,CACL,QAAS,IAAM,QAAQ,QAAQ,EAC/B,MAAO,IAAMnE,EAAQF,CAAgB,EACrC,WAAgBsE,GAAiBlB,EAAsBkB,EAAMnE,CAAI,CACnE,CACF,ECNO,IAAMoE,EAAc,CACzBvE,EACAqE,IAGOD,EAAepE,EAAkBqE,CAAQ,ECX3C,IAAMG,EAAexE,GAA0C,CACpE,IAAMyE,EAAWF,EAAYvE,CAAgB,EAEvCwE,EAA2B,CAC/B,QAAS,UACP,MAAMC,EAAS,QAAQ,EAChBD,GAET,MAAO,IAAMC,EAAS,MAAM,EAC5B,GAAKC,GACHA,EAASH,EAAYvE,EAAkB0E,CAAM,EAAID,CACrD,EAEA,OAAOD,CACT,ECjBO,IAAMG,EAAN,KAAoB,CACjB,qBACA,UAAwB,KACxB,MAAgB,EAExB,YAAYhB,EAAyB,CACnC,KAAK,qBAAuBA,CAC9B,CAEA,MAAM,SAAwB,CAC5B,OAAO,KAAK,cAAc,CAC5B,CAEA,MAAM,QAAQiB,EAA2C,CACvD,IAAMC,EAAO,MAAM,KAAK,cAAc,EAEtC,QAAWhB,KAAOgB,EAChBD,EAASf,CAAG,EAEd,OAAO,QAAQ,QAAQ,CACzB,CAEA,SAAmB,CACjB,GAAI,KAAK,YAAc,KAAM,MAAM,MAAM,gCAAgC,EACzE,OAAO,KAAK,MAAQ,KAAK,UAAU,MACrC,CAEA,MAAM,MAA0B,CAC9B,IAAMgB,EAAO,MAAM,KAAK,cAAc,EACtC,OAAO,KAAK,QAAQ,EAAIA,EAAK,KAAK,OAAO,GAAK,KAAO,IACvD,CAEA,MAAc,eAA8B,CAC1C,YAAK,UAAY,MAAM,KAAK,qBACrB,KAAK,SACd,CACF,ECpCA,MAA6D,UC+DtD,IAAMC,EAAN,KAAmE,CAChE,WAER,YAAYC,EAAgC,CAC1C,KAAK,WAAaA,CACpB,CACA,IAAI,QAAiB,CACnB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,gBAAyB,CAC3B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,WAAoB,CACtB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,aAAuC,CACzC,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,gBAA6C,CAC/C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,aAAoC,CACtC,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,cAAyC,CAC3C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,MAAyB,CAC3B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,KAAKtD,EAAqB,CAC5B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,MAAM,UACJoC,EACAmB,EAC6B,CAC7B,IAAMlB,EAAS,MAAM,KAAK,WAAW,UAAUD,CAAQ,EACvD,MAAO,CACL,aAAcC,EAAO,aACrB,WAAYA,EAAO,UACrB,CACF,CACA,MAAM,WACJe,EACAG,EAC8B,CAC9B,IAAMlB,EAAS,MAAM,KAAK,WAAW,WAAWe,CAAW,EAC3D,MAAO,CACL,aAAcf,EAAO,aACrB,YAAaA,EAAO,YACpB,cAAeA,EAAO,aACxB,CACF,CACA,UACEmB,EACAD,EAC0B,CAC1B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,MAAM,UACJhD,EACAS,EACAuC,EAC0B,CAC1B,IAAMlB,EAAS,MAAM,KAAK,WAAW,UACnC9B,EACAS,CACF,EAEA,MAAO,CACL,aAAcqB,EAAO,aACrB,aAAcA,EAAO,cACrB,cAAeA,EAAO,cACtB,cAAeA,EAAO,cACtB,WAAY,IACd,CACF,CACA,WACEoB,EACAC,EACAH,EACqC,CACrC,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,MAAM,WACJhD,EACAS,EACAuC,EAC0B,CAC1B,IAAMlB,EAAS,MAAM,KAAK,WAAW,WACnC9B,EACAS,CACF,EAEA,MAAO,CACL,aAAcqB,EAAO,aACrB,aAAcA,EAAO,cACrB,cAAeA,EAAO,cACtB,cAAeA,EAAO,cACtB,WAAY,IACd,CACF,CACA,MAAM,UACJ9B,EACAgD,EACuB,CACvB,IAAMlB,EAAS,MAAM,KAAK,WAAW,UACnC9B,CACF,EAEA,MAAO,CACL,aAAc8B,EAAO,aACrB,aAAcA,EAAO,YACvB,CACF,CACA,MAAM,WACJ9B,EACAgD,EACuB,CACvB,IAAMlB,EAAS,MAAM,KAAK,WAAW,WACnC9B,CACF,EAEA,MAAO,CACL,aAAc8B,EAAO,aACrB,aAAcA,EAAO,YACvB,CACF,CACA,OACEsB,EACAJ,EAC+B,CAC/B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,KAAKA,EAAgE,CACnE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAaA,MAAM,QACJhD,EACAgD,EACiD,CACjD,OAAO,KAAK,WAAW,QAAQhD,CAAwB,CACzD,CAUA,KACEA,EACAgD,EACiD,CACjD,OAAO,IAAIL,EACT,KAAK,WAAW,KAAK3C,CAAwB,CAC/C,CACF,CACA,QAAQgD,EAA4D,CAClE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,SAASA,EAA2D,CAClE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,YACEK,EACAL,EACiB,CACjB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,cACEM,EACAN,EACmB,CACnB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,UACEO,EACAP,EACmB,CACnB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,YACEA,EACkB,CAClB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,YAAYA,EAAiE,CAC3E,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,YACEQ,EACAR,EACkB,CAClB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAWA,iBACEA,EAOI,CACJ,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,uBACEA,EACiB,CACjB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,eACEE,EACAF,EACiB,CACjB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAsBA,SACES,EACAP,EACAF,EAGyE,CACzE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAaA,QACEA,EAOI,CACJ,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAcA,iBACEE,EACAF,EAG6C,CAC7C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAoBA,kBACEE,EACAQ,EACAV,EAG6C,CAC7C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAoBA,iBACEE,EACAS,EACAX,EAG6C,CAC7C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,UACEY,EACAZ,EACsB,CACtB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,MAIEY,EACAZ,EAC+B,CAC/B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,0BACEA,EACwB,CACxB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,wBACEA,EACsB,CACtB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,MACEE,EACAF,EACiB,CACjB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAQA,kBACEa,EACAb,EAC2C,CAC3C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,kBAAkBc,EAAuD,CACvE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,oBACEC,EACmB,CACnB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,gBAAgBF,EAA8B,CAC5C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,kBAAkBA,EAAeG,EAAsC,CACrE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAEA,MAAM,kBAAkC,CACtC,MAAM,KAAK,WAAW,iBAAiB,CACzC,CACF,ED9eO,IAAMC,EAAN,KAAS,CACd,YAAoBC,EAAkB,CAAlB,aAAAA,CAAmB,CAEvC,WAA+B7C,EAA4C,CACzE,OAAO,IAAIyB,EAAc,KAAK,QAAQ,WAAczB,CAAc,CAAC,CACrE,CACF,EENO,IAAM8C,EAAN,KAAkB,CACf,YAER,YAAYnG,EAA0B,CACpC,KAAK,YAAcwE,EAAYxE,CAAgB,CACjD,CAEA,MAAM,SAAU,CACd,aAAM,KAAK,YAAY,QAAQ,EACxB,IACT,CAEA,MAAM,OAAQ,CACZ,MAAM,KAAK,YAAY,MAAM,CAC/B,CAEA,GAAG0E,EAAqB,CACtB,OAAO,IAAIuB,EAAG,KAAK,YAAY,GAAGvB,CAAM,CAAC,CAC3C,CACF","sourcesContent":["import pg from 'pg';\n\nconst pools: Map<string, pg.Pool> = new Map();\n\nexport const getPool = (\n connectionStringOrOptions: string | pg.PoolConfig,\n): pg.Pool => {\n const connectionString =\n typeof connectionStringOrOptions === 'string'\n ? connectionStringOrOptions\n : connectionStringOrOptions.connectionString!;\n\n const poolOptions =\n typeof connectionStringOrOptions === 'string'\n ? { connectionString }\n : connectionStringOrOptions;\n\n //TODO: this should include database name resolution for key\n return (\n pools.get(connectionString) ??\n pools.set(connectionString, new pg.Pool(poolOptions)).get(connectionString)!\n );\n};\n\nexport const endPool = async (connectionString: string): Promise<void> => {\n const pool = pools.get(connectionString);\n if (pool) {\n await pool.end();\n pools.delete(connectionString);\n }\n};\n\nexport const endAllPools = () =>\n Promise.all(\n [...pools.keys()].map((connectionString) => endPool(connectionString)),\n );\n","import pg from 'pg';\nimport format from 'pg-format';\nimport { v4 as uuid } from 'uuid';\nimport {\n type PongoCollection,\n type PongoDeleteResult,\n type PongoFilter,\n type PongoInsertManyResult,\n type PongoInsertOneResult,\n type PongoUpdate,\n type PongoUpdateResult,\n type WithId,\n} from '../main';\nimport { executeSQL } from './execute';\nimport { constructFilterQuery } from './filter';\nimport { sql, type SQL } from './sql';\nimport { buildUpdateQuery } from './update';\n\nexport const postgresCollection = <T>(\n collectionName: string,\n pool: pg.Pool,\n): PongoCollection<T> => {\n const execute = (sql: SQL) => executeSQL(pool, sql);\n const SqlFor = collectionSQLBuilder(collectionName);\n\n const createCollection = execute(SqlFor.createCollection());\n\n return {\n createCollection: async () => {\n await createCollection;\n },\n insertOne: async (document: T): Promise<PongoInsertOneResult> => {\n await createCollection;\n\n const _id = uuid();\n\n const result = await execute(SqlFor.insertOne({ _id, ...document }));\n\n return result.rowCount\n ? { insertedId: _id, acknowledged: true }\n : { insertedId: null, acknowledged: false };\n },\n insertMany: async (documents: T[]): Promise<PongoInsertManyResult> => {\n await createCollection;\n\n const rows = documents.map((doc) => ({\n _id: uuid(),\n ...doc,\n }));\n\n const result = await execute(SqlFor.insertMany(rows));\n\n return {\n acknowledged: result.rowCount === rows.length,\n insertedCount: result.rowCount ?? 0,\n insertedIds: rows.map((d) => d._id),\n };\n },\n updateOne: async (\n filter: PongoFilter<T>,\n update: PongoUpdate<T>,\n ): Promise<PongoUpdateResult> => {\n await createCollection;\n\n const result = await execute(SqlFor.updateOne(filter, update));\n return result.rowCount\n ? { acknowledged: true, modifiedCount: result.rowCount }\n : { acknowledged: false, modifiedCount: 0 };\n },\n updateMany: async (\n filter: PongoFilter<T>,\n update: PongoUpdate<T>,\n ): Promise<PongoUpdateResult> => {\n await createCollection;\n\n const result = await execute(SqlFor.updateMany(filter, update));\n return result.rowCount\n ? { acknowledged: true, modifiedCount: result.rowCount }\n : { acknowledged: false, modifiedCount: 0 };\n },\n deleteOne: async (filter: PongoFilter<T>): Promise<PongoDeleteResult> => {\n await createCollection;\n\n const result = await execute(SqlFor.deleteOne(filter));\n return result.rowCount\n ? { acknowledged: true, deletedCount: result.rowCount }\n : { acknowledged: false, deletedCount: 0 };\n },\n deleteMany: async (filter: PongoFilter<T>): Promise<PongoDeleteResult> => {\n await createCollection;\n\n const result = await execute(SqlFor.deleteMany(filter));\n return result.rowCount\n ? { acknowledged: true, deletedCount: result.rowCount }\n : { acknowledged: false, deletedCount: 0 };\n },\n findOne: async (filter: PongoFilter<T>): Promise<T | null> => {\n await createCollection;\n\n const result = await execute(SqlFor.findOne(filter));\n return (result.rows[0]?.data ?? null) as T | null;\n },\n find: async (filter: PongoFilter<T>): Promise<T[]> => {\n await createCollection;\n\n const result = await execute(SqlFor.find(filter));\n return result.rows.map((row) => row.data as T);\n },\n };\n};\n\nexport const collectionSQLBuilder = (collectionName: string) => ({\n createCollection: (): SQL =>\n sql(\n 'CREATE TABLE IF NOT EXISTS %I (_id UUID PRIMARY KEY, data JSONB)',\n collectionName,\n ),\n insertOne: <T>(document: WithId<T>): SQL =>\n sql(\n 'INSERT INTO %I (_id, data) VALUES (%L, %L)',\n collectionName,\n document._id,\n JSON.stringify(document),\n ),\n insertMany: <T>(documents: WithId<T>[]): SQL => {\n const values = documents\n .map((doc) => format('(%L, %L)', doc._id, JSON.stringify(doc)))\n .join(', ');\n return sql('INSERT INTO %I (_id, data) VALUES %s', collectionName, values);\n },\n updateOne: <T>(filter: PongoFilter<T>, update: PongoUpdate<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n const updateQuery = buildUpdateQuery(update);\n\n return sql(\n `WITH cte AS (\n SELECT _id FROM %I WHERE %s LIMIT 1\n )\n UPDATE %I SET data = %s FROM cte WHERE %I._id = cte._id`,\n collectionName,\n filterQuery,\n collectionName,\n updateQuery,\n collectionName,\n );\n },\n updateMany: <T>(filter: PongoFilter<T>, update: PongoUpdate<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n const updateQuery = buildUpdateQuery(update);\n\n return sql(\n 'UPDATE %I SET data = %s WHERE %s',\n collectionName,\n updateQuery,\n filterQuery,\n );\n },\n deleteOne: <T>(filter: PongoFilter<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n return sql('DELETE FROM %I WHERE %s', collectionName, filterQuery);\n },\n deleteMany: <T>(filter: PongoFilter<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n return sql('DELETE FROM %I WHERE %s', collectionName, filterQuery);\n },\n findOne: <T>(filter: PongoFilter<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n return sql(\n 'SELECT data FROM %I WHERE %s LIMIT 1',\n collectionName,\n filterQuery,\n );\n },\n find: <T>(filter: PongoFilter<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n return sql('SELECT data FROM %I WHERE %s', collectionName, filterQuery);\n },\n});\n","import type pg from 'pg';\nimport type { SQL } from '../sql';\n\nexport const execute = async <Result = void>(\n pool: pg.Pool,\n handle: (client: pg.PoolClient) => Promise<Result>,\n) => {\n const client = await pool.connect();\n try {\n return await handle(client);\n } finally {\n client.release();\n }\n};\n\nexport const executeSQL = async <\n Result extends pg.QueryResultRow = pg.QueryResultRow,\n>(\n pool: pg.Pool,\n sql: SQL,\n): Promise<pg.QueryResult<Result>> =>\n execute(pool, (client) => client.query<Result>(sql));\n","type Entry<T> = {\n [K in keyof Required<T>]: [K, Required<T>[K]];\n}[keyof Required<T>];\n\ntype IterableEntry<T> = Entry<T> & {\n [Symbol.iterator](): Iterator<Entry<T>>;\n};\n\nexport const entries = <T extends object>(obj: T): IterableEntry<T>[] =>\n Object.entries(obj).map(([key, value]) => [key as keyof T, value]);\n\nexport type NonPartial<T> = { [K in keyof Required<T>]: T[K] };\n","import format from 'pg-format';\nimport { entries } from '../../main/typing';\n\nexport const Operators = {\n $eq: '$eq',\n $gt: '$gt',\n $gte: '$gte',\n $lt: '$lt',\n $lte: '$lte',\n $ne: '$ne',\n $in: '$in',\n $nin: '$nin',\n $elemMatch: '$elemMatch',\n $all: '$all',\n $size: '$size',\n};\n\nconst OperatorMap = {\n $gt: '>',\n $gte: '>=',\n $lt: '<',\n $lte: '<=',\n $ne: '!=',\n};\n\nexport const isOperator = (key: string) => key.startsWith('$');\n\nexport const hasOperators = (value: Record<string, unknown>) =>\n Object.keys(value).some(isOperator);\n\nexport const handleOperator = (\n path: string,\n operator: string,\n value: unknown,\n): string => {\n if (path === '_id') {\n return handleIdOperator(operator, value);\n }\n\n switch (operator) {\n case '$eq':\n return format(\n `(data @> %L::jsonb OR jsonb_path_exists(data, '$.%s[*] ? (@ == %s)'))`,\n JSON.stringify(buildNestedObject(path, value)),\n path,\n JSON.stringify(value),\n );\n case '$gt':\n case '$gte':\n case '$lt':\n case '$lte':\n case '$ne':\n return format(\n `data #>> %L ${OperatorMap[operator]} %L`,\n `{${path.split('.').join(',')}}`,\n value,\n );\n case '$in':\n return format(\n 'data #>> %L IN (%s)',\n `{${path.split('.').join(',')}}`,\n (value as unknown[]).map((v) => format('%L', v)).join(', '),\n );\n case '$nin':\n return format(\n 'data #>> %L NOT IN (%s)',\n `{${path.split('.').join(',')}}`,\n (value as unknown[]).map((v) => format('%L', v)).join(', '),\n );\n case '$elemMatch': {\n const subQuery = entries(value as Record<string, unknown>)\n .map(([subKey, subValue]) =>\n format(`@.\"%s\" == %s`, subKey, JSON.stringify(subValue)),\n )\n .join(' && ');\n return format(\n `jsonb_path_exists(data, '$.%s[*] ? (%s)')`,\n path,\n subQuery,\n );\n }\n case '$all':\n return format(\n 'data @> %L::jsonb',\n JSON.stringify(buildNestedObject(path, value)),\n );\n case '$size':\n return format(\n 'jsonb_array_length(data #> %L) = %L',\n `{${path.split('.').join(',')}}`,\n value,\n );\n default:\n throw new Error(`Unsupported operator: ${operator}`);\n }\n};\n\nconst handleIdOperator = (operator: string, value: unknown): string => {\n switch (operator) {\n case '$eq':\n return format(`_id = %L`, value);\n case '$gt':\n case '$gte':\n case '$lt':\n case '$lte':\n case '$ne':\n return format(`_id ${OperatorMap[operator]} %L`, value);\n case '$in':\n return format(\n `_id IN (%s)`,\n (value as unknown[]).map((v) => format('%L', v)).join(', '),\n );\n case '$nin':\n return format(\n `_id NOT IN (%s)`,\n (value as unknown[]).map((v) => format('%L', v)).join(', '),\n );\n default:\n throw new Error(`Unsupported operator: ${operator}`);\n }\n};\n\nconst buildNestedObject = (\n path: string,\n value: unknown,\n): Record<string, unknown> =>\n path\n .split('.')\n .reverse()\n .reduce((acc, key) => ({ [key]: acc }), value as Record<string, unknown>);\n","import type { PongoFilter } from '../../main';\nimport { entries } from '../../main/typing';\nimport { Operators, handleOperator, hasOperators } from './queryOperators';\n\nexport * from './queryOperators';\n\nconst AND = 'AND';\n\nexport const constructFilterQuery = <T>(filter: PongoFilter<T>): string =>\n Object.entries(filter)\n .map(([key, value]) =>\n isRecord(value)\n ? constructComplexFilterQuery(key, value)\n : handleOperator(key, '$eq', value),\n )\n .join(` ${AND} `);\n\nconst constructComplexFilterQuery = (\n key: string,\n value: Record<string, unknown>,\n): string => {\n const isEquality = !hasOperators(value);\n\n return entries(value)\n .map(\n ([nestedKey, val]) =>\n isEquality\n ? handleOperator(`${key}.${nestedKey}`, Operators.$eq, val) // regular value\n : handleOperator(key, nestedKey, val), // operator\n )\n .join(` ${AND} `);\n};\n\nconst isRecord = (value: unknown): value is Record<string, unknown> =>\n value !== null && typeof value === 'object' && !Array.isArray(value);\n","import format from 'pg-format';\n\nexport type SQL = string & { __brand: 'sql' };\n\nexport const sql = (sqlQuery: string, ...params: unknown[]): SQL => {\n return format(sqlQuery, ...params) as SQL;\n};\n","import type { $inc, $push, $set, $unset, PongoUpdate } from '../../main';\nimport { entries } from '../../main/typing';\nimport { sql, type SQL } from '../sql';\n\nexport const buildUpdateQuery = <T>(update: PongoUpdate<T>): SQL =>\n entries(update).reduce((currentUpdateQuery, [op, value]) => {\n switch (op) {\n case '$set':\n return buildSetQuery(value, currentUpdateQuery);\n case '$unset':\n return buildUnsetQuery(value, currentUpdateQuery);\n case '$inc':\n return buildIncQuery(value, currentUpdateQuery);\n case '$push':\n return buildPushQuery(value, currentUpdateQuery);\n default:\n return currentUpdateQuery;\n }\n }, sql('data'));\n\nexport const buildSetQuery = <T>(set: $set<T>, currentUpdateQuery: SQL): SQL =>\n sql(\n 'jsonb_set(%s, %L, data || %L)',\n currentUpdateQuery,\n '{}',\n JSON.stringify(set),\n );\n\nexport const buildUnsetQuery = <T>(\n unset: $unset<T>,\n currentUpdateQuery: SQL,\n): SQL => sql('%s - %L', currentUpdateQuery, Object.keys(unset).join(', '));\n\nexport const buildIncQuery = <T>(\n inc: $inc<T>,\n currentUpdateQuery: SQL,\n): SQL => {\n for (const [key, value] of Object.entries(inc)) {\n currentUpdateQuery = sql(\n \"jsonb_set(%s, '{%s}', to_jsonb((data->>'%s')::numeric + %L))\",\n currentUpdateQuery,\n key,\n key,\n value,\n );\n }\n return currentUpdateQuery;\n};\n\nexport const buildPushQuery = <T>(\n push: $push<T>,\n currentUpdateQuery: SQL,\n): SQL => {\n for (const [key, value] of Object.entries(push)) {\n currentUpdateQuery = sql(\n \"jsonb_set(%s, '{%s}', (COALESCE(data->'%s', '[]'::jsonb) || '[%s]'::jsonb))\",\n currentUpdateQuery,\n key,\n key,\n JSON.stringify(value),\n );\n }\n return currentUpdateQuery;\n};\n","import { type DbClient } from '../main';\nimport { endPool, getPool } from './pool';\nimport { postgresCollection } from './postgresCollection';\n\nexport const postgresClient = (\n connectionString: string,\n database?: string,\n): DbClient => {\n const pool = getPool({ connectionString, database });\n\n return {\n connect: () => Promise.resolve(),\n close: () => endPool(connectionString),\n collection: <T>(name: string) => postgresCollection<T>(name, pool),\n };\n};\n","import { postgresClient } from '../postgres';\nimport type { PongoCollection } from './typing/operations';\n\nexport interface DbClient {\n connect(): Promise<void>;\n close(): Promise<void>;\n collection: <T>(name: string) => PongoCollection<T>;\n}\n\nexport const getDbClient = (\n connectionString: string,\n database?: string,\n): DbClient => {\n // This is the place where in the future could come resolution of other database types\n return postgresClient(connectionString, database);\n};\n","import { getDbClient } from './dbClient';\nimport type { PongoClient, PongoDb } from './typing/operations';\n\nexport const pongoClient = (connectionString: string): PongoClient => {\n const dbClient = getDbClient(connectionString);\n\n const pongoClient: PongoClient = {\n connect: async () => {\n await dbClient.connect();\n return pongoClient;\n },\n close: () => dbClient.close(),\n db: (dbName?: string): PongoDb =>\n dbName ? getDbClient(connectionString, dbName) : dbClient,\n };\n\n return pongoClient;\n};\n","export class FindCursor<T> {\n private findDocumentsPromise: Promise<T[]>;\n private documents: T[] | null = null;\n private index: number = 0;\n\n constructor(documents: Promise<T[]>) {\n this.findDocumentsPromise = documents;\n }\n\n async toArray(): Promise<T[]> {\n return this.findDocuments();\n }\n\n async forEach(callback: (doc: T) => void): Promise<void> {\n const docs = await this.findDocuments();\n\n for (const doc of docs) {\n callback(doc);\n }\n return Promise.resolve();\n }\n\n hasNext(): boolean {\n if (this.documents === null) throw Error('Error while fetching documents');\n return this.index < this.documents.length;\n }\n\n async next(): Promise<T | null> {\n const docs = await this.findDocuments();\n return this.hasNext() ? docs[this.index++] ?? null : null;\n }\n\n private async findDocuments(): Promise<T[]> {\n this.documents = await this.findDocumentsPromise;\n return this.documents;\n }\n}\n","import { Collection as MongoCollection, type Document } from 'mongodb';\nimport type { PongoDb } from '../main';\nimport { Collection } from './mongoCollection';\n\nexport class Db {\n constructor(private pongoDb: PongoDb) {}\n\n collection<T extends Document>(collectionName: string): MongoCollection<T> {\n return new Collection<T>(this.pongoDb.collection<T>(collectionName));\n }\n}\n","import type {\n AbstractCursorOptions,\n AggregateOptions,\n AggregationCursor,\n AnyBulkWriteOperation,\n BSONSerializeOptions,\n BulkWriteOptions,\n BulkWriteResult,\n ChangeStream,\n ChangeStreamDocument,\n ChangeStreamOptions,\n CommandOperationOptions,\n CountDocumentsOptions,\n CountOptions,\n CreateIndexesOptions,\n DeleteOptions,\n DeleteResult,\n Document,\n DropCollectionOptions,\n EnhancedOmit,\n EstimatedDocumentCountOptions,\n Filter,\n FindOneAndDeleteOptions,\n FindOneAndReplaceOptions,\n FindOneAndUpdateOptions,\n FindOptions,\n Flatten,\n Hint,\n IndexDescription,\n IndexDescriptionCompact,\n IndexDescriptionInfo,\n IndexInformationOptions,\n IndexSpecification,\n InferIdType,\n InsertManyResult,\n InsertOneOptions,\n InsertOneResult,\n ListIndexesCursor,\n ListSearchIndexesCursor,\n ListSearchIndexesOptions,\n ModifyResult,\n Collection as MongoCollection,\n FindCursor as MongoFindCursor,\n OperationOptions,\n OptionalUnlessRequiredId,\n OrderedBulkOperation,\n ReadConcern,\n ReadPreference,\n RenameOptions,\n ReplaceOptions,\n SearchIndexDescription,\n UnorderedBulkOperation,\n UpdateFilter,\n UpdateOptions,\n UpdateResult,\n WithId,\n WithoutId,\n WriteConcern,\n} from 'mongodb';\nimport type { Key } from 'readline';\nimport type { PongoCollection, PongoFilter, PongoUpdate } from '../main';\nimport { FindCursor } from './findCursor';\n\nexport class Collection<T extends Document> implements MongoCollection<T> {\n private collection: PongoCollection<T>;\n\n constructor(collection: PongoCollection<T>) {\n this.collection = collection;\n }\n get dbName(): string {\n throw new Error('Method not implemented.');\n }\n get collectionName(): string {\n throw new Error('Method not implemented.');\n }\n get namespace(): string {\n throw new Error('Method not implemented.');\n }\n get readConcern(): ReadConcern | undefined {\n throw new Error('Method not implemented.');\n }\n get readPreference(): ReadPreference | undefined {\n throw new Error('Method not implemented.');\n }\n get bsonOptions(): BSONSerializeOptions {\n throw new Error('Method not implemented.');\n }\n get writeConcern(): WriteConcern | undefined {\n throw new Error('Method not implemented.');\n }\n get hint(): Hint | undefined {\n throw new Error('Method not implemented.');\n }\n set hint(v: Hint | undefined) {\n throw new Error('Method not implemented.');\n }\n async insertOne(\n doc: OptionalUnlessRequiredId<T>,\n _options?: InsertOneOptions | undefined,\n ): Promise<InsertOneResult<T>> {\n const result = await this.collection.insertOne(doc as T);\n return {\n acknowledged: result.acknowledged,\n insertedId: result.insertedId as unknown as InferIdType<T>,\n };\n }\n async insertMany(\n docs: OptionalUnlessRequiredId<T>[],\n _options?: BulkWriteOptions | undefined,\n ): Promise<InsertManyResult<T>> {\n const result = await this.collection.insertMany(docs as T[]);\n return {\n acknowledged: result.acknowledged,\n insertedIds: result.insertedIds as unknown as InferIdType<T>[],\n insertedCount: result.insertedCount,\n };\n }\n bulkWrite(\n _operations: AnyBulkWriteOperation<T>[],\n _options?: BulkWriteOptions | undefined,\n ): Promise<BulkWriteResult> {\n throw new Error('Method not implemented.');\n }\n async updateOne(\n filter: Filter<T>,\n update: Document[] | UpdateFilter<T>,\n _options?: UpdateOptions | undefined,\n ): Promise<UpdateResult<T>> {\n const result = await this.collection.updateOne(\n filter as unknown as PongoFilter<T>,\n update as unknown as PongoUpdate<T>,\n );\n\n return {\n acknowledged: result.acknowledged,\n matchedCount: result.modifiedCount,\n modifiedCount: result.modifiedCount,\n upsertedCount: result.modifiedCount,\n upsertedId: null,\n };\n }\n replaceOne(\n _filter: Filter<T>,\n _: WithoutId<T>,\n _options?: ReplaceOptions | undefined,\n ): Promise<Document | UpdateResult<T>> {\n throw new Error('Method not implemented.');\n }\n async updateMany(\n filter: Filter<T>,\n update: Document[] | UpdateFilter<T>,\n _options?: UpdateOptions | undefined,\n ): Promise<UpdateResult<T>> {\n const result = await this.collection.updateMany(\n filter as unknown as PongoFilter<T>,\n update as unknown as PongoUpdate<T>,\n );\n\n return {\n acknowledged: result.acknowledged,\n matchedCount: result.modifiedCount,\n modifiedCount: result.modifiedCount,\n upsertedCount: result.modifiedCount,\n upsertedId: null,\n };\n }\n async deleteOne(\n filter?: Filter<T> | undefined,\n _options?: DeleteOptions | undefined,\n ): Promise<DeleteResult> {\n const result = await this.collection.deleteOne(\n filter as unknown as PongoFilter<T>,\n );\n\n return {\n acknowledged: result.acknowledged,\n deletedCount: result.deletedCount,\n };\n }\n async deleteMany(\n filter?: Filter<T> | undefined,\n _options?: DeleteOptions | undefined,\n ): Promise<DeleteResult> {\n const result = await this.collection.deleteMany(\n filter as unknown as PongoFilter<T>,\n );\n\n return {\n acknowledged: result.acknowledged,\n deletedCount: result.deletedCount,\n };\n }\n rename(\n _newName: string,\n _options?: RenameOptions | undefined,\n ): Promise<Collection<Document>> {\n throw new Error('Method not implemented.');\n }\n drop(_options?: DropCollectionOptions | undefined): Promise<boolean> {\n throw new Error('Method not implemented.');\n }\n findOne(): Promise<WithId<T> | null>;\n findOne(filter: Filter<T>): Promise<WithId<T> | null>;\n findOne(\n filter: Filter<T>,\n options: FindOptions<Document>,\n ): Promise<WithId<T> | null>;\n findOne<TS = T>(): Promise<TS | null>;\n findOne<TS = T>(filter: Filter<TS>): Promise<TS | null>;\n findOne<TS = T>(\n filter: Filter<TS>,\n options?: FindOptions<Document> | undefined,\n ): Promise<TS | null>;\n async findOne(\n filter?: unknown,\n _options?: unknown,\n ): Promise<import('mongodb').WithId<T> | T | null> {\n return this.collection.findOne(filter as PongoFilter<T>);\n }\n find(): MongoFindCursor<WithId<T>>;\n find(\n filter: Filter<T>,\n options?: FindOptions<Document> | undefined,\n ): MongoFindCursor<WithId<T>>;\n find<T extends Document>(\n filter: Filter<T>,\n options?: FindOptions<Document> | undefined,\n ): MongoFindCursor<T>;\n find(\n filter?: unknown,\n _options?: unknown,\n ): MongoFindCursor<WithId<T>> | MongoFindCursor<T> {\n return new FindCursor(\n this.collection.find(filter as PongoFilter<T>),\n ) as unknown as MongoFindCursor<T>;\n }\n options(_options?: OperationOptions | undefined): Promise<Document> {\n throw new Error('Method not implemented.');\n }\n isCapped(_options?: OperationOptions | undefined): Promise<boolean> {\n throw new Error('Method not implemented.');\n }\n createIndex(\n _indexSpec: IndexSpecification,\n _options?: CreateIndexesOptions | undefined,\n ): Promise<string> {\n throw new Error('Method not implemented.');\n }\n createIndexes(\n _indexSpecs: IndexDescription[],\n _options?: CreateIndexesOptions | undefined,\n ): Promise<string[]> {\n throw new Error('Method not implemented.');\n }\n dropIndex(\n _indexName: string,\n _options?: CommandOperationOptions | undefined,\n ): Promise<Document> {\n throw new Error('Method not implemented.');\n }\n dropIndexes(\n _options?: CommandOperationOptions | undefined,\n ): Promise<boolean> {\n throw new Error('Method not implemented.');\n }\n listIndexes(_options?: AbstractCursorOptions | undefined): ListIndexesCursor {\n throw new Error('Method not implemented.');\n }\n indexExists(\n _indexes: string | string[],\n _options?: AbstractCursorOptions | undefined,\n ): Promise<boolean> {\n throw new Error('Method not implemented.');\n }\n indexInformation(\n options: IndexInformationOptions & { full: true },\n ): Promise<IndexDescriptionInfo[]>;\n indexInformation(\n options: IndexInformationOptions & { full?: false | undefined },\n ): Promise<IndexDescriptionCompact>;\n indexInformation(\n options: IndexInformationOptions,\n ): Promise<IndexDescriptionCompact | IndexDescriptionInfo[]>;\n indexInformation(): Promise<IndexDescriptionCompact>;\n indexInformation(\n _options?: unknown,\n ):\n | Promise<import('mongodb').IndexDescriptionInfo[]>\n | Promise<import('mongodb').IndexDescriptionCompact>\n | Promise<\n | import('mongodb').IndexDescriptionCompact\n | import('mongodb').IndexDescriptionInfo[]\n > {\n throw new Error('Method not implemented.');\n }\n estimatedDocumentCount(\n _options?: EstimatedDocumentCountOptions | undefined,\n ): Promise<number> {\n throw new Error('Method not implemented.');\n }\n countDocuments(\n _filter?: Filter<T> | undefined,\n _options?: CountDocumentsOptions | undefined,\n ): Promise<number> {\n throw new Error('Method not implemented.');\n }\n distinct<Key extends '_id' | keyof EnhancedOmit<T, '_id'>>(\n key: Key,\n ): Promise<Flatten<WithId<T>[Key]>[]>;\n distinct<Key extends '_id' | keyof EnhancedOmit<T, '_id'>>(\n key: Key,\n filter: Filter<T>,\n ): Promise<Flatten<WithId<T>[Key]>[]>;\n distinct<Key extends '_id' | keyof EnhancedOmit<T, '_id'>>(\n key: Key,\n filter: Filter<T>,\n options: CommandOperationOptions,\n ): Promise<Flatten<WithId<T>[Key]>[]>;\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\n distinct(key: string): Promise<any[]>;\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\n distinct(key: string, filter: Filter<T>): Promise<any[]>;\n distinct(\n key: string,\n filter: Filter<T>,\n options: CommandOperationOptions, // eslint-disable-next-line @typescript-eslint/no-explicit-any\n ): Promise<any[]>;\n distinct(\n _key: unknown,\n _filter?: unknown,\n _options?: unknown,\n ): // eslint-disable-next-line @typescript-eslint/no-explicit-any\n | Promise<any[]>\n | Promise<import('mongodb').Flatten<import('mongodb').WithId<T>[Key]>[]> {\n throw new Error('Method not implemented.');\n }\n indexes(\n options: IndexInformationOptions & { full?: true | undefined },\n ): Promise<IndexDescriptionInfo[]>;\n indexes(\n options: IndexInformationOptions & { full: false },\n ): Promise<IndexDescriptionCompact>;\n indexes(\n options: IndexInformationOptions,\n ): Promise<IndexDescriptionCompact | IndexDescriptionInfo[]>;\n indexes(\n options?: AbstractCursorOptions | undefined,\n ): Promise<IndexDescriptionInfo[]>;\n indexes(\n _options?: unknown,\n ):\n | Promise<import('mongodb').IndexDescriptionInfo[]>\n | Promise<import('mongodb').IndexDescriptionCompact>\n | Promise<\n | import('mongodb').IndexDescriptionCompact\n | import('mongodb').IndexDescriptionInfo[]\n > {\n throw new Error('Method not implemented.');\n }\n findOneAndDelete(\n filter: Filter<T>,\n options: FindOneAndDeleteOptions & { includeResultMetadata: true },\n ): Promise<ModifyResult<T>>;\n findOneAndDelete(\n filter: Filter<T>,\n options: FindOneAndDeleteOptions & { includeResultMetadata: false },\n ): Promise<WithId<T> | null>;\n findOneAndDelete(\n filter: Filter<T>,\n options: FindOneAndDeleteOptions,\n ): Promise<WithId<T> | null>;\n findOneAndDelete(filter: Filter<T>): Promise<WithId<T> | null>;\n findOneAndDelete(\n _filter: unknown,\n _options?: unknown,\n ):\n | Promise<import('mongodb').WithId<T> | null>\n | Promise<import('mongodb').ModifyResult<T>> {\n throw new Error('Method not implemented.');\n }\n findOneAndReplace(\n filter: Filter<T>,\n replacement: WithoutId<T>,\n options: FindOneAndReplaceOptions & { includeResultMetadata: true },\n ): Promise<ModifyResult<T>>;\n findOneAndReplace(\n filter: Filter<T>,\n replacement: WithoutId<T>,\n options: FindOneAndReplaceOptions & { includeResultMetadata: false },\n ): Promise<WithId<T> | null>;\n findOneAndReplace(\n filter: Filter<T>,\n replacement: WithoutId<T>,\n options: FindOneAndReplaceOptions,\n ): Promise<WithId<T> | null>;\n findOneAndReplace(\n filter: Filter<T>,\n replacement: WithoutId<T>,\n ): Promise<WithId<T> | null>;\n findOneAndReplace(\n _filter: unknown,\n _replacement: unknown,\n _options?: unknown,\n ):\n | Promise<import('mongodb').WithId<T> | null>\n | Promise<import('mongodb').ModifyResult<T>> {\n throw new Error('Method not implemented.');\n }\n findOneAndUpdate(\n filter: Filter<T>,\n update: UpdateFilter<T>,\n options: FindOneAndUpdateOptions & { includeResultMetadata: true },\n ): Promise<ModifyResult<T>>;\n findOneAndUpdate(\n filter: Filter<T>,\n update: UpdateFilter<T>,\n options: FindOneAndUpdateOptions & { includeResultMetadata: false },\n ): Promise<WithId<T> | null>;\n findOneAndUpdate(\n filter: Filter<T>,\n update: UpdateFilter<T>,\n options: FindOneAndUpdateOptions,\n ): Promise<WithId<T> | null>;\n findOneAndUpdate(\n filter: Filter<T>,\n update: UpdateFilter<T>,\n ): Promise<WithId<T> | null>;\n findOneAndUpdate(\n _filter: unknown,\n _update: unknown,\n _options?: unknown,\n ):\n | Promise<import('mongodb').WithId<T> | null>\n | Promise<import('mongodb').ModifyResult<T>> {\n throw new Error('Method not implemented.');\n }\n aggregate<T extends Document = Document>(\n _pipeline?: Document[] | undefined,\n _options?: AggregateOptions | undefined,\n ): AggregationCursor<T> {\n throw new Error('Method not implemented.');\n }\n watch<\n TLocal extends Document = T,\n TChange extends Document = ChangeStreamDocument<TLocal>,\n >(\n _pipeline?: Document[] | undefined,\n _options?: ChangeStreamOptions | undefined,\n ): ChangeStream<TLocal, TChange> {\n throw new Error('Method not implemented.');\n }\n initializeUnorderedBulkOp(\n _options?: BulkWriteOptions | undefined,\n ): UnorderedBulkOperation {\n throw new Error('Method not implemented.');\n }\n initializeOrderedBulkOp(\n _options?: BulkWriteOptions | undefined,\n ): OrderedBulkOperation {\n throw new Error('Method not implemented.');\n }\n count(\n _filter?: Filter<T> | undefined,\n _options?: CountOptions | undefined,\n ): Promise<number> {\n throw new Error('Method not implemented.');\n }\n listSearchIndexes(\n options?: ListSearchIndexesOptions | undefined,\n ): ListSearchIndexesCursor;\n listSearchIndexes(\n name: string,\n options?: ListSearchIndexesOptions | undefined,\n ): ListSearchIndexesCursor;\n listSearchIndexes(\n _name?: unknown,\n _options?: unknown,\n ): import('mongodb').ListSearchIndexesCursor {\n throw new Error('Method not implemented.');\n }\n createSearchIndex(_description: SearchIndexDescription): Promise<string> {\n throw new Error('Method not implemented.');\n }\n createSearchIndexes(\n _descriptions: SearchIndexDescription[],\n ): Promise<string[]> {\n throw new Error('Method not implemented.');\n }\n dropSearchIndex(_name: string): Promise<void> {\n throw new Error('Method not implemented.');\n }\n updateSearchIndex(_name: string, _definition: Document): Promise<void> {\n throw new Error('Method not implemented.');\n }\n\n async createCollection(): Promise<void> {\n await this.collection.createCollection();\n }\n}\n","// src/MongoClientShim.ts\nimport { pongoClient, type PongoClient } from '../main';\nimport { Db } from './mongoDb';\n\nexport class MongoClient {\n private pongoClient: PongoClient;\n\n constructor(connectionString: string) {\n this.pongoClient = pongoClient(connectionString);\n }\n\n async connect() {\n await this.pongoClient.connect();\n return this;\n }\n\n async close() {\n await this.pongoClient.close();\n }\n\n db(dbName?: string): Db {\n return new Db(this.pongoClient.db(dbName));\n }\n}\n"]}
|
package/dist/index.d.cts
CHANGED
|
@@ -1,4 +1,4 @@
|
|
|
1
|
-
import { Document, Collection as Collection$1, ReadConcern, ReadPreference, BSONSerializeOptions, WriteConcern, Hint, OptionalUnlessRequiredId, InsertOneOptions, InsertOneResult, BulkWriteOptions, InsertManyResult, AnyBulkWriteOperation, BulkWriteResult, Filter, UpdateFilter, UpdateOptions, UpdateResult, WithoutId, ReplaceOptions, DeleteOptions, DeleteResult, RenameOptions, DropCollectionOptions, WithId as WithId$1, FindOptions, FindCursor as FindCursor$1, OperationOptions, IndexSpecification, CreateIndexesOptions, IndexDescription, CommandOperationOptions, AbstractCursorOptions, ListIndexesCursor, IndexInformationOptions, IndexDescriptionInfo, IndexDescriptionCompact, EstimatedDocumentCountOptions, CountDocumentsOptions, EnhancedOmit, Flatten, FindOneAndDeleteOptions, ModifyResult, FindOneAndReplaceOptions, FindOneAndUpdateOptions, AggregateOptions, AggregationCursor, ChangeStreamDocument, ChangeStreamOptions, ChangeStream, UnorderedBulkOperation, OrderedBulkOperation, CountOptions, ListSearchIndexesOptions, ListSearchIndexesCursor, SearchIndexDescription } from 'mongodb';
|
|
1
|
+
import { Document, Collection as Collection$1, ReadConcern, ReadPreference, BSONSerializeOptions, WriteConcern, Hint, OptionalUnlessRequiredId, InsertOneOptions, InsertOneResult, BulkWriteOptions, InsertManyResult, AnyBulkWriteOperation, BulkWriteResult, Filter, UpdateFilter, UpdateOptions, UpdateResult, WithoutId as WithoutId$1, ReplaceOptions, DeleteOptions, DeleteResult, RenameOptions, DropCollectionOptions, WithId as WithId$1, FindOptions, FindCursor as FindCursor$1, OperationOptions, IndexSpecification, CreateIndexesOptions, IndexDescription, CommandOperationOptions, AbstractCursorOptions, ListIndexesCursor, IndexInformationOptions, IndexDescriptionInfo, IndexDescriptionCompact, EstimatedDocumentCountOptions, CountDocumentsOptions, EnhancedOmit, Flatten, FindOneAndDeleteOptions, ModifyResult, FindOneAndReplaceOptions, FindOneAndUpdateOptions, AggregateOptions, AggregationCursor, ChangeStreamDocument, ChangeStreamOptions, ChangeStream, UnorderedBulkOperation, OrderedBulkOperation, CountOptions, ListSearchIndexesOptions, ListSearchIndexesCursor, SearchIndexDescription } from 'mongodb';
|
|
2
2
|
import pg from 'pg';
|
|
3
3
|
|
|
4
4
|
interface PongoClient {
|
|
@@ -23,8 +23,9 @@ interface PongoCollection<T> {
|
|
|
23
23
|
type WithId<T> = T & {
|
|
24
24
|
_id: string;
|
|
25
25
|
};
|
|
26
|
+
type WithoutId<T> = Omit<T, '_id'>;
|
|
26
27
|
type PongoFilter<T> = {
|
|
27
|
-
[P in keyof T]?: T[P] | PongoFilterOperator<T[P]>;
|
|
28
|
+
[P in keyof T]?: WithId<T[P]> | PongoFilterOperator<T[P]>;
|
|
28
29
|
};
|
|
29
30
|
type PongoFilterOperator<T> = {
|
|
30
31
|
$eq?: T;
|
|
@@ -87,6 +88,17 @@ interface DbClient {
|
|
|
87
88
|
}
|
|
88
89
|
declare const getDbClient: (connectionString: string, database?: string) => DbClient;
|
|
89
90
|
|
|
91
|
+
type Entry<T> = {
|
|
92
|
+
[K in keyof Required<T>]: [K, Required<T>[K]];
|
|
93
|
+
}[keyof Required<T>];
|
|
94
|
+
type IterableEntry<T> = Entry<T> & {
|
|
95
|
+
[Symbol.iterator](): Iterator<Entry<T>>;
|
|
96
|
+
};
|
|
97
|
+
declare const entries: <T extends object>(obj: T) => IterableEntry<T>[];
|
|
98
|
+
type NonPartial<T> = {
|
|
99
|
+
[K in keyof Required<T>]: T[K];
|
|
100
|
+
};
|
|
101
|
+
|
|
90
102
|
declare class FindCursor<T> {
|
|
91
103
|
private findDocumentsPromise;
|
|
92
104
|
private documents;
|
|
@@ -110,7 +122,7 @@ declare class MongoClient {
|
|
|
110
122
|
constructor(connectionString: string);
|
|
111
123
|
connect(): Promise<this>;
|
|
112
124
|
close(): Promise<void>;
|
|
113
|
-
db(dbName
|
|
125
|
+
db(dbName?: string): Db;
|
|
114
126
|
}
|
|
115
127
|
|
|
116
128
|
declare class Collection<T extends Document> implements Collection$1<T> {
|
|
@@ -129,7 +141,7 @@ declare class Collection<T extends Document> implements Collection$1<T> {
|
|
|
129
141
|
insertMany(docs: OptionalUnlessRequiredId<T>[], _options?: BulkWriteOptions | undefined): Promise<InsertManyResult<T>>;
|
|
130
142
|
bulkWrite(_operations: AnyBulkWriteOperation<T>[], _options?: BulkWriteOptions | undefined): Promise<BulkWriteResult>;
|
|
131
143
|
updateOne(filter: Filter<T>, update: Document[] | UpdateFilter<T>, _options?: UpdateOptions | undefined): Promise<UpdateResult<T>>;
|
|
132
|
-
replaceOne(_filter: Filter<T>, _: WithoutId<T>, _options?: ReplaceOptions | undefined): Promise<Document | UpdateResult<T>>;
|
|
144
|
+
replaceOne(_filter: Filter<T>, _: WithoutId$1<T>, _options?: ReplaceOptions | undefined): Promise<Document | UpdateResult<T>>;
|
|
133
145
|
updateMany(filter: Filter<T>, update: Document[] | UpdateFilter<T>, _options?: UpdateOptions | undefined): Promise<UpdateResult<T>>;
|
|
134
146
|
deleteOne(filter?: Filter<T> | undefined, _options?: DeleteOptions | undefined): Promise<DeleteResult>;
|
|
135
147
|
deleteMany(filter?: Filter<T> | undefined, _options?: DeleteOptions | undefined): Promise<DeleteResult>;
|
|
@@ -184,14 +196,14 @@ declare class Collection<T extends Document> implements Collection$1<T> {
|
|
|
184
196
|
}): Promise<WithId$1<T> | null>;
|
|
185
197
|
findOneAndDelete(filter: Filter<T>, options: FindOneAndDeleteOptions): Promise<WithId$1<T> | null>;
|
|
186
198
|
findOneAndDelete(filter: Filter<T>): Promise<WithId$1<T> | null>;
|
|
187
|
-
findOneAndReplace(filter: Filter<T>, replacement: WithoutId<T>, options: FindOneAndReplaceOptions & {
|
|
199
|
+
findOneAndReplace(filter: Filter<T>, replacement: WithoutId$1<T>, options: FindOneAndReplaceOptions & {
|
|
188
200
|
includeResultMetadata: true;
|
|
189
201
|
}): Promise<ModifyResult<T>>;
|
|
190
|
-
findOneAndReplace(filter: Filter<T>, replacement: WithoutId<T>, options: FindOneAndReplaceOptions & {
|
|
202
|
+
findOneAndReplace(filter: Filter<T>, replacement: WithoutId$1<T>, options: FindOneAndReplaceOptions & {
|
|
191
203
|
includeResultMetadata: false;
|
|
192
204
|
}): Promise<WithId$1<T> | null>;
|
|
193
|
-
findOneAndReplace(filter: Filter<T>, replacement: WithoutId<T>, options: FindOneAndReplaceOptions): Promise<WithId$1<T> | null>;
|
|
194
|
-
findOneAndReplace(filter: Filter<T>, replacement: WithoutId<T>): Promise<WithId$1<T> | null>;
|
|
205
|
+
findOneAndReplace(filter: Filter<T>, replacement: WithoutId$1<T>, options: FindOneAndReplaceOptions): Promise<WithId$1<T> | null>;
|
|
206
|
+
findOneAndReplace(filter: Filter<T>, replacement: WithoutId$1<T>): Promise<WithId$1<T> | null>;
|
|
195
207
|
findOneAndUpdate(filter: Filter<T>, update: UpdateFilter<T>, options: FindOneAndUpdateOptions & {
|
|
196
208
|
includeResultMetadata: true;
|
|
197
209
|
}): Promise<ModifyResult<T>>;
|
|
@@ -214,25 +226,60 @@ declare class Collection<T extends Document> implements Collection$1<T> {
|
|
|
214
226
|
createCollection(): Promise<void>;
|
|
215
227
|
}
|
|
216
228
|
|
|
229
|
+
type ObjectId = string & {
|
|
230
|
+
__brandId: 'ObjectId';
|
|
231
|
+
};
|
|
232
|
+
|
|
217
233
|
declare const postgresClient: (connectionString: string, database?: string) => DbClient;
|
|
218
234
|
|
|
219
235
|
type SQL = string & {
|
|
220
236
|
__brand: 'sql';
|
|
221
237
|
};
|
|
238
|
+
declare const sql: (sqlQuery: string, ...params: unknown[]) => SQL;
|
|
222
239
|
|
|
223
240
|
declare const execute: <Result = void>(pool: pg.Pool, handle: (client: pg.PoolClient) => Promise<Result>) => Promise<Result>;
|
|
224
241
|
declare const executeSQL: <Result extends pg.QueryResultRow = pg.QueryResultRow>(pool: pg.Pool, sql: SQL) => Promise<pg.QueryResult<Result>>;
|
|
225
242
|
|
|
243
|
+
declare const Operators: {
|
|
244
|
+
$eq: string;
|
|
245
|
+
$gt: string;
|
|
246
|
+
$gte: string;
|
|
247
|
+
$lt: string;
|
|
248
|
+
$lte: string;
|
|
249
|
+
$ne: string;
|
|
250
|
+
$in: string;
|
|
251
|
+
$nin: string;
|
|
252
|
+
$elemMatch: string;
|
|
253
|
+
$all: string;
|
|
254
|
+
$size: string;
|
|
255
|
+
};
|
|
256
|
+
declare const isOperator: (key: string) => boolean;
|
|
257
|
+
declare const hasOperators: (value: Record<string, unknown>) => boolean;
|
|
258
|
+
declare const handleOperator: (path: string, operator: string, value: unknown) => string;
|
|
259
|
+
|
|
226
260
|
declare const constructFilterQuery: <T>(filter: PongoFilter<T>) => string;
|
|
227
261
|
|
|
228
262
|
declare const getPool: (connectionStringOrOptions: string | pg.PoolConfig) => pg.Pool;
|
|
229
263
|
declare const endPool: (connectionString: string) => Promise<void>;
|
|
230
264
|
declare const endAllPools: () => Promise<void[]>;
|
|
231
265
|
|
|
266
|
+
declare const postgresCollection: <T>(collectionName: string, pool: pg.Pool) => PongoCollection<T>;
|
|
267
|
+
declare const collectionSQLBuilder: (collectionName: string) => {
|
|
268
|
+
createCollection: () => SQL;
|
|
269
|
+
insertOne: <T>(document: WithId<T>) => SQL;
|
|
270
|
+
insertMany: <T_1>(documents: WithId<T_1>[]) => SQL;
|
|
271
|
+
updateOne: <T_2>(filter: PongoFilter<T_2>, update: PongoUpdate<T_2>) => SQL;
|
|
272
|
+
updateMany: <T_3>(filter: PongoFilter<T_3>, update: PongoUpdate<T_3>) => SQL;
|
|
273
|
+
deleteOne: <T_4>(filter: PongoFilter<T_4>) => SQL;
|
|
274
|
+
deleteMany: <T_5>(filter: PongoFilter<T_5>) => SQL;
|
|
275
|
+
findOne: <T_6>(filter: PongoFilter<T_6>) => SQL;
|
|
276
|
+
find: <T_7>(filter: PongoFilter<T_7>) => SQL;
|
|
277
|
+
};
|
|
278
|
+
|
|
232
279
|
declare const buildUpdateQuery: <T>(update: PongoUpdate<T>) => SQL;
|
|
233
280
|
declare const buildSetQuery: <T>(set: $set<T>, currentUpdateQuery: SQL) => SQL;
|
|
234
281
|
declare const buildUnsetQuery: <T>(unset: $unset<T>, currentUpdateQuery: SQL) => SQL;
|
|
235
282
|
declare const buildIncQuery: <T>(inc: $inc<T>, currentUpdateQuery: SQL) => SQL;
|
|
236
283
|
declare const buildPushQuery: <T>(push: $push<T>, currentUpdateQuery: SQL) => SQL;
|
|
237
284
|
|
|
238
|
-
export { type $inc, type $push, type $set, type $unset, Collection, Db, type DbClient, FindCursor, MongoClient, type PongoClient, type PongoCollection, type PongoDb, type PongoDeleteManyResult, type PongoDeleteResult, type PongoFilter, type PongoFilterOperator, type PongoInsertManyResult, type PongoInsertOneResult, type PongoUpdate, type PongoUpdateManyResult, type PongoUpdateResult, type WithId, buildIncQuery, buildPushQuery, buildSetQuery, buildUnsetQuery, buildUpdateQuery, constructFilterQuery, endAllPools, endPool, execute, executeSQL, getDbClient, getPool, pongoClient, postgresClient };
|
|
285
|
+
export { type $inc, type $push, type $set, type $unset, Collection, Db, type DbClient, FindCursor, MongoClient, type NonPartial, type ObjectId, Operators, type PongoClient, type PongoCollection, type PongoDb, type PongoDeleteManyResult, type PongoDeleteResult, type PongoFilter, type PongoFilterOperator, type PongoInsertManyResult, type PongoInsertOneResult, type PongoUpdate, type PongoUpdateManyResult, type PongoUpdateResult, type SQL, type WithId, type WithoutId, buildIncQuery, buildPushQuery, buildSetQuery, buildUnsetQuery, buildUpdateQuery, collectionSQLBuilder, constructFilterQuery, endAllPools, endPool, entries, execute, executeSQL, getDbClient, getPool, handleOperator, hasOperators, isOperator, pongoClient, postgresClient, postgresCollection, sql };
|
package/dist/index.d.ts
CHANGED
|
@@ -1,4 +1,4 @@
|
|
|
1
|
-
import { Document, Collection as Collection$1, ReadConcern, ReadPreference, BSONSerializeOptions, WriteConcern, Hint, OptionalUnlessRequiredId, InsertOneOptions, InsertOneResult, BulkWriteOptions, InsertManyResult, AnyBulkWriteOperation, BulkWriteResult, Filter, UpdateFilter, UpdateOptions, UpdateResult, WithoutId, ReplaceOptions, DeleteOptions, DeleteResult, RenameOptions, DropCollectionOptions, WithId as WithId$1, FindOptions, FindCursor as FindCursor$1, OperationOptions, IndexSpecification, CreateIndexesOptions, IndexDescription, CommandOperationOptions, AbstractCursorOptions, ListIndexesCursor, IndexInformationOptions, IndexDescriptionInfo, IndexDescriptionCompact, EstimatedDocumentCountOptions, CountDocumentsOptions, EnhancedOmit, Flatten, FindOneAndDeleteOptions, ModifyResult, FindOneAndReplaceOptions, FindOneAndUpdateOptions, AggregateOptions, AggregationCursor, ChangeStreamDocument, ChangeStreamOptions, ChangeStream, UnorderedBulkOperation, OrderedBulkOperation, CountOptions, ListSearchIndexesOptions, ListSearchIndexesCursor, SearchIndexDescription } from 'mongodb';
|
|
1
|
+
import { Document, Collection as Collection$1, ReadConcern, ReadPreference, BSONSerializeOptions, WriteConcern, Hint, OptionalUnlessRequiredId, InsertOneOptions, InsertOneResult, BulkWriteOptions, InsertManyResult, AnyBulkWriteOperation, BulkWriteResult, Filter, UpdateFilter, UpdateOptions, UpdateResult, WithoutId as WithoutId$1, ReplaceOptions, DeleteOptions, DeleteResult, RenameOptions, DropCollectionOptions, WithId as WithId$1, FindOptions, FindCursor as FindCursor$1, OperationOptions, IndexSpecification, CreateIndexesOptions, IndexDescription, CommandOperationOptions, AbstractCursorOptions, ListIndexesCursor, IndexInformationOptions, IndexDescriptionInfo, IndexDescriptionCompact, EstimatedDocumentCountOptions, CountDocumentsOptions, EnhancedOmit, Flatten, FindOneAndDeleteOptions, ModifyResult, FindOneAndReplaceOptions, FindOneAndUpdateOptions, AggregateOptions, AggregationCursor, ChangeStreamDocument, ChangeStreamOptions, ChangeStream, UnorderedBulkOperation, OrderedBulkOperation, CountOptions, ListSearchIndexesOptions, ListSearchIndexesCursor, SearchIndexDescription } from 'mongodb';
|
|
2
2
|
import pg from 'pg';
|
|
3
3
|
|
|
4
4
|
interface PongoClient {
|
|
@@ -23,8 +23,9 @@ interface PongoCollection<T> {
|
|
|
23
23
|
type WithId<T> = T & {
|
|
24
24
|
_id: string;
|
|
25
25
|
};
|
|
26
|
+
type WithoutId<T> = Omit<T, '_id'>;
|
|
26
27
|
type PongoFilter<T> = {
|
|
27
|
-
[P in keyof T]?: T[P] | PongoFilterOperator<T[P]>;
|
|
28
|
+
[P in keyof T]?: WithId<T[P]> | PongoFilterOperator<T[P]>;
|
|
28
29
|
};
|
|
29
30
|
type PongoFilterOperator<T> = {
|
|
30
31
|
$eq?: T;
|
|
@@ -87,6 +88,17 @@ interface DbClient {
|
|
|
87
88
|
}
|
|
88
89
|
declare const getDbClient: (connectionString: string, database?: string) => DbClient;
|
|
89
90
|
|
|
91
|
+
type Entry<T> = {
|
|
92
|
+
[K in keyof Required<T>]: [K, Required<T>[K]];
|
|
93
|
+
}[keyof Required<T>];
|
|
94
|
+
type IterableEntry<T> = Entry<T> & {
|
|
95
|
+
[Symbol.iterator](): Iterator<Entry<T>>;
|
|
96
|
+
};
|
|
97
|
+
declare const entries: <T extends object>(obj: T) => IterableEntry<T>[];
|
|
98
|
+
type NonPartial<T> = {
|
|
99
|
+
[K in keyof Required<T>]: T[K];
|
|
100
|
+
};
|
|
101
|
+
|
|
90
102
|
declare class FindCursor<T> {
|
|
91
103
|
private findDocumentsPromise;
|
|
92
104
|
private documents;
|
|
@@ -110,7 +122,7 @@ declare class MongoClient {
|
|
|
110
122
|
constructor(connectionString: string);
|
|
111
123
|
connect(): Promise<this>;
|
|
112
124
|
close(): Promise<void>;
|
|
113
|
-
db(dbName
|
|
125
|
+
db(dbName?: string): Db;
|
|
114
126
|
}
|
|
115
127
|
|
|
116
128
|
declare class Collection<T extends Document> implements Collection$1<T> {
|
|
@@ -129,7 +141,7 @@ declare class Collection<T extends Document> implements Collection$1<T> {
|
|
|
129
141
|
insertMany(docs: OptionalUnlessRequiredId<T>[], _options?: BulkWriteOptions | undefined): Promise<InsertManyResult<T>>;
|
|
130
142
|
bulkWrite(_operations: AnyBulkWriteOperation<T>[], _options?: BulkWriteOptions | undefined): Promise<BulkWriteResult>;
|
|
131
143
|
updateOne(filter: Filter<T>, update: Document[] | UpdateFilter<T>, _options?: UpdateOptions | undefined): Promise<UpdateResult<T>>;
|
|
132
|
-
replaceOne(_filter: Filter<T>, _: WithoutId<T>, _options?: ReplaceOptions | undefined): Promise<Document | UpdateResult<T>>;
|
|
144
|
+
replaceOne(_filter: Filter<T>, _: WithoutId$1<T>, _options?: ReplaceOptions | undefined): Promise<Document | UpdateResult<T>>;
|
|
133
145
|
updateMany(filter: Filter<T>, update: Document[] | UpdateFilter<T>, _options?: UpdateOptions | undefined): Promise<UpdateResult<T>>;
|
|
134
146
|
deleteOne(filter?: Filter<T> | undefined, _options?: DeleteOptions | undefined): Promise<DeleteResult>;
|
|
135
147
|
deleteMany(filter?: Filter<T> | undefined, _options?: DeleteOptions | undefined): Promise<DeleteResult>;
|
|
@@ -184,14 +196,14 @@ declare class Collection<T extends Document> implements Collection$1<T> {
|
|
|
184
196
|
}): Promise<WithId$1<T> | null>;
|
|
185
197
|
findOneAndDelete(filter: Filter<T>, options: FindOneAndDeleteOptions): Promise<WithId$1<T> | null>;
|
|
186
198
|
findOneAndDelete(filter: Filter<T>): Promise<WithId$1<T> | null>;
|
|
187
|
-
findOneAndReplace(filter: Filter<T>, replacement: WithoutId<T>, options: FindOneAndReplaceOptions & {
|
|
199
|
+
findOneAndReplace(filter: Filter<T>, replacement: WithoutId$1<T>, options: FindOneAndReplaceOptions & {
|
|
188
200
|
includeResultMetadata: true;
|
|
189
201
|
}): Promise<ModifyResult<T>>;
|
|
190
|
-
findOneAndReplace(filter: Filter<T>, replacement: WithoutId<T>, options: FindOneAndReplaceOptions & {
|
|
202
|
+
findOneAndReplace(filter: Filter<T>, replacement: WithoutId$1<T>, options: FindOneAndReplaceOptions & {
|
|
191
203
|
includeResultMetadata: false;
|
|
192
204
|
}): Promise<WithId$1<T> | null>;
|
|
193
|
-
findOneAndReplace(filter: Filter<T>, replacement: WithoutId<T>, options: FindOneAndReplaceOptions): Promise<WithId$1<T> | null>;
|
|
194
|
-
findOneAndReplace(filter: Filter<T>, replacement: WithoutId<T>): Promise<WithId$1<T> | null>;
|
|
205
|
+
findOneAndReplace(filter: Filter<T>, replacement: WithoutId$1<T>, options: FindOneAndReplaceOptions): Promise<WithId$1<T> | null>;
|
|
206
|
+
findOneAndReplace(filter: Filter<T>, replacement: WithoutId$1<T>): Promise<WithId$1<T> | null>;
|
|
195
207
|
findOneAndUpdate(filter: Filter<T>, update: UpdateFilter<T>, options: FindOneAndUpdateOptions & {
|
|
196
208
|
includeResultMetadata: true;
|
|
197
209
|
}): Promise<ModifyResult<T>>;
|
|
@@ -214,25 +226,60 @@ declare class Collection<T extends Document> implements Collection$1<T> {
|
|
|
214
226
|
createCollection(): Promise<void>;
|
|
215
227
|
}
|
|
216
228
|
|
|
229
|
+
type ObjectId = string & {
|
|
230
|
+
__brandId: 'ObjectId';
|
|
231
|
+
};
|
|
232
|
+
|
|
217
233
|
declare const postgresClient: (connectionString: string, database?: string) => DbClient;
|
|
218
234
|
|
|
219
235
|
type SQL = string & {
|
|
220
236
|
__brand: 'sql';
|
|
221
237
|
};
|
|
238
|
+
declare const sql: (sqlQuery: string, ...params: unknown[]) => SQL;
|
|
222
239
|
|
|
223
240
|
declare const execute: <Result = void>(pool: pg.Pool, handle: (client: pg.PoolClient) => Promise<Result>) => Promise<Result>;
|
|
224
241
|
declare const executeSQL: <Result extends pg.QueryResultRow = pg.QueryResultRow>(pool: pg.Pool, sql: SQL) => Promise<pg.QueryResult<Result>>;
|
|
225
242
|
|
|
243
|
+
declare const Operators: {
|
|
244
|
+
$eq: string;
|
|
245
|
+
$gt: string;
|
|
246
|
+
$gte: string;
|
|
247
|
+
$lt: string;
|
|
248
|
+
$lte: string;
|
|
249
|
+
$ne: string;
|
|
250
|
+
$in: string;
|
|
251
|
+
$nin: string;
|
|
252
|
+
$elemMatch: string;
|
|
253
|
+
$all: string;
|
|
254
|
+
$size: string;
|
|
255
|
+
};
|
|
256
|
+
declare const isOperator: (key: string) => boolean;
|
|
257
|
+
declare const hasOperators: (value: Record<string, unknown>) => boolean;
|
|
258
|
+
declare const handleOperator: (path: string, operator: string, value: unknown) => string;
|
|
259
|
+
|
|
226
260
|
declare const constructFilterQuery: <T>(filter: PongoFilter<T>) => string;
|
|
227
261
|
|
|
228
262
|
declare const getPool: (connectionStringOrOptions: string | pg.PoolConfig) => pg.Pool;
|
|
229
263
|
declare const endPool: (connectionString: string) => Promise<void>;
|
|
230
264
|
declare const endAllPools: () => Promise<void[]>;
|
|
231
265
|
|
|
266
|
+
declare const postgresCollection: <T>(collectionName: string, pool: pg.Pool) => PongoCollection<T>;
|
|
267
|
+
declare const collectionSQLBuilder: (collectionName: string) => {
|
|
268
|
+
createCollection: () => SQL;
|
|
269
|
+
insertOne: <T>(document: WithId<T>) => SQL;
|
|
270
|
+
insertMany: <T_1>(documents: WithId<T_1>[]) => SQL;
|
|
271
|
+
updateOne: <T_2>(filter: PongoFilter<T_2>, update: PongoUpdate<T_2>) => SQL;
|
|
272
|
+
updateMany: <T_3>(filter: PongoFilter<T_3>, update: PongoUpdate<T_3>) => SQL;
|
|
273
|
+
deleteOne: <T_4>(filter: PongoFilter<T_4>) => SQL;
|
|
274
|
+
deleteMany: <T_5>(filter: PongoFilter<T_5>) => SQL;
|
|
275
|
+
findOne: <T_6>(filter: PongoFilter<T_6>) => SQL;
|
|
276
|
+
find: <T_7>(filter: PongoFilter<T_7>) => SQL;
|
|
277
|
+
};
|
|
278
|
+
|
|
232
279
|
declare const buildUpdateQuery: <T>(update: PongoUpdate<T>) => SQL;
|
|
233
280
|
declare const buildSetQuery: <T>(set: $set<T>, currentUpdateQuery: SQL) => SQL;
|
|
234
281
|
declare const buildUnsetQuery: <T>(unset: $unset<T>, currentUpdateQuery: SQL) => SQL;
|
|
235
282
|
declare const buildIncQuery: <T>(inc: $inc<T>, currentUpdateQuery: SQL) => SQL;
|
|
236
283
|
declare const buildPushQuery: <T>(push: $push<T>, currentUpdateQuery: SQL) => SQL;
|
|
237
284
|
|
|
238
|
-
export { type $inc, type $push, type $set, type $unset, Collection, Db, type DbClient, FindCursor, MongoClient, type PongoClient, type PongoCollection, type PongoDb, type PongoDeleteManyResult, type PongoDeleteResult, type PongoFilter, type PongoFilterOperator, type PongoInsertManyResult, type PongoInsertOneResult, type PongoUpdate, type PongoUpdateManyResult, type PongoUpdateResult, type WithId, buildIncQuery, buildPushQuery, buildSetQuery, buildUnsetQuery, buildUpdateQuery, constructFilterQuery, endAllPools, endPool, execute, executeSQL, getDbClient, getPool, pongoClient, postgresClient };
|
|
285
|
+
export { type $inc, type $push, type $set, type $unset, Collection, Db, type DbClient, FindCursor, MongoClient, type NonPartial, type ObjectId, Operators, type PongoClient, type PongoCollection, type PongoDb, type PongoDeleteManyResult, type PongoDeleteResult, type PongoFilter, type PongoFilterOperator, type PongoInsertManyResult, type PongoInsertOneResult, type PongoUpdate, type PongoUpdateManyResult, type PongoUpdateResult, type SQL, type WithId, type WithoutId, buildIncQuery, buildPushQuery, buildSetQuery, buildUnsetQuery, buildUpdateQuery, collectionSQLBuilder, constructFilterQuery, endAllPools, endPool, entries, execute, executeSQL, getDbClient, getPool, handleOperator, hasOperators, isOperator, pongoClient, postgresClient, postgresCollection, sql };
|
package/dist/index.js
CHANGED
|
@@ -1,5 +1,5 @@
|
|
|
1
1
|
import b from"pg";var m=new Map,I=t=>{let e=typeof t=="string"?t:t.connectionString,n=typeof t=="string"?{connectionString:e}:t;return m.get(e)??m.set(e,new b.Pool(n)).get(e)},h=async t=>{let e=m.get(t);e&&(await e.end(),m.delete(t))},z=()=>Promise.all([...m.keys()].map(t=>h(t)));import"pg";import K from"pg-format";import{v4 as E}from"uuid";var $=async(t,e)=>{let n=await t.connect();try{return await e(n)}finally{n.release()}},y=async(t,e)=>$(t,n=>n.query(e));var u=t=>Object.entries(t).map(([e,n])=>[e,n]);import d from"pg-format";var x={$eq:"$eq",$gt:"$gt",$gte:"$gte",$lt:"$lt",$lte:"$lte",$ne:"$ne",$in:"$in",$nin:"$nin",$elemMatch:"$elemMatch",$all:"$all",$size:"$size"},D={$gt:">",$gte:">=",$lt:"<",$lte:"<=",$ne:"!="},L=t=>t.startsWith("$"),F=t=>Object.keys(t).some(L),c=(t,e,n)=>{if(t==="_id")return W(e,n);switch(e){case"$eq":return d("(data @> %L::jsonb OR jsonb_path_exists(data, '$.%s[*] ? (@ == %s)'))",JSON.stringify(C(t,n)),t,JSON.stringify(n));case"$gt":case"$gte":case"$lt":case"$lte":case"$ne":return d(`data #>> %L ${D[e]} %L`,`{${t.split(".").join(",")}}`,n);case"$in":return d("data #>> %L IN (%s)",`{${t.split(".").join(",")}}`,n.map(o=>d("%L",o)).join(", "));case"$nin":return d("data #>> %L NOT IN (%s)",`{${t.split(".").join(",")}}`,n.map(o=>d("%L",o)).join(", "));case"$elemMatch":{let o=u(n).map(([i,r])=>d('@."%s" == %s',i,JSON.stringify(r))).join(" && ");return d("jsonb_path_exists(data, '$.%s[*] ? (%s)')",t,o)}case"$all":return d("data @> %L::jsonb",JSON.stringify(C(t,n)));case"$size":return d("jsonb_array_length(data #> %L) = %L",`{${t.split(".").join(",")}}`,n);default:throw new Error(`Unsupported operator: ${e}`)}},W=(t,e)=>{switch(t){case"$eq":return d("_id = %L",e);case"$gt":case"$gte":case"$lt":case"$lte":case"$ne":return d(`_id ${D[t]} %L`,e);case"$in":return d("_id IN (%s)",e.map(n=>d("%L",n)).join(", "));case"$nin":return d("_id NOT IN (%s)",e.map(n=>d("%L",n)).join(", "));default:throw new Error(`Unsupported operator: ${t}`)}},C=(t,e)=>t.split(".").reverse().reduce((n,o)=>({[o]:n}),e);var k="AND",p=t=>Object.entries(t).map(([e,n])=>U(n)?A(e,n):c(e,"$eq",n)).join(` ${k} `),A=(t,e)=>{let n=!F(e);return u(e).map(([o,i])=>n?c(`${t}.${o}`,x.$eq,i):c(t,o,i)).join(` ${k} `)},U=t=>t!==null&&typeof t=="object"&&!Array.isArray(t);import Q from"pg-format";var l=(t,...e)=>Q(t,...e);var O=t=>u(t).reduce((e,[n,o])=>{switch(n){case"$set":return j(o,e);case"$unset":return q(o,e);case"$inc":return N(o,e);case"$push":return B(o,e);default:return e}},l("data")),j=(t,e)=>l("jsonb_set(%s, %L, data || %L)",e,"{}",JSON.stringify(t)),q=(t,e)=>l("%s - %L",e,Object.keys(t).join(", ")),N=(t,e)=>{for(let[n,o]of Object.entries(t))e=l("jsonb_set(%s, '{%s}', to_jsonb((data->>'%s')::numeric + %L))",e,n,n,o);return e},B=(t,e)=>{for(let[n,o]of Object.entries(t))e=l("jsonb_set(%s, '{%s}', (COALESCE(data->'%s', '[]'::jsonb) || '[%s]'::jsonb))",e,n,n,JSON.stringify(o));return e};var M=(t,e)=>{let n=r=>y(e,r),o=H(t),i=n(o.createCollection());return{createCollection:async()=>{await i},insertOne:async r=>{await i;let s=E();return(await n(o.insertOne({_id:s,...r}))).rowCount?{insertedId:s,acknowledged:!0}:{insertedId:null,acknowledged:!1}},insertMany:async r=>{await i;let s=r.map(w=>({_id:E(),...w})),a=await n(o.insertMany(s));return{acknowledged:a.rowCount===s.length,insertedCount:a.rowCount??0,insertedIds:s.map(w=>w._id)}},updateOne:async(r,s)=>{await i;let a=await n(o.updateOne(r,s));return a.rowCount?{acknowledged:!0,modifiedCount:a.rowCount}:{acknowledged:!1,modifiedCount:0}},updateMany:async(r,s)=>{await i;let a=await n(o.updateMany(r,s));return a.rowCount?{acknowledged:!0,modifiedCount:a.rowCount}:{acknowledged:!1,modifiedCount:0}},deleteOne:async r=>{await i;let s=await n(o.deleteOne(r));return s.rowCount?{acknowledged:!0,deletedCount:s.rowCount}:{acknowledged:!1,deletedCount:0}},deleteMany:async r=>{await i;let s=await n(o.deleteMany(r));return s.rowCount?{acknowledged:!0,deletedCount:s.rowCount}:{acknowledged:!1,deletedCount:0}},findOne:async r=>(await i,(await n(o.findOne(r))).rows[0]?.data??null),find:async r=>(await i,(await n(o.find(r))).rows.map(a=>a.data))}},H=t=>({createCollection:()=>l("CREATE TABLE IF NOT EXISTS %I (_id UUID PRIMARY KEY, data JSONB)",t),insertOne:e=>l("INSERT INTO %I (_id, data) VALUES (%L, %L)",t,e._id,JSON.stringify(e)),insertMany:e=>{let n=e.map(o=>K("(%L, %L)",o._id,JSON.stringify(o))).join(", ");return l("INSERT INTO %I (_id, data) VALUES %s",t,n)},updateOne:(e,n)=>{let o=p(e),i=O(n);return l(`WITH cte AS (
|
|
2
2
|
SELECT _id FROM %I WHERE %s LIMIT 1
|
|
3
3
|
)
|
|
4
|
-
UPDATE %I SET data = %s FROM cte WHERE %I._id = cte._id`,t,o,t,i,t)},updateMany:(e,n)=>{let o=p(e),i=O(n);return l("UPDATE %I SET data = %s WHERE %s",t,i,o)},deleteOne:e=>{let n=p(e);return l("DELETE FROM %I WHERE %s",t,n)},deleteMany:e=>{let n=p(e);return l("DELETE FROM %I WHERE %s",t,n)},findOne:e=>{let n=p(e);return l("SELECT data FROM %I WHERE %s LIMIT 1",t,n)},find:e=>{let n=p(e);return l("SELECT data FROM %I WHERE %s",t,n)}});var R=(t,e)=>{let n=I({connectionString:t,database:e});return{connect:()=>Promise.resolve(),close:()=>h(t),collection:o=>M(o,n)}};var P=(t,e)=>R(t,e);var _=t=>{let e=P(t),n={connect:async()=>(await e.connect(),n),close:()=>e.close(),db:o=>o?P(t,o):e};return n};var f=class{findDocumentsPromise;documents=null;index=0;constructor(e){this.findDocumentsPromise=e}async toArray(){return this.findDocuments()}async forEach(e){let n=await this.findDocuments();for(let o of n)e(o);return Promise.resolve()}hasNext(){if(this.documents===null)throw Error("Error while fetching documents");return this.index<this.documents.length}async next(){let e=await this.findDocuments();return this.hasNext()?e[this.index++]??null:null}async findDocuments(){return this.documents=await this.findDocumentsPromise,this.documents}};import"mongodb";var g=class{collection;constructor(e){this.collection=e}get dbName(){throw new Error("Method not implemented.")}get collectionName(){throw new Error("Method not implemented.")}get namespace(){throw new Error("Method not implemented.")}get readConcern(){throw new Error("Method not implemented.")}get readPreference(){throw new Error("Method not implemented.")}get bsonOptions(){throw new Error("Method not implemented.")}get writeConcern(){throw new Error("Method not implemented.")}get hint(){throw new Error("Method not implemented.")}set hint(e){throw new Error("Method not implemented.")}async insertOne(e,n){let o=await this.collection.insertOne(e);return{acknowledged:o.acknowledged,insertedId:o.insertedId}}async insertMany(e,n){let o=await this.collection.insertMany(e);return{acknowledged:o.acknowledged,insertedIds:o.insertedIds,insertedCount:o.insertedCount}}bulkWrite(e,n){throw new Error("Method not implemented.")}async updateOne(e,n,o){let i=await this.collection.updateOne(e,n);return{acknowledged:i.acknowledged,matchedCount:i.modifiedCount,modifiedCount:i.modifiedCount,upsertedCount:i.modifiedCount,upsertedId:null}}replaceOne(e,n,o){throw new Error("Method not implemented.")}async updateMany(e,n,o){let i=await this.collection.updateMany(e,n);return{acknowledged:i.acknowledged,matchedCount:i.modifiedCount,modifiedCount:i.modifiedCount,upsertedCount:i.modifiedCount,upsertedId:null}}async deleteOne(e,n){let o=await this.collection.deleteOne(e);return{acknowledged:o.acknowledged,deletedCount:o.deletedCount}}async deleteMany(e,n){let o=await this.collection.deleteMany(e);return{acknowledged:o.acknowledged,deletedCount:o.deletedCount}}rename(e,n){throw new Error("Method not implemented.")}drop(e){throw new Error("Method not implemented.")}async findOne(e,n){return this.collection.findOne(e)}find(e,n){return new f(this.collection.find(e))}options(e){throw new Error("Method not implemented.")}isCapped(e){throw new Error("Method not implemented.")}createIndex(e,n){throw new Error("Method not implemented.")}createIndexes(e,n){throw new Error("Method not implemented.")}dropIndex(e,n){throw new Error("Method not implemented.")}dropIndexes(e){throw new Error("Method not implemented.")}listIndexes(e){throw new Error("Method not implemented.")}indexExists(e,n){throw new Error("Method not implemented.")}indexInformation(e){throw new Error("Method not implemented.")}estimatedDocumentCount(e){throw new Error("Method not implemented.")}countDocuments(e,n){throw new Error("Method not implemented.")}distinct(e,n,o){throw new Error("Method not implemented.")}indexes(e){throw new Error("Method not implemented.")}findOneAndDelete(e,n){throw new Error("Method not implemented.")}findOneAndReplace(e,n,o){throw new Error("Method not implemented.")}findOneAndUpdate(e,n,o){throw new Error("Method not implemented.")}aggregate(e,n){throw new Error("Method not implemented.")}watch(e,n){throw new Error("Method not implemented.")}initializeUnorderedBulkOp(e){throw new Error("Method not implemented.")}initializeOrderedBulkOp(e){throw new Error("Method not implemented.")}count(e,n){throw new Error("Method not implemented.")}listSearchIndexes(e,n){throw new Error("Method not implemented.")}createSearchIndex(e){throw new Error("Method not implemented.")}createSearchIndexes(e){throw new Error("Method not implemented.")}dropSearchIndex(e){throw new Error("Method not implemented.")}updateSearchIndex(e,n){throw new Error("Method not implemented.")}async createCollection(){await this.collection.createCollection()}};var T=class{constructor(e){this.pongoDb=e}collection(e){return new g(this.pongoDb.collection(e))}};var S=class{pongoClient;constructor(e){this.pongoClient=_(e)}async connect(){return await this.pongoClient.connect(),this}async close(){await this.pongoClient.close()}db(e){return new T(this.pongoClient.db(e))}};export{g as Collection,T as Db,f as FindCursor,S as MongoClient,N as buildIncQuery,B as buildPushQuery,j as buildSetQuery,q as buildUnsetQuery,O as buildUpdateQuery,p as constructFilterQuery,z as endAllPools,h as endPool,$ as execute,y as executeSQL,P as getDbClient,I as getPool,_ as pongoClient,R as postgresClient};
|
|
4
|
+
UPDATE %I SET data = %s FROM cte WHERE %I._id = cte._id`,t,o,t,i,t)},updateMany:(e,n)=>{let o=p(e),i=O(n);return l("UPDATE %I SET data = %s WHERE %s",t,i,o)},deleteOne:e=>{let n=p(e);return l("DELETE FROM %I WHERE %s",t,n)},deleteMany:e=>{let n=p(e);return l("DELETE FROM %I WHERE %s",t,n)},findOne:e=>{let n=p(e);return l("SELECT data FROM %I WHERE %s LIMIT 1",t,n)},find:e=>{let n=p(e);return l("SELECT data FROM %I WHERE %s",t,n)}});var R=(t,e)=>{let n=I({connectionString:t,database:e});return{connect:()=>Promise.resolve(),close:()=>h(t),collection:o=>M(o,n)}};var P=(t,e)=>R(t,e);var _=t=>{let e=P(t),n={connect:async()=>(await e.connect(),n),close:()=>e.close(),db:o=>o?P(t,o):e};return n};var f=class{findDocumentsPromise;documents=null;index=0;constructor(e){this.findDocumentsPromise=e}async toArray(){return this.findDocuments()}async forEach(e){let n=await this.findDocuments();for(let o of n)e(o);return Promise.resolve()}hasNext(){if(this.documents===null)throw Error("Error while fetching documents");return this.index<this.documents.length}async next(){let e=await this.findDocuments();return this.hasNext()?e[this.index++]??null:null}async findDocuments(){return this.documents=await this.findDocumentsPromise,this.documents}};import"mongodb";var g=class{collection;constructor(e){this.collection=e}get dbName(){throw new Error("Method not implemented.")}get collectionName(){throw new Error("Method not implemented.")}get namespace(){throw new Error("Method not implemented.")}get readConcern(){throw new Error("Method not implemented.")}get readPreference(){throw new Error("Method not implemented.")}get bsonOptions(){throw new Error("Method not implemented.")}get writeConcern(){throw new Error("Method not implemented.")}get hint(){throw new Error("Method not implemented.")}set hint(e){throw new Error("Method not implemented.")}async insertOne(e,n){let o=await this.collection.insertOne(e);return{acknowledged:o.acknowledged,insertedId:o.insertedId}}async insertMany(e,n){let o=await this.collection.insertMany(e);return{acknowledged:o.acknowledged,insertedIds:o.insertedIds,insertedCount:o.insertedCount}}bulkWrite(e,n){throw new Error("Method not implemented.")}async updateOne(e,n,o){let i=await this.collection.updateOne(e,n);return{acknowledged:i.acknowledged,matchedCount:i.modifiedCount,modifiedCount:i.modifiedCount,upsertedCount:i.modifiedCount,upsertedId:null}}replaceOne(e,n,o){throw new Error("Method not implemented.")}async updateMany(e,n,o){let i=await this.collection.updateMany(e,n);return{acknowledged:i.acknowledged,matchedCount:i.modifiedCount,modifiedCount:i.modifiedCount,upsertedCount:i.modifiedCount,upsertedId:null}}async deleteOne(e,n){let o=await this.collection.deleteOne(e);return{acknowledged:o.acknowledged,deletedCount:o.deletedCount}}async deleteMany(e,n){let o=await this.collection.deleteMany(e);return{acknowledged:o.acknowledged,deletedCount:o.deletedCount}}rename(e,n){throw new Error("Method not implemented.")}drop(e){throw new Error("Method not implemented.")}async findOne(e,n){return this.collection.findOne(e)}find(e,n){return new f(this.collection.find(e))}options(e){throw new Error("Method not implemented.")}isCapped(e){throw new Error("Method not implemented.")}createIndex(e,n){throw new Error("Method not implemented.")}createIndexes(e,n){throw new Error("Method not implemented.")}dropIndex(e,n){throw new Error("Method not implemented.")}dropIndexes(e){throw new Error("Method not implemented.")}listIndexes(e){throw new Error("Method not implemented.")}indexExists(e,n){throw new Error("Method not implemented.")}indexInformation(e){throw new Error("Method not implemented.")}estimatedDocumentCount(e){throw new Error("Method not implemented.")}countDocuments(e,n){throw new Error("Method not implemented.")}distinct(e,n,o){throw new Error("Method not implemented.")}indexes(e){throw new Error("Method not implemented.")}findOneAndDelete(e,n){throw new Error("Method not implemented.")}findOneAndReplace(e,n,o){throw new Error("Method not implemented.")}findOneAndUpdate(e,n,o){throw new Error("Method not implemented.")}aggregate(e,n){throw new Error("Method not implemented.")}watch(e,n){throw new Error("Method not implemented.")}initializeUnorderedBulkOp(e){throw new Error("Method not implemented.")}initializeOrderedBulkOp(e){throw new Error("Method not implemented.")}count(e,n){throw new Error("Method not implemented.")}listSearchIndexes(e,n){throw new Error("Method not implemented.")}createSearchIndex(e){throw new Error("Method not implemented.")}createSearchIndexes(e){throw new Error("Method not implemented.")}dropSearchIndex(e){throw new Error("Method not implemented.")}updateSearchIndex(e,n){throw new Error("Method not implemented.")}async createCollection(){await this.collection.createCollection()}};var T=class{constructor(e){this.pongoDb=e}collection(e){return new g(this.pongoDb.collection(e))}};var S=class{pongoClient;constructor(e){this.pongoClient=_(e)}async connect(){return await this.pongoClient.connect(),this}async close(){await this.pongoClient.close()}db(e){return new T(this.pongoClient.db(e))}};export{g as Collection,T as Db,f as FindCursor,S as MongoClient,x as Operators,N as buildIncQuery,B as buildPushQuery,j as buildSetQuery,q as buildUnsetQuery,O as buildUpdateQuery,H as collectionSQLBuilder,p as constructFilterQuery,z as endAllPools,h as endPool,u as entries,$ as execute,y as executeSQL,P as getDbClient,I as getPool,c as handleOperator,F as hasOperators,L as isOperator,_ as pongoClient,R as postgresClient,M as postgresCollection,l as sql};
|
|
5
5
|
//# sourceMappingURL=index.js.map
|
package/dist/index.js.map
CHANGED
|
@@ -1 +1 @@
|
|
|
1
|
-
{"version":3,"sources":["../src/postgres/pool.ts","../src/postgres/postgresCollection.ts","../src/postgres/execute/index.ts","../src/main/typing/entries.ts","../src/postgres/filter/queryOperators.ts","../src/postgres/filter/index.ts","../src/postgres/sql/index.ts","../src/postgres/update/index.ts","../src/postgres/client.ts","../src/main/dbClient.ts","../src/main/client.ts","../src/mongo/findCursor.ts","../src/mongo/mongoDb.ts","../src/mongo/mongoCollection.ts","../src/mongo/mongoClient.ts"],"sourcesContent":["import pg from 'pg';\n\nconst pools: Map<string, pg.Pool> = new Map();\n\nexport const getPool = (\n connectionStringOrOptions: string | pg.PoolConfig,\n): pg.Pool => {\n const connectionString =\n typeof connectionStringOrOptions === 'string'\n ? connectionStringOrOptions\n : connectionStringOrOptions.connectionString!;\n\n const poolOptions =\n typeof connectionStringOrOptions === 'string'\n ? { connectionString }\n : connectionStringOrOptions;\n\n //TODO: this should include database name resolution for key\n return (\n pools.get(connectionString) ??\n pools.set(connectionString, new pg.Pool(poolOptions)).get(connectionString)!\n );\n};\n\nexport const endPool = async (connectionString: string): Promise<void> => {\n const pool = pools.get(connectionString);\n if (pool) {\n await pool.end();\n pools.delete(connectionString);\n }\n};\n\nexport const endAllPools = () =>\n Promise.all(\n [...pools.keys()].map((connectionString) => endPool(connectionString)),\n );\n","import pg from 'pg';\nimport format from 'pg-format';\nimport { v4 as uuid } from 'uuid';\nimport {\n type PongoCollection,\n type PongoDeleteResult,\n type PongoFilter,\n type PongoInsertManyResult,\n type PongoInsertOneResult,\n type PongoUpdate,\n type PongoUpdateResult,\n type WithId,\n} from '../main';\nimport { executeSQL } from './execute';\nimport { constructFilterQuery } from './filter';\nimport { sql, type SQL } from './sql';\nimport { buildUpdateQuery } from './update';\n\nexport const postgresCollection = <T>(\n collectionName: string,\n pool: pg.Pool,\n): PongoCollection<T> => {\n const execute = (sql: SQL) => executeSQL(pool, sql);\n const SqlFor = collectionSQLBuilder(collectionName);\n\n const createCollection = execute(SqlFor.createCollection());\n\n return {\n createCollection: async () => {\n await createCollection;\n },\n insertOne: async (document: T): Promise<PongoInsertOneResult> => {\n await createCollection;\n\n const _id = uuid();\n\n const result = await execute(SqlFor.insertOne({ _id, ...document }));\n\n return result.rowCount\n ? { insertedId: _id, acknowledged: true }\n : { insertedId: null, acknowledged: false };\n },\n insertMany: async (documents: T[]): Promise<PongoInsertManyResult> => {\n await createCollection;\n\n const rows = documents.map((doc) => ({\n _id: uuid(),\n ...doc,\n }));\n\n const result = await execute(SqlFor.insertMany(rows));\n\n return {\n acknowledged: result.rowCount === rows.length,\n insertedCount: result.rowCount ?? 0,\n insertedIds: rows.map((d) => d._id),\n };\n },\n updateOne: async (\n filter: PongoFilter<T>,\n update: PongoUpdate<T>,\n ): Promise<PongoUpdateResult> => {\n await createCollection;\n\n const result = await execute(SqlFor.updateOne(filter, update));\n return result.rowCount\n ? { acknowledged: true, modifiedCount: result.rowCount }\n : { acknowledged: false, modifiedCount: 0 };\n },\n updateMany: async (\n filter: PongoFilter<T>,\n update: PongoUpdate<T>,\n ): Promise<PongoUpdateResult> => {\n await createCollection;\n\n const result = await execute(SqlFor.updateMany(filter, update));\n return result.rowCount\n ? { acknowledged: true, modifiedCount: result.rowCount }\n : { acknowledged: false, modifiedCount: 0 };\n },\n deleteOne: async (filter: PongoFilter<T>): Promise<PongoDeleteResult> => {\n await createCollection;\n\n const result = await execute(SqlFor.deleteOne(filter));\n return result.rowCount\n ? { acknowledged: true, deletedCount: result.rowCount }\n : { acknowledged: false, deletedCount: 0 };\n },\n deleteMany: async (filter: PongoFilter<T>): Promise<PongoDeleteResult> => {\n await createCollection;\n\n const result = await execute(SqlFor.deleteMany(filter));\n return result.rowCount\n ? { acknowledged: true, deletedCount: result.rowCount }\n : { acknowledged: false, deletedCount: 0 };\n },\n findOne: async (filter: PongoFilter<T>): Promise<T | null> => {\n await createCollection;\n\n const result = await execute(SqlFor.findOne(filter));\n return (result.rows[0]?.data ?? null) as T | null;\n },\n find: async (filter: PongoFilter<T>): Promise<T[]> => {\n await createCollection;\n\n const result = await execute(SqlFor.find(filter));\n return result.rows.map((row) => row.data as T);\n },\n };\n};\n\nexport const collectionSQLBuilder = (collectionName: string) => ({\n createCollection: (): SQL =>\n sql(\n 'CREATE TABLE IF NOT EXISTS %I (_id UUID PRIMARY KEY, data JSONB)',\n collectionName,\n ),\n insertOne: <T>(document: WithId<T>): SQL =>\n sql(\n 'INSERT INTO %I (_id, data) VALUES (%L, %L)',\n collectionName,\n document._id,\n JSON.stringify(document),\n ),\n insertMany: <T>(documents: WithId<T>[]): SQL => {\n const values = documents\n .map((doc) => format('(%L, %L)', doc._id, JSON.stringify(doc)))\n .join(', ');\n return sql('INSERT INTO %I (_id, data) VALUES %s', collectionName, values);\n },\n updateOne: <T>(filter: PongoFilter<T>, update: PongoUpdate<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n const updateQuery = buildUpdateQuery(update);\n\n return sql(\n `WITH cte AS (\n SELECT _id FROM %I WHERE %s LIMIT 1\n )\n UPDATE %I SET data = %s FROM cte WHERE %I._id = cte._id`,\n collectionName,\n filterQuery,\n collectionName,\n updateQuery,\n collectionName,\n );\n },\n updateMany: <T>(filter: PongoFilter<T>, update: PongoUpdate<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n const updateQuery = buildUpdateQuery(update);\n\n return sql(\n 'UPDATE %I SET data = %s WHERE %s',\n collectionName,\n updateQuery,\n filterQuery,\n );\n },\n deleteOne: <T>(filter: PongoFilter<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n return sql('DELETE FROM %I WHERE %s', collectionName, filterQuery);\n },\n deleteMany: <T>(filter: PongoFilter<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n return sql('DELETE FROM %I WHERE %s', collectionName, filterQuery);\n },\n findOne: <T>(filter: PongoFilter<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n return sql(\n 'SELECT data FROM %I WHERE %s LIMIT 1',\n collectionName,\n filterQuery,\n );\n },\n find: <T>(filter: PongoFilter<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n return sql('SELECT data FROM %I WHERE %s', collectionName, filterQuery);\n },\n});\n","import type pg from 'pg';\nimport type { SQL } from '../sql';\n\nexport const execute = async <Result = void>(\n pool: pg.Pool,\n handle: (client: pg.PoolClient) => Promise<Result>,\n) => {\n const client = await pool.connect();\n try {\n return await handle(client);\n } finally {\n client.release();\n }\n};\n\nexport const executeSQL = async <\n Result extends pg.QueryResultRow = pg.QueryResultRow,\n>(\n pool: pg.Pool,\n sql: SQL,\n): Promise<pg.QueryResult<Result>> =>\n execute(pool, (client) => client.query<Result>(sql));\n","type Entry<T> = {\n [K in keyof Required<T>]: [K, Required<T>[K]];\n}[keyof Required<T>];\n\ntype IterableEntry<T> = Entry<T> & {\n [Symbol.iterator](): Iterator<Entry<T>>;\n};\n\nexport const entries = <T extends object>(obj: T): IterableEntry<T>[] =>\n Object.entries(obj).map(([key, value]) => [key as keyof T, value]);\n\nexport type NonPartial<T> = { [K in keyof Required<T>]: T[K] };\n","import format from 'pg-format';\nimport { entries } from '../../main/typing';\n\nexport const Operators = {\n $eq: '$eq',\n $gt: '$gt',\n $gte: '$gte',\n $lt: '$lt',\n $lte: '$lte',\n $ne: '$ne',\n $in: '$in',\n $nin: '$nin',\n $elemMatch: '$elemMatch',\n $all: '$all',\n $size: '$size',\n};\n\nconst OperatorMap = {\n $gt: '>',\n $gte: '>=',\n $lt: '<',\n $lte: '<=',\n $ne: '!=',\n};\n\nexport const isOperator = (key: string) => key.startsWith('$');\n\nexport const hasOperators = (value: Record<string, unknown>) =>\n Object.keys(value).some(isOperator);\n\nexport const handleOperator = (\n path: string,\n operator: string,\n value: unknown,\n): string => {\n if (path === '_id') {\n return handleIdOperator(operator, value);\n }\n\n switch (operator) {\n case '$eq':\n return format(\n `(data @> %L::jsonb OR jsonb_path_exists(data, '$.%s[*] ? (@ == %s)'))`,\n JSON.stringify(buildNestedObject(path, value)),\n path,\n JSON.stringify(value),\n );\n case '$gt':\n case '$gte':\n case '$lt':\n case '$lte':\n case '$ne':\n return format(\n `data #>> %L ${OperatorMap[operator]} %L`,\n `{${path.split('.').join(',')}}`,\n value,\n );\n case '$in':\n return format(\n 'data #>> %L IN (%s)',\n `{${path.split('.').join(',')}}`,\n (value as unknown[]).map((v) => format('%L', v)).join(', '),\n );\n case '$nin':\n return format(\n 'data #>> %L NOT IN (%s)',\n `{${path.split('.').join(',')}}`,\n (value as unknown[]).map((v) => format('%L', v)).join(', '),\n );\n case '$elemMatch': {\n const subQuery = entries(value as Record<string, unknown>)\n .map(([subKey, subValue]) =>\n format(`@.\"%s\" == %s`, subKey, JSON.stringify(subValue)),\n )\n .join(' && ');\n return format(\n `jsonb_path_exists(data, '$.%s[*] ? (%s)')`,\n path,\n subQuery,\n );\n }\n case '$all':\n return format(\n 'data @> %L::jsonb',\n JSON.stringify(buildNestedObject(path, value)),\n );\n case '$size':\n return format(\n 'jsonb_array_length(data #> %L) = %L',\n `{${path.split('.').join(',')}}`,\n value,\n );\n default:\n throw new Error(`Unsupported operator: ${operator}`);\n }\n};\n\nconst handleIdOperator = (operator: string, value: unknown): string => {\n switch (operator) {\n case '$eq':\n return format(`_id = %L`, value);\n case '$gt':\n case '$gte':\n case '$lt':\n case '$lte':\n case '$ne':\n return format(`_id ${OperatorMap[operator]} %L`, value);\n case '$in':\n return format(\n `_id IN (%s)`,\n (value as unknown[]).map((v) => format('%L', v)).join(', '),\n );\n case '$nin':\n return format(\n `_id NOT IN (%s)`,\n (value as unknown[]).map((v) => format('%L', v)).join(', '),\n );\n default:\n throw new Error(`Unsupported operator: ${operator}`);\n }\n};\n\nconst buildNestedObject = (\n path: string,\n value: unknown,\n): Record<string, unknown> =>\n path\n .split('.')\n .reverse()\n .reduce((acc, key) => ({ [key]: acc }), value as Record<string, unknown>);\n","import type { PongoFilter } from '../../main';\nimport { entries } from '../../main/typing';\nimport { Operators, handleOperator, hasOperators } from './queryOperators';\n\nconst AND = 'AND';\n\nexport const constructFilterQuery = <T>(filter: PongoFilter<T>): string =>\n Object.entries(filter)\n .map(([key, value]) =>\n isRecord(value)\n ? constructComplexFilterQuery(key, value)\n : handleOperator(key, '$eq', value),\n )\n .join(` ${AND} `);\n\nconst constructComplexFilterQuery = (\n key: string,\n value: Record<string, unknown>,\n): string => {\n const isEquality = !hasOperators(value);\n\n return entries(value)\n .map(\n ([nestedKey, val]) =>\n isEquality\n ? handleOperator(`${key}.${nestedKey}`, Operators.$eq, val) // regular value\n : handleOperator(key, nestedKey, val), // operator\n )\n .join(` ${AND} `);\n};\n\nconst isRecord = (value: unknown): value is Record<string, unknown> =>\n value !== null && typeof value === 'object' && !Array.isArray(value);\n","import format from 'pg-format';\n\nexport type SQL = string & { __brand: 'sql' };\n\nexport const sql = (sqlQuery: string, ...params: unknown[]): SQL => {\n return format(sqlQuery, ...params) as SQL;\n};\n","import type { $inc, $push, $set, $unset, PongoUpdate } from '../../main';\nimport { entries } from '../../main/typing';\nimport { sql, type SQL } from '../sql';\n\nexport const buildUpdateQuery = <T>(update: PongoUpdate<T>): SQL =>\n entries(update).reduce((currentUpdateQuery, [op, value]) => {\n switch (op) {\n case '$set':\n return buildSetQuery(value, currentUpdateQuery);\n case '$unset':\n return buildUnsetQuery(value, currentUpdateQuery);\n case '$inc':\n return buildIncQuery(value, currentUpdateQuery);\n case '$push':\n return buildPushQuery(value, currentUpdateQuery);\n default:\n return currentUpdateQuery;\n }\n }, sql('data'));\n\nexport const buildSetQuery = <T>(set: $set<T>, currentUpdateQuery: SQL): SQL =>\n sql(\n 'jsonb_set(%s, %L, data || %L)',\n currentUpdateQuery,\n '{}',\n JSON.stringify(set),\n );\n\nexport const buildUnsetQuery = <T>(\n unset: $unset<T>,\n currentUpdateQuery: SQL,\n): SQL => sql('%s - %L', currentUpdateQuery, Object.keys(unset).join(', '));\n\nexport const buildIncQuery = <T>(\n inc: $inc<T>,\n currentUpdateQuery: SQL,\n): SQL => {\n for (const [key, value] of Object.entries(inc)) {\n currentUpdateQuery = sql(\n \"jsonb_set(%s, '{%s}', to_jsonb((data->>'%s')::numeric + %L))\",\n currentUpdateQuery,\n key,\n key,\n value,\n );\n }\n return currentUpdateQuery;\n};\n\nexport const buildPushQuery = <T>(\n push: $push<T>,\n currentUpdateQuery: SQL,\n): SQL => {\n for (const [key, value] of Object.entries(push)) {\n currentUpdateQuery = sql(\n \"jsonb_set(%s, '{%s}', (COALESCE(data->'%s', '[]'::jsonb) || '[%s]'::jsonb))\",\n currentUpdateQuery,\n key,\n key,\n JSON.stringify(value),\n );\n }\n return currentUpdateQuery;\n};\n","import { type DbClient } from '../main';\nimport { endPool, getPool } from './pool';\nimport { postgresCollection } from './postgresCollection';\n\nexport const postgresClient = (\n connectionString: string,\n database?: string,\n): DbClient => {\n const pool = getPool({ connectionString, database });\n\n return {\n connect: () => Promise.resolve(),\n close: () => endPool(connectionString),\n collection: <T>(name: string) => postgresCollection<T>(name, pool),\n };\n};\n","import { postgresClient } from '../postgres';\nimport type { PongoCollection } from './typing/operations';\n\nexport interface DbClient {\n connect(): Promise<void>;\n close(): Promise<void>;\n collection: <T>(name: string) => PongoCollection<T>;\n}\n\nexport const getDbClient = (\n connectionString: string,\n database?: string,\n): DbClient => {\n // This is the place where in the future could come resolution of other database types\n return postgresClient(connectionString, database);\n};\n","import { getDbClient } from './dbClient';\nimport type { PongoClient, PongoDb } from './typing/operations';\n\nexport const pongoClient = (connectionString: string): PongoClient => {\n const dbClient = getDbClient(connectionString);\n\n const pongoClient: PongoClient = {\n connect: async () => {\n await dbClient.connect();\n return pongoClient;\n },\n close: () => dbClient.close(),\n db: (dbName?: string): PongoDb =>\n dbName ? getDbClient(connectionString, dbName) : dbClient,\n };\n\n return pongoClient;\n};\n","export class FindCursor<T> {\n private findDocumentsPromise: Promise<T[]>;\n private documents: T[] | null = null;\n private index: number = 0;\n\n constructor(documents: Promise<T[]>) {\n this.findDocumentsPromise = documents;\n }\n\n async toArray(): Promise<T[]> {\n return this.findDocuments();\n }\n\n async forEach(callback: (doc: T) => void): Promise<void> {\n const docs = await this.findDocuments();\n\n for (const doc of docs) {\n callback(doc);\n }\n return Promise.resolve();\n }\n\n hasNext(): boolean {\n if (this.documents === null) throw Error('Error while fetching documents');\n return this.index < this.documents.length;\n }\n\n async next(): Promise<T | null> {\n const docs = await this.findDocuments();\n return this.hasNext() ? docs[this.index++] ?? null : null;\n }\n\n private async findDocuments(): Promise<T[]> {\n this.documents = await this.findDocumentsPromise;\n return this.documents;\n }\n}\n","import { Collection as MongoCollection, type Document } from 'mongodb';\nimport type { PongoDb } from '../main';\nimport { Collection } from './mongoCollection';\n\nexport class Db {\n constructor(private pongoDb: PongoDb) {}\n\n collection<T extends Document>(collectionName: string): MongoCollection<T> {\n return new Collection<T>(this.pongoDb.collection<T>(collectionName));\n }\n}\n","import type {\n AbstractCursorOptions,\n AggregateOptions,\n AggregationCursor,\n AnyBulkWriteOperation,\n BSONSerializeOptions,\n BulkWriteOptions,\n BulkWriteResult,\n ChangeStream,\n ChangeStreamDocument,\n ChangeStreamOptions,\n CommandOperationOptions,\n CountDocumentsOptions,\n CountOptions,\n CreateIndexesOptions,\n DeleteOptions,\n DeleteResult,\n Document,\n DropCollectionOptions,\n EnhancedOmit,\n EstimatedDocumentCountOptions,\n Filter,\n FindOneAndDeleteOptions,\n FindOneAndReplaceOptions,\n FindOneAndUpdateOptions,\n FindOptions,\n Flatten,\n Hint,\n IndexDescription,\n IndexDescriptionCompact,\n IndexDescriptionInfo,\n IndexInformationOptions,\n IndexSpecification,\n InferIdType,\n InsertManyResult,\n InsertOneOptions,\n InsertOneResult,\n ListIndexesCursor,\n ListSearchIndexesCursor,\n ListSearchIndexesOptions,\n ModifyResult,\n Collection as MongoCollection,\n FindCursor as MongoFindCursor,\n OperationOptions,\n OptionalUnlessRequiredId,\n OrderedBulkOperation,\n ReadConcern,\n ReadPreference,\n RenameOptions,\n ReplaceOptions,\n SearchIndexDescription,\n UnorderedBulkOperation,\n UpdateFilter,\n UpdateOptions,\n UpdateResult,\n WithId,\n WithoutId,\n WriteConcern,\n} from 'mongodb';\nimport type { Key } from 'readline';\nimport type { PongoCollection, PongoFilter, PongoUpdate } from '../main';\nimport { FindCursor } from './findCursor';\n\nexport class Collection<T extends Document> implements MongoCollection<T> {\n private collection: PongoCollection<T>;\n\n constructor(collection: PongoCollection<T>) {\n this.collection = collection;\n }\n get dbName(): string {\n throw new Error('Method not implemented.');\n }\n get collectionName(): string {\n throw new Error('Method not implemented.');\n }\n get namespace(): string {\n throw new Error('Method not implemented.');\n }\n get readConcern(): ReadConcern | undefined {\n throw new Error('Method not implemented.');\n }\n get readPreference(): ReadPreference | undefined {\n throw new Error('Method not implemented.');\n }\n get bsonOptions(): BSONSerializeOptions {\n throw new Error('Method not implemented.');\n }\n get writeConcern(): WriteConcern | undefined {\n throw new Error('Method not implemented.');\n }\n get hint(): Hint | undefined {\n throw new Error('Method not implemented.');\n }\n set hint(v: Hint | undefined) {\n throw new Error('Method not implemented.');\n }\n async insertOne(\n doc: OptionalUnlessRequiredId<T>,\n _options?: InsertOneOptions | undefined,\n ): Promise<InsertOneResult<T>> {\n const result = await this.collection.insertOne(doc as T);\n return {\n acknowledged: result.acknowledged,\n insertedId: result.insertedId as unknown as InferIdType<T>,\n };\n }\n async insertMany(\n docs: OptionalUnlessRequiredId<T>[],\n _options?: BulkWriteOptions | undefined,\n ): Promise<InsertManyResult<T>> {\n const result = await this.collection.insertMany(docs as T[]);\n return {\n acknowledged: result.acknowledged,\n insertedIds: result.insertedIds as unknown as InferIdType<T>[],\n insertedCount: result.insertedCount,\n };\n }\n bulkWrite(\n _operations: AnyBulkWriteOperation<T>[],\n _options?: BulkWriteOptions | undefined,\n ): Promise<BulkWriteResult> {\n throw new Error('Method not implemented.');\n }\n async updateOne(\n filter: Filter<T>,\n update: Document[] | UpdateFilter<T>,\n _options?: UpdateOptions | undefined,\n ): Promise<UpdateResult<T>> {\n const result = await this.collection.updateOne(\n filter as unknown as PongoFilter<T>,\n update as unknown as PongoUpdate<T>,\n );\n\n return {\n acknowledged: result.acknowledged,\n matchedCount: result.modifiedCount,\n modifiedCount: result.modifiedCount,\n upsertedCount: result.modifiedCount,\n upsertedId: null,\n };\n }\n replaceOne(\n _filter: Filter<T>,\n _: WithoutId<T>,\n _options?: ReplaceOptions | undefined,\n ): Promise<Document | UpdateResult<T>> {\n throw new Error('Method not implemented.');\n }\n async updateMany(\n filter: Filter<T>,\n update: Document[] | UpdateFilter<T>,\n _options?: UpdateOptions | undefined,\n ): Promise<UpdateResult<T>> {\n const result = await this.collection.updateMany(\n filter as unknown as PongoFilter<T>,\n update as unknown as PongoUpdate<T>,\n );\n\n return {\n acknowledged: result.acknowledged,\n matchedCount: result.modifiedCount,\n modifiedCount: result.modifiedCount,\n upsertedCount: result.modifiedCount,\n upsertedId: null,\n };\n }\n async deleteOne(\n filter?: Filter<T> | undefined,\n _options?: DeleteOptions | undefined,\n ): Promise<DeleteResult> {\n const result = await this.collection.deleteOne(\n filter as unknown as PongoFilter<T>,\n );\n\n return {\n acknowledged: result.acknowledged,\n deletedCount: result.deletedCount,\n };\n }\n async deleteMany(\n filter?: Filter<T> | undefined,\n _options?: DeleteOptions | undefined,\n ): Promise<DeleteResult> {\n const result = await this.collection.deleteMany(\n filter as unknown as PongoFilter<T>,\n );\n\n return {\n acknowledged: result.acknowledged,\n deletedCount: result.deletedCount,\n };\n }\n rename(\n _newName: string,\n _options?: RenameOptions | undefined,\n ): Promise<Collection<Document>> {\n throw new Error('Method not implemented.');\n }\n drop(_options?: DropCollectionOptions | undefined): Promise<boolean> {\n throw new Error('Method not implemented.');\n }\n findOne(): Promise<WithId<T> | null>;\n findOne(filter: Filter<T>): Promise<WithId<T> | null>;\n findOne(\n filter: Filter<T>,\n options: FindOptions<Document>,\n ): Promise<WithId<T> | null>;\n findOne<TS = T>(): Promise<TS | null>;\n findOne<TS = T>(filter: Filter<TS>): Promise<TS | null>;\n findOne<TS = T>(\n filter: Filter<TS>,\n options?: FindOptions<Document> | undefined,\n ): Promise<TS | null>;\n async findOne(\n filter?: unknown,\n _options?: unknown,\n ): Promise<import('mongodb').WithId<T> | T | null> {\n return this.collection.findOne(filter as PongoFilter<T>);\n }\n find(): MongoFindCursor<WithId<T>>;\n find(\n filter: Filter<T>,\n options?: FindOptions<Document> | undefined,\n ): MongoFindCursor<WithId<T>>;\n find<T extends Document>(\n filter: Filter<T>,\n options?: FindOptions<Document> | undefined,\n ): MongoFindCursor<T>;\n find(\n filter?: unknown,\n _options?: unknown,\n ): MongoFindCursor<WithId<T>> | MongoFindCursor<T> {\n return new FindCursor(\n this.collection.find(filter as PongoFilter<T>),\n ) as unknown as MongoFindCursor<T>;\n }\n options(_options?: OperationOptions | undefined): Promise<Document> {\n throw new Error('Method not implemented.');\n }\n isCapped(_options?: OperationOptions | undefined): Promise<boolean> {\n throw new Error('Method not implemented.');\n }\n createIndex(\n _indexSpec: IndexSpecification,\n _options?: CreateIndexesOptions | undefined,\n ): Promise<string> {\n throw new Error('Method not implemented.');\n }\n createIndexes(\n _indexSpecs: IndexDescription[],\n _options?: CreateIndexesOptions | undefined,\n ): Promise<string[]> {\n throw new Error('Method not implemented.');\n }\n dropIndex(\n _indexName: string,\n _options?: CommandOperationOptions | undefined,\n ): Promise<Document> {\n throw new Error('Method not implemented.');\n }\n dropIndexes(\n _options?: CommandOperationOptions | undefined,\n ): Promise<boolean> {\n throw new Error('Method not implemented.');\n }\n listIndexes(_options?: AbstractCursorOptions | undefined): ListIndexesCursor {\n throw new Error('Method not implemented.');\n }\n indexExists(\n _indexes: string | string[],\n _options?: AbstractCursorOptions | undefined,\n ): Promise<boolean> {\n throw new Error('Method not implemented.');\n }\n indexInformation(\n options: IndexInformationOptions & { full: true },\n ): Promise<IndexDescriptionInfo[]>;\n indexInformation(\n options: IndexInformationOptions & { full?: false | undefined },\n ): Promise<IndexDescriptionCompact>;\n indexInformation(\n options: IndexInformationOptions,\n ): Promise<IndexDescriptionCompact | IndexDescriptionInfo[]>;\n indexInformation(): Promise<IndexDescriptionCompact>;\n indexInformation(\n _options?: unknown,\n ):\n | Promise<import('mongodb').IndexDescriptionInfo[]>\n | Promise<import('mongodb').IndexDescriptionCompact>\n | Promise<\n | import('mongodb').IndexDescriptionCompact\n | import('mongodb').IndexDescriptionInfo[]\n > {\n throw new Error('Method not implemented.');\n }\n estimatedDocumentCount(\n _options?: EstimatedDocumentCountOptions | undefined,\n ): Promise<number> {\n throw new Error('Method not implemented.');\n }\n countDocuments(\n _filter?: Filter<T> | undefined,\n _options?: CountDocumentsOptions | undefined,\n ): Promise<number> {\n throw new Error('Method not implemented.');\n }\n distinct<Key extends '_id' | keyof EnhancedOmit<T, '_id'>>(\n key: Key,\n ): Promise<Flatten<WithId<T>[Key]>[]>;\n distinct<Key extends '_id' | keyof EnhancedOmit<T, '_id'>>(\n key: Key,\n filter: Filter<T>,\n ): Promise<Flatten<WithId<T>[Key]>[]>;\n distinct<Key extends '_id' | keyof EnhancedOmit<T, '_id'>>(\n key: Key,\n filter: Filter<T>,\n options: CommandOperationOptions,\n ): Promise<Flatten<WithId<T>[Key]>[]>;\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\n distinct(key: string): Promise<any[]>;\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\n distinct(key: string, filter: Filter<T>): Promise<any[]>;\n distinct(\n key: string,\n filter: Filter<T>,\n options: CommandOperationOptions, // eslint-disable-next-line @typescript-eslint/no-explicit-any\n ): Promise<any[]>;\n distinct(\n _key: unknown,\n _filter?: unknown,\n _options?: unknown,\n ): // eslint-disable-next-line @typescript-eslint/no-explicit-any\n | Promise<any[]>\n | Promise<import('mongodb').Flatten<import('mongodb').WithId<T>[Key]>[]> {\n throw new Error('Method not implemented.');\n }\n indexes(\n options: IndexInformationOptions & { full?: true | undefined },\n ): Promise<IndexDescriptionInfo[]>;\n indexes(\n options: IndexInformationOptions & { full: false },\n ): Promise<IndexDescriptionCompact>;\n indexes(\n options: IndexInformationOptions,\n ): Promise<IndexDescriptionCompact | IndexDescriptionInfo[]>;\n indexes(\n options?: AbstractCursorOptions | undefined,\n ): Promise<IndexDescriptionInfo[]>;\n indexes(\n _options?: unknown,\n ):\n | Promise<import('mongodb').IndexDescriptionInfo[]>\n | Promise<import('mongodb').IndexDescriptionCompact>\n | Promise<\n | import('mongodb').IndexDescriptionCompact\n | import('mongodb').IndexDescriptionInfo[]\n > {\n throw new Error('Method not implemented.');\n }\n findOneAndDelete(\n filter: Filter<T>,\n options: FindOneAndDeleteOptions & { includeResultMetadata: true },\n ): Promise<ModifyResult<T>>;\n findOneAndDelete(\n filter: Filter<T>,\n options: FindOneAndDeleteOptions & { includeResultMetadata: false },\n ): Promise<WithId<T> | null>;\n findOneAndDelete(\n filter: Filter<T>,\n options: FindOneAndDeleteOptions,\n ): Promise<WithId<T> | null>;\n findOneAndDelete(filter: Filter<T>): Promise<WithId<T> | null>;\n findOneAndDelete(\n _filter: unknown,\n _options?: unknown,\n ):\n | Promise<import('mongodb').WithId<T> | null>\n | Promise<import('mongodb').ModifyResult<T>> {\n throw new Error('Method not implemented.');\n }\n findOneAndReplace(\n filter: Filter<T>,\n replacement: WithoutId<T>,\n options: FindOneAndReplaceOptions & { includeResultMetadata: true },\n ): Promise<ModifyResult<T>>;\n findOneAndReplace(\n filter: Filter<T>,\n replacement: WithoutId<T>,\n options: FindOneAndReplaceOptions & { includeResultMetadata: false },\n ): Promise<WithId<T> | null>;\n findOneAndReplace(\n filter: Filter<T>,\n replacement: WithoutId<T>,\n options: FindOneAndReplaceOptions,\n ): Promise<WithId<T> | null>;\n findOneAndReplace(\n filter: Filter<T>,\n replacement: WithoutId<T>,\n ): Promise<WithId<T> | null>;\n findOneAndReplace(\n _filter: unknown,\n _replacement: unknown,\n _options?: unknown,\n ):\n | Promise<import('mongodb').WithId<T> | null>\n | Promise<import('mongodb').ModifyResult<T>> {\n throw new Error('Method not implemented.');\n }\n findOneAndUpdate(\n filter: Filter<T>,\n update: UpdateFilter<T>,\n options: FindOneAndUpdateOptions & { includeResultMetadata: true },\n ): Promise<ModifyResult<T>>;\n findOneAndUpdate(\n filter: Filter<T>,\n update: UpdateFilter<T>,\n options: FindOneAndUpdateOptions & { includeResultMetadata: false },\n ): Promise<WithId<T> | null>;\n findOneAndUpdate(\n filter: Filter<T>,\n update: UpdateFilter<T>,\n options: FindOneAndUpdateOptions,\n ): Promise<WithId<T> | null>;\n findOneAndUpdate(\n filter: Filter<T>,\n update: UpdateFilter<T>,\n ): Promise<WithId<T> | null>;\n findOneAndUpdate(\n _filter: unknown,\n _update: unknown,\n _options?: unknown,\n ):\n | Promise<import('mongodb').WithId<T> | null>\n | Promise<import('mongodb').ModifyResult<T>> {\n throw new Error('Method not implemented.');\n }\n aggregate<T extends Document = Document>(\n _pipeline?: Document[] | undefined,\n _options?: AggregateOptions | undefined,\n ): AggregationCursor<T> {\n throw new Error('Method not implemented.');\n }\n watch<\n TLocal extends Document = T,\n TChange extends Document = ChangeStreamDocument<TLocal>,\n >(\n _pipeline?: Document[] | undefined,\n _options?: ChangeStreamOptions | undefined,\n ): ChangeStream<TLocal, TChange> {\n throw new Error('Method not implemented.');\n }\n initializeUnorderedBulkOp(\n _options?: BulkWriteOptions | undefined,\n ): UnorderedBulkOperation {\n throw new Error('Method not implemented.');\n }\n initializeOrderedBulkOp(\n _options?: BulkWriteOptions | undefined,\n ): OrderedBulkOperation {\n throw new Error('Method not implemented.');\n }\n count(\n _filter?: Filter<T> | undefined,\n _options?: CountOptions | undefined,\n ): Promise<number> {\n throw new Error('Method not implemented.');\n }\n listSearchIndexes(\n options?: ListSearchIndexesOptions | undefined,\n ): ListSearchIndexesCursor;\n listSearchIndexes(\n name: string,\n options?: ListSearchIndexesOptions | undefined,\n ): ListSearchIndexesCursor;\n listSearchIndexes(\n _name?: unknown,\n _options?: unknown,\n ): import('mongodb').ListSearchIndexesCursor {\n throw new Error('Method not implemented.');\n }\n createSearchIndex(_description: SearchIndexDescription): Promise<string> {\n throw new Error('Method not implemented.');\n }\n createSearchIndexes(\n _descriptions: SearchIndexDescription[],\n ): Promise<string[]> {\n throw new Error('Method not implemented.');\n }\n dropSearchIndex(_name: string): Promise<void> {\n throw new Error('Method not implemented.');\n }\n updateSearchIndex(_name: string, _definition: Document): Promise<void> {\n throw new Error('Method not implemented.');\n }\n\n async createCollection(): Promise<void> {\n await this.collection.createCollection();\n }\n}\n","// src/MongoClientShim.ts\nimport { pongoClient, type PongoClient } from '../main';\nimport { Db } from './mongoDb';\n\nexport class MongoClient {\n private pongoClient: PongoClient;\n\n constructor(connectionString: string) {\n this.pongoClient = pongoClient(connectionString);\n }\n\n async connect() {\n await this.pongoClient.connect();\n return this;\n }\n\n async close() {\n await this.pongoClient.close();\n }\n\n db(dbName: string): Db {\n return new Db(this.pongoClient.db(dbName));\n }\n}\n"],"mappings":"AAAA,OAAOA,MAAQ,KAEf,IAAMC,EAA8B,IAAI,IAE3BC,EACXC,GACY,CACZ,IAAMC,EACJ,OAAOD,GAA8B,SACjCA,EACAA,EAA0B,iBAE1BE,EACJ,OAAOF,GAA8B,SACjC,CAAE,iBAAAC,CAAiB,EACnBD,EAGN,OACEF,EAAM,IAAIG,CAAgB,GAC1BH,EAAM,IAAIG,EAAkB,IAAIJ,EAAG,KAAKK,CAAW,CAAC,EAAE,IAAID,CAAgB,CAE9E,EAEaE,EAAU,MAAOF,GAA4C,CACxE,IAAMG,EAAON,EAAM,IAAIG,CAAgB,EACnCG,IACF,MAAMA,EAAK,IAAI,EACfN,EAAM,OAAOG,CAAgB,EAEjC,EAEaI,EAAc,IACzB,QAAQ,IACN,CAAC,GAAGP,EAAM,KAAK,CAAC,EAAE,IAAKG,GAAqBE,EAAQF,CAAgB,CAAC,CACvE,ECnCF,MAAe,KACf,OAAOK,MAAY,YACnB,OAAS,MAAMC,MAAY,OCCpB,IAAMC,EAAU,MACrBC,EACAC,IACG,CACH,IAAMC,EAAS,MAAMF,EAAK,QAAQ,EAClC,GAAI,CACF,OAAO,MAAMC,EAAOC,CAAM,CAC5B,QAAE,CACAA,EAAO,QAAQ,CACjB,CACF,EAEaC,EAAa,MAGxBH,EACAI,IAEAL,EAAQC,EAAOE,GAAWA,EAAO,MAAcE,CAAG,CAAC,ECb9C,IAAMC,EAA6BC,GACxC,OAAO,QAAQA,CAAG,EAAE,IAAI,CAAC,CAACC,EAAKC,CAAK,IAAM,CAACD,EAAgBC,CAAK,CAAC,ECTnE,OAAOC,MAAY,YAGZ,IAAMC,EAAY,CACvB,IAAK,MACL,IAAK,MACL,KAAM,OACN,IAAK,MACL,KAAM,OACN,IAAK,MACL,IAAK,MACL,KAAM,OACN,WAAY,aACZ,KAAM,OACN,MAAO,OACT,EAEMC,EAAc,CAClB,IAAK,IACL,KAAM,KACN,IAAK,IACL,KAAM,KACN,IAAK,IACP,EAEaC,EAAcC,GAAgBA,EAAI,WAAW,GAAG,EAEhDC,EAAgBC,GAC3B,OAAO,KAAKA,CAAK,EAAE,KAAKH,CAAU,EAEvBI,EAAiB,CAC5BC,EACAC,EACAH,IACW,CACX,GAAIE,IAAS,MACX,OAAOE,EAAiBD,EAAUH,CAAK,EAGzC,OAAQG,EAAU,CAChB,IAAK,MACH,OAAOE,EACL,wEACA,KAAK,UAAUC,EAAkBJ,EAAMF,CAAK,CAAC,EAC7CE,EACA,KAAK,UAAUF,CAAK,CACtB,EACF,IAAK,MACL,IAAK,OACL,IAAK,MACL,IAAK,OACL,IAAK,MACH,OAAOK,EACL,eAAeT,EAAYO,CAAQ,CAAC,MACpC,IAAID,EAAK,MAAM,GAAG,EAAE,KAAK,GAAG,CAAC,IAC7BF,CACF,EACF,IAAK,MACH,OAAOK,EACL,sBACA,IAAIH,EAAK,MAAM,GAAG,EAAE,KAAK,GAAG,CAAC,IAC5BF,EAAoB,IAAKO,GAAMF,EAAO,KAAME,CAAC,CAAC,EAAE,KAAK,IAAI,CAC5D,EACF,IAAK,OACH,OAAOF,EACL,0BACA,IAAIH,EAAK,MAAM,GAAG,EAAE,KAAK,GAAG,CAAC,IAC5BF,EAAoB,IAAKO,GAAMF,EAAO,KAAME,CAAC,CAAC,EAAE,KAAK,IAAI,CAC5D,EACF,IAAK,aAAc,CACjB,IAAMC,EAAWC,EAAQT,CAAgC,EACtD,IAAI,CAAC,CAACU,EAAQC,CAAQ,IACrBN,EAAO,eAAgBK,EAAQ,KAAK,UAAUC,CAAQ,CAAC,CACzD,EACC,KAAK,MAAM,EACd,OAAON,EACL,4CACAH,EACAM,CACF,CACF,CACA,IAAK,OACH,OAAOH,EACL,oBACA,KAAK,UAAUC,EAAkBJ,EAAMF,CAAK,CAAC,CAC/C,EACF,IAAK,QACH,OAAOK,EACL,sCACA,IAAIH,EAAK,MAAM,GAAG,EAAE,KAAK,GAAG,CAAC,IAC7BF,CACF,EACF,QACE,MAAM,IAAI,MAAM,yBAAyBG,CAAQ,EAAE,CACvD,CACF,EAEMC,EAAmB,CAACD,EAAkBH,IAA2B,CACrE,OAAQG,EAAU,CAChB,IAAK,MACH,OAAOE,EAAO,WAAYL,CAAK,EACjC,IAAK,MACL,IAAK,OACL,IAAK,MACL,IAAK,OACL,IAAK,MACH,OAAOK,EAAO,OAAOT,EAAYO,CAAQ,CAAC,MAAOH,CAAK,EACxD,IAAK,MACH,OAAOK,EACL,cACCL,EAAoB,IAAKO,GAAMF,EAAO,KAAME,CAAC,CAAC,EAAE,KAAK,IAAI,CAC5D,EACF,IAAK,OACH,OAAOF,EACL,kBACCL,EAAoB,IAAKO,GAAMF,EAAO,KAAME,CAAC,CAAC,EAAE,KAAK,IAAI,CAC5D,EACF,QACE,MAAM,IAAI,MAAM,yBAAyBJ,CAAQ,EAAE,CACvD,CACF,EAEMG,EAAoB,CACxBJ,EACAF,IAEAE,EACG,MAAM,GAAG,EACT,QAAQ,EACR,OAAO,CAACU,EAAKd,KAAS,CAAE,CAACA,CAAG,EAAGc,CAAI,GAAIZ,CAAgC,EC7H5E,IAAMa,EAAM,MAECC,EAA2BC,GACtC,OAAO,QAAQA,CAAM,EAClB,IAAI,CAAC,CAACC,EAAKC,CAAK,IACfC,EAASD,CAAK,EACVE,EAA4BH,EAAKC,CAAK,EACtCG,EAAeJ,EAAK,MAAOC,CAAK,CACtC,EACC,KAAK,IAAIJ,CAAG,GAAG,EAEdM,EAA8B,CAClCH,EACAC,IACW,CACX,IAAMI,EAAa,CAACC,EAAaL,CAAK,EAEtC,OAAOM,EAAQN,CAAK,EACjB,IACC,CAAC,CAACO,EAAWC,CAAG,IACdJ,EACID,EAAe,GAAGJ,CAAG,IAAIQ,CAAS,GAAIE,EAAU,IAAKD,CAAG,EACxDL,EAAeJ,EAAKQ,EAAWC,CAAG,CAC1C,EACC,KAAK,IAAIZ,CAAG,GAAG,CACpB,EAEMK,EAAYD,GAChBA,IAAU,MAAQ,OAAOA,GAAU,UAAY,CAAC,MAAM,QAAQA,CAAK,EChCrE,OAAOU,MAAY,YAIZ,IAAMC,EAAM,CAACC,KAAqBC,IAChCH,EAAOE,EAAU,GAAGC,CAAM,ECD5B,IAAMC,EAAuBC,GAClCC,EAAQD,CAAM,EAAE,OAAO,CAACE,EAAoB,CAACC,EAAIC,CAAK,IAAM,CAC1D,OAAQD,EAAI,CACV,IAAK,OACH,OAAOE,EAAcD,EAAOF,CAAkB,EAChD,IAAK,SACH,OAAOI,EAAgBF,EAAOF,CAAkB,EAClD,IAAK,OACH,OAAOK,EAAcH,EAAOF,CAAkB,EAChD,IAAK,QACH,OAAOM,EAAeJ,EAAOF,CAAkB,EACjD,QACE,OAAOA,CACX,CACF,EAAGO,EAAI,MAAM,CAAC,EAEHJ,EAAgB,CAAIK,EAAcR,IAC7CO,EACE,gCACAP,EACA,KACA,KAAK,UAAUQ,CAAG,CACpB,EAEWJ,EAAkB,CAC7BK,EACAT,IACQO,EAAI,UAAWP,EAAoB,OAAO,KAAKS,CAAK,EAAE,KAAK,IAAI,CAAC,EAE7DJ,EAAgB,CAC3BK,EACAV,IACQ,CACR,OAAW,CAACW,EAAKT,CAAK,IAAK,OAAO,QAAQQ,CAAG,EAC3CV,EAAqBO,EACnB,+DACAP,EACAW,EACAA,EACAT,CACF,EAEF,OAAOF,CACT,EAEaM,EAAiB,CAC5BM,EACAZ,IACQ,CACR,OAAW,CAACW,EAAKT,CAAK,IAAK,OAAO,QAAQU,CAAI,EAC5CZ,EAAqBO,EACnB,8EACAP,EACAW,EACAA,EACA,KAAK,UAAUT,CAAK,CACtB,EAEF,OAAOF,CACT,EN7CO,IAAMa,EAAqB,CAChCC,EACAC,IACuB,CACvB,IAAMC,EAAWC,GAAaC,EAAWH,EAAME,CAAG,EAC5CE,EAASC,EAAqBN,CAAc,EAE5CO,EAAmBL,EAAQG,EAAO,iBAAiB,CAAC,EAE1D,MAAO,CACL,iBAAkB,SAAY,CAC5B,MAAME,CACR,EACA,UAAW,MAAOC,GAA+C,CAC/D,MAAMD,EAEN,IAAME,EAAMC,EAAK,EAIjB,OAFe,MAAMR,EAAQG,EAAO,UAAU,CAAE,IAAAI,EAAK,GAAGD,CAAS,CAAC,CAAC,GAErD,SACV,CAAE,WAAYC,EAAK,aAAc,EAAK,EACtC,CAAE,WAAY,KAAM,aAAc,EAAM,CAC9C,EACA,WAAY,MAAOE,GAAmD,CACpE,MAAMJ,EAEN,IAAMK,EAAOD,EAAU,IAAKE,IAAS,CACnC,IAAKH,EAAK,EACV,GAAGG,CACL,EAAE,EAEIC,EAAS,MAAMZ,EAAQG,EAAO,WAAWO,CAAI,CAAC,EAEpD,MAAO,CACL,aAAcE,EAAO,WAAaF,EAAK,OACvC,cAAeE,EAAO,UAAY,EAClC,YAAaF,EAAK,IAAKG,GAAMA,EAAE,GAAG,CACpC,CACF,EACA,UAAW,MACTC,EACAC,IAC+B,CAC/B,MAAMV,EAEN,IAAMO,EAAS,MAAMZ,EAAQG,EAAO,UAAUW,EAAQC,CAAM,CAAC,EAC7D,OAAOH,EAAO,SACV,CAAE,aAAc,GAAM,cAAeA,EAAO,QAAS,EACrD,CAAE,aAAc,GAAO,cAAe,CAAE,CAC9C,EACA,WAAY,MACVE,EACAC,IAC+B,CAC/B,MAAMV,EAEN,IAAMO,EAAS,MAAMZ,EAAQG,EAAO,WAAWW,EAAQC,CAAM,CAAC,EAC9D,OAAOH,EAAO,SACV,CAAE,aAAc,GAAM,cAAeA,EAAO,QAAS,EACrD,CAAE,aAAc,GAAO,cAAe,CAAE,CAC9C,EACA,UAAW,MAAOE,GAAuD,CACvE,MAAMT,EAEN,IAAMO,EAAS,MAAMZ,EAAQG,EAAO,UAAUW,CAAM,CAAC,EACrD,OAAOF,EAAO,SACV,CAAE,aAAc,GAAM,aAAcA,EAAO,QAAS,EACpD,CAAE,aAAc,GAAO,aAAc,CAAE,CAC7C,EACA,WAAY,MAAOE,GAAuD,CACxE,MAAMT,EAEN,IAAMO,EAAS,MAAMZ,EAAQG,EAAO,WAAWW,CAAM,CAAC,EACtD,OAAOF,EAAO,SACV,CAAE,aAAc,GAAM,aAAcA,EAAO,QAAS,EACpD,CAAE,aAAc,GAAO,aAAc,CAAE,CAC7C,EACA,QAAS,MAAOE,IACd,MAAMT,GAES,MAAML,EAAQG,EAAO,QAAQW,CAAM,CAAC,GACpC,KAAK,CAAC,GAAG,MAAQ,MAElC,KAAM,MAAOA,IACX,MAAMT,GAES,MAAML,EAAQG,EAAO,KAAKW,CAAM,CAAC,GAClC,KAAK,IAAKE,GAAQA,EAAI,IAAS,EAEjD,CACF,EAEaZ,EAAwBN,IAA4B,CAC/D,iBAAkB,IAChBG,EACE,mEACAH,CACF,EACF,UAAeQ,GACbL,EACE,6CACAH,EACAQ,EAAS,IACT,KAAK,UAAUA,CAAQ,CACzB,EACF,WAAgBG,GAAgC,CAC9C,IAAMQ,EAASR,EACZ,IAAKE,GAAQO,EAAO,WAAYP,EAAI,IAAK,KAAK,UAAUA,CAAG,CAAC,CAAC,EAC7D,KAAK,IAAI,EACZ,OAAOV,EAAI,uCAAwCH,EAAgBmB,CAAM,CAC3E,EACA,UAAW,CAAIH,EAAwBC,IAAgC,CACrE,IAAMI,EAAcC,EAAqBN,CAAM,EACzCO,EAAcC,EAAiBP,CAAM,EAE3C,OAAOd,EACL;AAAA;AAAA;AAAA,+DAIAH,EACAqB,EACArB,EACAuB,EACAvB,CACF,CACF,EACA,WAAY,CAAIgB,EAAwBC,IAAgC,CACtE,IAAMI,EAAcC,EAAqBN,CAAM,EACzCO,EAAcC,EAAiBP,CAAM,EAE3C,OAAOd,EACL,mCACAH,EACAuB,EACAF,CACF,CACF,EACA,UAAeL,GAAgC,CAC7C,IAAMK,EAAcC,EAAqBN,CAAM,EAC/C,OAAOb,EAAI,0BAA2BH,EAAgBqB,CAAW,CACnE,EACA,WAAgBL,GAAgC,CAC9C,IAAMK,EAAcC,EAAqBN,CAAM,EAC/C,OAAOb,EAAI,0BAA2BH,EAAgBqB,CAAW,CACnE,EACA,QAAaL,GAAgC,CAC3C,IAAMK,EAAcC,EAAqBN,CAAM,EAC/C,OAAOb,EACL,uCACAH,EACAqB,CACF,CACF,EACA,KAAUL,GAAgC,CACxC,IAAMK,EAAcC,EAAqBN,CAAM,EAC/C,OAAOb,EAAI,+BAAgCH,EAAgBqB,CAAW,CACxE,CACF,GO7KO,IAAMI,EAAiB,CAC5BC,EACAC,IACa,CACb,IAAMC,EAAOC,EAAQ,CAAE,iBAAAH,EAAkB,SAAAC,CAAS,CAAC,EAEnD,MAAO,CACL,QAAS,IAAM,QAAQ,QAAQ,EAC/B,MAAO,IAAMG,EAAQJ,CAAgB,EACrC,WAAgBK,GAAiBC,EAAsBD,EAAMH,CAAI,CACnE,CACF,ECNO,IAAMK,EAAc,CACzBC,EACAC,IAGOC,EAAeF,EAAkBC,CAAQ,ECX3C,IAAME,EAAeC,GAA0C,CACpE,IAAMC,EAAWC,EAAYF,CAAgB,EAEvCD,EAA2B,CAC/B,QAAS,UACP,MAAME,EAAS,QAAQ,EAChBF,GAET,MAAO,IAAME,EAAS,MAAM,EAC5B,GAAKE,GACHA,EAASD,EAAYF,EAAkBG,CAAM,EAAIF,CACrD,EAEA,OAAOF,CACT,ECjBO,IAAMK,EAAN,KAAoB,CACjB,qBACA,UAAwB,KACxB,MAAgB,EAExB,YAAYC,EAAyB,CACnC,KAAK,qBAAuBA,CAC9B,CAEA,MAAM,SAAwB,CAC5B,OAAO,KAAK,cAAc,CAC5B,CAEA,MAAM,QAAQC,EAA2C,CACvD,IAAMC,EAAO,MAAM,KAAK,cAAc,EAEtC,QAAWC,KAAOD,EAChBD,EAASE,CAAG,EAEd,OAAO,QAAQ,QAAQ,CACzB,CAEA,SAAmB,CACjB,GAAI,KAAK,YAAc,KAAM,MAAM,MAAM,gCAAgC,EACzE,OAAO,KAAK,MAAQ,KAAK,UAAU,MACrC,CAEA,MAAM,MAA0B,CAC9B,IAAMD,EAAO,MAAM,KAAK,cAAc,EACtC,OAAO,KAAK,QAAQ,EAAIA,EAAK,KAAK,OAAO,GAAK,KAAO,IACvD,CAEA,MAAc,eAA8B,CAC1C,YAAK,UAAY,MAAM,KAAK,qBACrB,KAAK,SACd,CACF,ECpCA,MAA6D,UC+DtD,IAAME,EAAN,KAAmE,CAChE,WAER,YAAYC,EAAgC,CAC1C,KAAK,WAAaA,CACpB,CACA,IAAI,QAAiB,CACnB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,gBAAyB,CAC3B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,WAAoB,CACtB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,aAAuC,CACzC,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,gBAA6C,CAC/C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,aAAoC,CACtC,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,cAAyC,CAC3C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,MAAyB,CAC3B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,KAAKC,EAAqB,CAC5B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,MAAM,UACJC,EACAC,EAC6B,CAC7B,IAAMC,EAAS,MAAM,KAAK,WAAW,UAAUF,CAAQ,EACvD,MAAO,CACL,aAAcE,EAAO,aACrB,WAAYA,EAAO,UACrB,CACF,CACA,MAAM,WACJC,EACAF,EAC8B,CAC9B,IAAMC,EAAS,MAAM,KAAK,WAAW,WAAWC,CAAW,EAC3D,MAAO,CACL,aAAcD,EAAO,aACrB,YAAaA,EAAO,YACpB,cAAeA,EAAO,aACxB,CACF,CACA,UACEE,EACAH,EAC0B,CAC1B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,MAAM,UACJI,EACAC,EACAL,EAC0B,CAC1B,IAAMC,EAAS,MAAM,KAAK,WAAW,UACnCG,EACAC,CACF,EAEA,MAAO,CACL,aAAcJ,EAAO,aACrB,aAAcA,EAAO,cACrB,cAAeA,EAAO,cACtB,cAAeA,EAAO,cACtB,WAAY,IACd,CACF,CACA,WACEK,EACAC,EACAP,EACqC,CACrC,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,MAAM,WACJI,EACAC,EACAL,EAC0B,CAC1B,IAAMC,EAAS,MAAM,KAAK,WAAW,WACnCG,EACAC,CACF,EAEA,MAAO,CACL,aAAcJ,EAAO,aACrB,aAAcA,EAAO,cACrB,cAAeA,EAAO,cACtB,cAAeA,EAAO,cACtB,WAAY,IACd,CACF,CACA,MAAM,UACJG,EACAJ,EACuB,CACvB,IAAMC,EAAS,MAAM,KAAK,WAAW,UACnCG,CACF,EAEA,MAAO,CACL,aAAcH,EAAO,aACrB,aAAcA,EAAO,YACvB,CACF,CACA,MAAM,WACJG,EACAJ,EACuB,CACvB,IAAMC,EAAS,MAAM,KAAK,WAAW,WACnCG,CACF,EAEA,MAAO,CACL,aAAcH,EAAO,aACrB,aAAcA,EAAO,YACvB,CACF,CACA,OACEO,EACAR,EAC+B,CAC/B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,KAAKA,EAAgE,CACnE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAaA,MAAM,QACJI,EACAJ,EACiD,CACjD,OAAO,KAAK,WAAW,QAAQI,CAAwB,CACzD,CAUA,KACEA,EACAJ,EACiD,CACjD,OAAO,IAAIS,EACT,KAAK,WAAW,KAAKL,CAAwB,CAC/C,CACF,CACA,QAAQJ,EAA4D,CAClE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,SAASA,EAA2D,CAClE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,YACEU,EACAV,EACiB,CACjB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,cACEW,EACAX,EACmB,CACnB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,UACEY,EACAZ,EACmB,CACnB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,YACEA,EACkB,CAClB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,YAAYA,EAAiE,CAC3E,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,YACEa,EACAb,EACkB,CAClB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAWA,iBACEA,EAOI,CACJ,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,uBACEA,EACiB,CACjB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,eACEM,EACAN,EACiB,CACjB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAsBA,SACEc,EACAR,EACAN,EAGyE,CACzE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAaA,QACEA,EAOI,CACJ,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAcA,iBACEM,EACAN,EAG6C,CAC7C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAoBA,kBACEM,EACAS,EACAf,EAG6C,CAC7C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAoBA,iBACEM,EACAU,EACAhB,EAG6C,CAC7C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,UACEiB,EACAjB,EACsB,CACtB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,MAIEiB,EACAjB,EAC+B,CAC/B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,0BACEA,EACwB,CACxB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,wBACEA,EACsB,CACtB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,MACEM,EACAN,EACiB,CACjB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAQA,kBACEkB,EACAlB,EAC2C,CAC3C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,kBAAkBmB,EAAuD,CACvE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,oBACEC,EACmB,CACnB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,gBAAgBF,EAA8B,CAC5C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,kBAAkBA,EAAeG,EAAsC,CACrE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAEA,MAAM,kBAAkC,CACtC,MAAM,KAAK,WAAW,iBAAiB,CACzC,CACF,ED9eO,IAAMC,EAAN,KAAS,CACd,YAAoBC,EAAkB,CAAlB,aAAAA,CAAmB,CAEvC,WAA+BC,EAA4C,CACzE,OAAO,IAAIC,EAAc,KAAK,QAAQ,WAAcD,CAAc,CAAC,CACrE,CACF,EENO,IAAME,EAAN,KAAkB,CACf,YAER,YAAYC,EAA0B,CACpC,KAAK,YAAcC,EAAYD,CAAgB,CACjD,CAEA,MAAM,SAAU,CACd,aAAM,KAAK,YAAY,QAAQ,EACxB,IACT,CAEA,MAAM,OAAQ,CACZ,MAAM,KAAK,YAAY,MAAM,CAC/B,CAEA,GAAGE,EAAoB,CACrB,OAAO,IAAIC,EAAG,KAAK,YAAY,GAAGD,CAAM,CAAC,CAC3C,CACF","names":["pg","pools","getPool","connectionStringOrOptions","connectionString","poolOptions","endPool","pool","endAllPools","format","uuid","execute","pool","handle","client","executeSQL","sql","entries","obj","key","value","format","Operators","OperatorMap","isOperator","key","hasOperators","value","handleOperator","path","operator","handleIdOperator","format","buildNestedObject","v","subQuery","entries","subKey","subValue","acc","AND","constructFilterQuery","filter","key","value","isRecord","constructComplexFilterQuery","handleOperator","isEquality","hasOperators","entries","nestedKey","val","Operators","format","sql","sqlQuery","params","buildUpdateQuery","update","entries","currentUpdateQuery","op","value","buildSetQuery","buildUnsetQuery","buildIncQuery","buildPushQuery","sql","set","unset","inc","key","push","postgresCollection","collectionName","pool","execute","sql","executeSQL","SqlFor","collectionSQLBuilder","createCollection","document","_id","uuid","documents","rows","doc","result","d","filter","update","row","values","format","filterQuery","constructFilterQuery","updateQuery","buildUpdateQuery","postgresClient","connectionString","database","pool","getPool","endPool","name","postgresCollection","getDbClient","connectionString","database","postgresClient","pongoClient","connectionString","dbClient","getDbClient","dbName","FindCursor","documents","callback","docs","doc","Collection","collection","v","doc","_options","result","docs","_operations","filter","update","_filter","_","_newName","FindCursor","_indexSpec","_indexSpecs","_indexName","_indexes","_key","_replacement","_update","_pipeline","_name","_description","_descriptions","_definition","Db","pongoDb","collectionName","Collection","MongoClient","connectionString","pongoClient","dbName","Db"]}
|
|
1
|
+
{"version":3,"sources":["../src/postgres/pool.ts","../src/postgres/postgresCollection.ts","../src/postgres/execute/index.ts","../src/main/typing/entries.ts","../src/postgres/filter/queryOperators.ts","../src/postgres/filter/index.ts","../src/postgres/sql/index.ts","../src/postgres/update/index.ts","../src/postgres/client.ts","../src/main/dbClient.ts","../src/main/client.ts","../src/mongo/findCursor.ts","../src/mongo/mongoDb.ts","../src/mongo/mongoCollection.ts","../src/mongo/mongoClient.ts"],"sourcesContent":["import pg from 'pg';\n\nconst pools: Map<string, pg.Pool> = new Map();\n\nexport const getPool = (\n connectionStringOrOptions: string | pg.PoolConfig,\n): pg.Pool => {\n const connectionString =\n typeof connectionStringOrOptions === 'string'\n ? connectionStringOrOptions\n : connectionStringOrOptions.connectionString!;\n\n const poolOptions =\n typeof connectionStringOrOptions === 'string'\n ? { connectionString }\n : connectionStringOrOptions;\n\n //TODO: this should include database name resolution for key\n return (\n pools.get(connectionString) ??\n pools.set(connectionString, new pg.Pool(poolOptions)).get(connectionString)!\n );\n};\n\nexport const endPool = async (connectionString: string): Promise<void> => {\n const pool = pools.get(connectionString);\n if (pool) {\n await pool.end();\n pools.delete(connectionString);\n }\n};\n\nexport const endAllPools = () =>\n Promise.all(\n [...pools.keys()].map((connectionString) => endPool(connectionString)),\n );\n","import pg from 'pg';\nimport format from 'pg-format';\nimport { v4 as uuid } from 'uuid';\nimport {\n type PongoCollection,\n type PongoDeleteResult,\n type PongoFilter,\n type PongoInsertManyResult,\n type PongoInsertOneResult,\n type PongoUpdate,\n type PongoUpdateResult,\n type WithId,\n} from '../main';\nimport { executeSQL } from './execute';\nimport { constructFilterQuery } from './filter';\nimport { sql, type SQL } from './sql';\nimport { buildUpdateQuery } from './update';\n\nexport const postgresCollection = <T>(\n collectionName: string,\n pool: pg.Pool,\n): PongoCollection<T> => {\n const execute = (sql: SQL) => executeSQL(pool, sql);\n const SqlFor = collectionSQLBuilder(collectionName);\n\n const createCollection = execute(SqlFor.createCollection());\n\n return {\n createCollection: async () => {\n await createCollection;\n },\n insertOne: async (document: T): Promise<PongoInsertOneResult> => {\n await createCollection;\n\n const _id = uuid();\n\n const result = await execute(SqlFor.insertOne({ _id, ...document }));\n\n return result.rowCount\n ? { insertedId: _id, acknowledged: true }\n : { insertedId: null, acknowledged: false };\n },\n insertMany: async (documents: T[]): Promise<PongoInsertManyResult> => {\n await createCollection;\n\n const rows = documents.map((doc) => ({\n _id: uuid(),\n ...doc,\n }));\n\n const result = await execute(SqlFor.insertMany(rows));\n\n return {\n acknowledged: result.rowCount === rows.length,\n insertedCount: result.rowCount ?? 0,\n insertedIds: rows.map((d) => d._id),\n };\n },\n updateOne: async (\n filter: PongoFilter<T>,\n update: PongoUpdate<T>,\n ): Promise<PongoUpdateResult> => {\n await createCollection;\n\n const result = await execute(SqlFor.updateOne(filter, update));\n return result.rowCount\n ? { acknowledged: true, modifiedCount: result.rowCount }\n : { acknowledged: false, modifiedCount: 0 };\n },\n updateMany: async (\n filter: PongoFilter<T>,\n update: PongoUpdate<T>,\n ): Promise<PongoUpdateResult> => {\n await createCollection;\n\n const result = await execute(SqlFor.updateMany(filter, update));\n return result.rowCount\n ? { acknowledged: true, modifiedCount: result.rowCount }\n : { acknowledged: false, modifiedCount: 0 };\n },\n deleteOne: async (filter: PongoFilter<T>): Promise<PongoDeleteResult> => {\n await createCollection;\n\n const result = await execute(SqlFor.deleteOne(filter));\n return result.rowCount\n ? { acknowledged: true, deletedCount: result.rowCount }\n : { acknowledged: false, deletedCount: 0 };\n },\n deleteMany: async (filter: PongoFilter<T>): Promise<PongoDeleteResult> => {\n await createCollection;\n\n const result = await execute(SqlFor.deleteMany(filter));\n return result.rowCount\n ? { acknowledged: true, deletedCount: result.rowCount }\n : { acknowledged: false, deletedCount: 0 };\n },\n findOne: async (filter: PongoFilter<T>): Promise<T | null> => {\n await createCollection;\n\n const result = await execute(SqlFor.findOne(filter));\n return (result.rows[0]?.data ?? null) as T | null;\n },\n find: async (filter: PongoFilter<T>): Promise<T[]> => {\n await createCollection;\n\n const result = await execute(SqlFor.find(filter));\n return result.rows.map((row) => row.data as T);\n },\n };\n};\n\nexport const collectionSQLBuilder = (collectionName: string) => ({\n createCollection: (): SQL =>\n sql(\n 'CREATE TABLE IF NOT EXISTS %I (_id UUID PRIMARY KEY, data JSONB)',\n collectionName,\n ),\n insertOne: <T>(document: WithId<T>): SQL =>\n sql(\n 'INSERT INTO %I (_id, data) VALUES (%L, %L)',\n collectionName,\n document._id,\n JSON.stringify(document),\n ),\n insertMany: <T>(documents: WithId<T>[]): SQL => {\n const values = documents\n .map((doc) => format('(%L, %L)', doc._id, JSON.stringify(doc)))\n .join(', ');\n return sql('INSERT INTO %I (_id, data) VALUES %s', collectionName, values);\n },\n updateOne: <T>(filter: PongoFilter<T>, update: PongoUpdate<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n const updateQuery = buildUpdateQuery(update);\n\n return sql(\n `WITH cte AS (\n SELECT _id FROM %I WHERE %s LIMIT 1\n )\n UPDATE %I SET data = %s FROM cte WHERE %I._id = cte._id`,\n collectionName,\n filterQuery,\n collectionName,\n updateQuery,\n collectionName,\n );\n },\n updateMany: <T>(filter: PongoFilter<T>, update: PongoUpdate<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n const updateQuery = buildUpdateQuery(update);\n\n return sql(\n 'UPDATE %I SET data = %s WHERE %s',\n collectionName,\n updateQuery,\n filterQuery,\n );\n },\n deleteOne: <T>(filter: PongoFilter<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n return sql('DELETE FROM %I WHERE %s', collectionName, filterQuery);\n },\n deleteMany: <T>(filter: PongoFilter<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n return sql('DELETE FROM %I WHERE %s', collectionName, filterQuery);\n },\n findOne: <T>(filter: PongoFilter<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n return sql(\n 'SELECT data FROM %I WHERE %s LIMIT 1',\n collectionName,\n filterQuery,\n );\n },\n find: <T>(filter: PongoFilter<T>): SQL => {\n const filterQuery = constructFilterQuery(filter);\n return sql('SELECT data FROM %I WHERE %s', collectionName, filterQuery);\n },\n});\n","import type pg from 'pg';\nimport type { SQL } from '../sql';\n\nexport const execute = async <Result = void>(\n pool: pg.Pool,\n handle: (client: pg.PoolClient) => Promise<Result>,\n) => {\n const client = await pool.connect();\n try {\n return await handle(client);\n } finally {\n client.release();\n }\n};\n\nexport const executeSQL = async <\n Result extends pg.QueryResultRow = pg.QueryResultRow,\n>(\n pool: pg.Pool,\n sql: SQL,\n): Promise<pg.QueryResult<Result>> =>\n execute(pool, (client) => client.query<Result>(sql));\n","type Entry<T> = {\n [K in keyof Required<T>]: [K, Required<T>[K]];\n}[keyof Required<T>];\n\ntype IterableEntry<T> = Entry<T> & {\n [Symbol.iterator](): Iterator<Entry<T>>;\n};\n\nexport const entries = <T extends object>(obj: T): IterableEntry<T>[] =>\n Object.entries(obj).map(([key, value]) => [key as keyof T, value]);\n\nexport type NonPartial<T> = { [K in keyof Required<T>]: T[K] };\n","import format from 'pg-format';\nimport { entries } from '../../main/typing';\n\nexport const Operators = {\n $eq: '$eq',\n $gt: '$gt',\n $gte: '$gte',\n $lt: '$lt',\n $lte: '$lte',\n $ne: '$ne',\n $in: '$in',\n $nin: '$nin',\n $elemMatch: '$elemMatch',\n $all: '$all',\n $size: '$size',\n};\n\nconst OperatorMap = {\n $gt: '>',\n $gte: '>=',\n $lt: '<',\n $lte: '<=',\n $ne: '!=',\n};\n\nexport const isOperator = (key: string) => key.startsWith('$');\n\nexport const hasOperators = (value: Record<string, unknown>) =>\n Object.keys(value).some(isOperator);\n\nexport const handleOperator = (\n path: string,\n operator: string,\n value: unknown,\n): string => {\n if (path === '_id') {\n return handleIdOperator(operator, value);\n }\n\n switch (operator) {\n case '$eq':\n return format(\n `(data @> %L::jsonb OR jsonb_path_exists(data, '$.%s[*] ? (@ == %s)'))`,\n JSON.stringify(buildNestedObject(path, value)),\n path,\n JSON.stringify(value),\n );\n case '$gt':\n case '$gte':\n case '$lt':\n case '$lte':\n case '$ne':\n return format(\n `data #>> %L ${OperatorMap[operator]} %L`,\n `{${path.split('.').join(',')}}`,\n value,\n );\n case '$in':\n return format(\n 'data #>> %L IN (%s)',\n `{${path.split('.').join(',')}}`,\n (value as unknown[]).map((v) => format('%L', v)).join(', '),\n );\n case '$nin':\n return format(\n 'data #>> %L NOT IN (%s)',\n `{${path.split('.').join(',')}}`,\n (value as unknown[]).map((v) => format('%L', v)).join(', '),\n );\n case '$elemMatch': {\n const subQuery = entries(value as Record<string, unknown>)\n .map(([subKey, subValue]) =>\n format(`@.\"%s\" == %s`, subKey, JSON.stringify(subValue)),\n )\n .join(' && ');\n return format(\n `jsonb_path_exists(data, '$.%s[*] ? (%s)')`,\n path,\n subQuery,\n );\n }\n case '$all':\n return format(\n 'data @> %L::jsonb',\n JSON.stringify(buildNestedObject(path, value)),\n );\n case '$size':\n return format(\n 'jsonb_array_length(data #> %L) = %L',\n `{${path.split('.').join(',')}}`,\n value,\n );\n default:\n throw new Error(`Unsupported operator: ${operator}`);\n }\n};\n\nconst handleIdOperator = (operator: string, value: unknown): string => {\n switch (operator) {\n case '$eq':\n return format(`_id = %L`, value);\n case '$gt':\n case '$gte':\n case '$lt':\n case '$lte':\n case '$ne':\n return format(`_id ${OperatorMap[operator]} %L`, value);\n case '$in':\n return format(\n `_id IN (%s)`,\n (value as unknown[]).map((v) => format('%L', v)).join(', '),\n );\n case '$nin':\n return format(\n `_id NOT IN (%s)`,\n (value as unknown[]).map((v) => format('%L', v)).join(', '),\n );\n default:\n throw new Error(`Unsupported operator: ${operator}`);\n }\n};\n\nconst buildNestedObject = (\n path: string,\n value: unknown,\n): Record<string, unknown> =>\n path\n .split('.')\n .reverse()\n .reduce((acc, key) => ({ [key]: acc }), value as Record<string, unknown>);\n","import type { PongoFilter } from '../../main';\nimport { entries } from '../../main/typing';\nimport { Operators, handleOperator, hasOperators } from './queryOperators';\n\nexport * from './queryOperators';\n\nconst AND = 'AND';\n\nexport const constructFilterQuery = <T>(filter: PongoFilter<T>): string =>\n Object.entries(filter)\n .map(([key, value]) =>\n isRecord(value)\n ? constructComplexFilterQuery(key, value)\n : handleOperator(key, '$eq', value),\n )\n .join(` ${AND} `);\n\nconst constructComplexFilterQuery = (\n key: string,\n value: Record<string, unknown>,\n): string => {\n const isEquality = !hasOperators(value);\n\n return entries(value)\n .map(\n ([nestedKey, val]) =>\n isEquality\n ? handleOperator(`${key}.${nestedKey}`, Operators.$eq, val) // regular value\n : handleOperator(key, nestedKey, val), // operator\n )\n .join(` ${AND} `);\n};\n\nconst isRecord = (value: unknown): value is Record<string, unknown> =>\n value !== null && typeof value === 'object' && !Array.isArray(value);\n","import format from 'pg-format';\n\nexport type SQL = string & { __brand: 'sql' };\n\nexport const sql = (sqlQuery: string, ...params: unknown[]): SQL => {\n return format(sqlQuery, ...params) as SQL;\n};\n","import type { $inc, $push, $set, $unset, PongoUpdate } from '../../main';\nimport { entries } from '../../main/typing';\nimport { sql, type SQL } from '../sql';\n\nexport const buildUpdateQuery = <T>(update: PongoUpdate<T>): SQL =>\n entries(update).reduce((currentUpdateQuery, [op, value]) => {\n switch (op) {\n case '$set':\n return buildSetQuery(value, currentUpdateQuery);\n case '$unset':\n return buildUnsetQuery(value, currentUpdateQuery);\n case '$inc':\n return buildIncQuery(value, currentUpdateQuery);\n case '$push':\n return buildPushQuery(value, currentUpdateQuery);\n default:\n return currentUpdateQuery;\n }\n }, sql('data'));\n\nexport const buildSetQuery = <T>(set: $set<T>, currentUpdateQuery: SQL): SQL =>\n sql(\n 'jsonb_set(%s, %L, data || %L)',\n currentUpdateQuery,\n '{}',\n JSON.stringify(set),\n );\n\nexport const buildUnsetQuery = <T>(\n unset: $unset<T>,\n currentUpdateQuery: SQL,\n): SQL => sql('%s - %L', currentUpdateQuery, Object.keys(unset).join(', '));\n\nexport const buildIncQuery = <T>(\n inc: $inc<T>,\n currentUpdateQuery: SQL,\n): SQL => {\n for (const [key, value] of Object.entries(inc)) {\n currentUpdateQuery = sql(\n \"jsonb_set(%s, '{%s}', to_jsonb((data->>'%s')::numeric + %L))\",\n currentUpdateQuery,\n key,\n key,\n value,\n );\n }\n return currentUpdateQuery;\n};\n\nexport const buildPushQuery = <T>(\n push: $push<T>,\n currentUpdateQuery: SQL,\n): SQL => {\n for (const [key, value] of Object.entries(push)) {\n currentUpdateQuery = sql(\n \"jsonb_set(%s, '{%s}', (COALESCE(data->'%s', '[]'::jsonb) || '[%s]'::jsonb))\",\n currentUpdateQuery,\n key,\n key,\n JSON.stringify(value),\n );\n }\n return currentUpdateQuery;\n};\n","import { type DbClient } from '../main';\nimport { endPool, getPool } from './pool';\nimport { postgresCollection } from './postgresCollection';\n\nexport const postgresClient = (\n connectionString: string,\n database?: string,\n): DbClient => {\n const pool = getPool({ connectionString, database });\n\n return {\n connect: () => Promise.resolve(),\n close: () => endPool(connectionString),\n collection: <T>(name: string) => postgresCollection<T>(name, pool),\n };\n};\n","import { postgresClient } from '../postgres';\nimport type { PongoCollection } from './typing/operations';\n\nexport interface DbClient {\n connect(): Promise<void>;\n close(): Promise<void>;\n collection: <T>(name: string) => PongoCollection<T>;\n}\n\nexport const getDbClient = (\n connectionString: string,\n database?: string,\n): DbClient => {\n // This is the place where in the future could come resolution of other database types\n return postgresClient(connectionString, database);\n};\n","import { getDbClient } from './dbClient';\nimport type { PongoClient, PongoDb } from './typing/operations';\n\nexport const pongoClient = (connectionString: string): PongoClient => {\n const dbClient = getDbClient(connectionString);\n\n const pongoClient: PongoClient = {\n connect: async () => {\n await dbClient.connect();\n return pongoClient;\n },\n close: () => dbClient.close(),\n db: (dbName?: string): PongoDb =>\n dbName ? getDbClient(connectionString, dbName) : dbClient,\n };\n\n return pongoClient;\n};\n","export class FindCursor<T> {\n private findDocumentsPromise: Promise<T[]>;\n private documents: T[] | null = null;\n private index: number = 0;\n\n constructor(documents: Promise<T[]>) {\n this.findDocumentsPromise = documents;\n }\n\n async toArray(): Promise<T[]> {\n return this.findDocuments();\n }\n\n async forEach(callback: (doc: T) => void): Promise<void> {\n const docs = await this.findDocuments();\n\n for (const doc of docs) {\n callback(doc);\n }\n return Promise.resolve();\n }\n\n hasNext(): boolean {\n if (this.documents === null) throw Error('Error while fetching documents');\n return this.index < this.documents.length;\n }\n\n async next(): Promise<T | null> {\n const docs = await this.findDocuments();\n return this.hasNext() ? docs[this.index++] ?? null : null;\n }\n\n private async findDocuments(): Promise<T[]> {\n this.documents = await this.findDocumentsPromise;\n return this.documents;\n }\n}\n","import { Collection as MongoCollection, type Document } from 'mongodb';\nimport type { PongoDb } from '../main';\nimport { Collection } from './mongoCollection';\n\nexport class Db {\n constructor(private pongoDb: PongoDb) {}\n\n collection<T extends Document>(collectionName: string): MongoCollection<T> {\n return new Collection<T>(this.pongoDb.collection<T>(collectionName));\n }\n}\n","import type {\n AbstractCursorOptions,\n AggregateOptions,\n AggregationCursor,\n AnyBulkWriteOperation,\n BSONSerializeOptions,\n BulkWriteOptions,\n BulkWriteResult,\n ChangeStream,\n ChangeStreamDocument,\n ChangeStreamOptions,\n CommandOperationOptions,\n CountDocumentsOptions,\n CountOptions,\n CreateIndexesOptions,\n DeleteOptions,\n DeleteResult,\n Document,\n DropCollectionOptions,\n EnhancedOmit,\n EstimatedDocumentCountOptions,\n Filter,\n FindOneAndDeleteOptions,\n FindOneAndReplaceOptions,\n FindOneAndUpdateOptions,\n FindOptions,\n Flatten,\n Hint,\n IndexDescription,\n IndexDescriptionCompact,\n IndexDescriptionInfo,\n IndexInformationOptions,\n IndexSpecification,\n InferIdType,\n InsertManyResult,\n InsertOneOptions,\n InsertOneResult,\n ListIndexesCursor,\n ListSearchIndexesCursor,\n ListSearchIndexesOptions,\n ModifyResult,\n Collection as MongoCollection,\n FindCursor as MongoFindCursor,\n OperationOptions,\n OptionalUnlessRequiredId,\n OrderedBulkOperation,\n ReadConcern,\n ReadPreference,\n RenameOptions,\n ReplaceOptions,\n SearchIndexDescription,\n UnorderedBulkOperation,\n UpdateFilter,\n UpdateOptions,\n UpdateResult,\n WithId,\n WithoutId,\n WriteConcern,\n} from 'mongodb';\nimport type { Key } from 'readline';\nimport type { PongoCollection, PongoFilter, PongoUpdate } from '../main';\nimport { FindCursor } from './findCursor';\n\nexport class Collection<T extends Document> implements MongoCollection<T> {\n private collection: PongoCollection<T>;\n\n constructor(collection: PongoCollection<T>) {\n this.collection = collection;\n }\n get dbName(): string {\n throw new Error('Method not implemented.');\n }\n get collectionName(): string {\n throw new Error('Method not implemented.');\n }\n get namespace(): string {\n throw new Error('Method not implemented.');\n }\n get readConcern(): ReadConcern | undefined {\n throw new Error('Method not implemented.');\n }\n get readPreference(): ReadPreference | undefined {\n throw new Error('Method not implemented.');\n }\n get bsonOptions(): BSONSerializeOptions {\n throw new Error('Method not implemented.');\n }\n get writeConcern(): WriteConcern | undefined {\n throw new Error('Method not implemented.');\n }\n get hint(): Hint | undefined {\n throw new Error('Method not implemented.');\n }\n set hint(v: Hint | undefined) {\n throw new Error('Method not implemented.');\n }\n async insertOne(\n doc: OptionalUnlessRequiredId<T>,\n _options?: InsertOneOptions | undefined,\n ): Promise<InsertOneResult<T>> {\n const result = await this.collection.insertOne(doc as T);\n return {\n acknowledged: result.acknowledged,\n insertedId: result.insertedId as unknown as InferIdType<T>,\n };\n }\n async insertMany(\n docs: OptionalUnlessRequiredId<T>[],\n _options?: BulkWriteOptions | undefined,\n ): Promise<InsertManyResult<T>> {\n const result = await this.collection.insertMany(docs as T[]);\n return {\n acknowledged: result.acknowledged,\n insertedIds: result.insertedIds as unknown as InferIdType<T>[],\n insertedCount: result.insertedCount,\n };\n }\n bulkWrite(\n _operations: AnyBulkWriteOperation<T>[],\n _options?: BulkWriteOptions | undefined,\n ): Promise<BulkWriteResult> {\n throw new Error('Method not implemented.');\n }\n async updateOne(\n filter: Filter<T>,\n update: Document[] | UpdateFilter<T>,\n _options?: UpdateOptions | undefined,\n ): Promise<UpdateResult<T>> {\n const result = await this.collection.updateOne(\n filter as unknown as PongoFilter<T>,\n update as unknown as PongoUpdate<T>,\n );\n\n return {\n acknowledged: result.acknowledged,\n matchedCount: result.modifiedCount,\n modifiedCount: result.modifiedCount,\n upsertedCount: result.modifiedCount,\n upsertedId: null,\n };\n }\n replaceOne(\n _filter: Filter<T>,\n _: WithoutId<T>,\n _options?: ReplaceOptions | undefined,\n ): Promise<Document | UpdateResult<T>> {\n throw new Error('Method not implemented.');\n }\n async updateMany(\n filter: Filter<T>,\n update: Document[] | UpdateFilter<T>,\n _options?: UpdateOptions | undefined,\n ): Promise<UpdateResult<T>> {\n const result = await this.collection.updateMany(\n filter as unknown as PongoFilter<T>,\n update as unknown as PongoUpdate<T>,\n );\n\n return {\n acknowledged: result.acknowledged,\n matchedCount: result.modifiedCount,\n modifiedCount: result.modifiedCount,\n upsertedCount: result.modifiedCount,\n upsertedId: null,\n };\n }\n async deleteOne(\n filter?: Filter<T> | undefined,\n _options?: DeleteOptions | undefined,\n ): Promise<DeleteResult> {\n const result = await this.collection.deleteOne(\n filter as unknown as PongoFilter<T>,\n );\n\n return {\n acknowledged: result.acknowledged,\n deletedCount: result.deletedCount,\n };\n }\n async deleteMany(\n filter?: Filter<T> | undefined,\n _options?: DeleteOptions | undefined,\n ): Promise<DeleteResult> {\n const result = await this.collection.deleteMany(\n filter as unknown as PongoFilter<T>,\n );\n\n return {\n acknowledged: result.acknowledged,\n deletedCount: result.deletedCount,\n };\n }\n rename(\n _newName: string,\n _options?: RenameOptions | undefined,\n ): Promise<Collection<Document>> {\n throw new Error('Method not implemented.');\n }\n drop(_options?: DropCollectionOptions | undefined): Promise<boolean> {\n throw new Error('Method not implemented.');\n }\n findOne(): Promise<WithId<T> | null>;\n findOne(filter: Filter<T>): Promise<WithId<T> | null>;\n findOne(\n filter: Filter<T>,\n options: FindOptions<Document>,\n ): Promise<WithId<T> | null>;\n findOne<TS = T>(): Promise<TS | null>;\n findOne<TS = T>(filter: Filter<TS>): Promise<TS | null>;\n findOne<TS = T>(\n filter: Filter<TS>,\n options?: FindOptions<Document> | undefined,\n ): Promise<TS | null>;\n async findOne(\n filter?: unknown,\n _options?: unknown,\n ): Promise<import('mongodb').WithId<T> | T | null> {\n return this.collection.findOne(filter as PongoFilter<T>);\n }\n find(): MongoFindCursor<WithId<T>>;\n find(\n filter: Filter<T>,\n options?: FindOptions<Document> | undefined,\n ): MongoFindCursor<WithId<T>>;\n find<T extends Document>(\n filter: Filter<T>,\n options?: FindOptions<Document> | undefined,\n ): MongoFindCursor<T>;\n find(\n filter?: unknown,\n _options?: unknown,\n ): MongoFindCursor<WithId<T>> | MongoFindCursor<T> {\n return new FindCursor(\n this.collection.find(filter as PongoFilter<T>),\n ) as unknown as MongoFindCursor<T>;\n }\n options(_options?: OperationOptions | undefined): Promise<Document> {\n throw new Error('Method not implemented.');\n }\n isCapped(_options?: OperationOptions | undefined): Promise<boolean> {\n throw new Error('Method not implemented.');\n }\n createIndex(\n _indexSpec: IndexSpecification,\n _options?: CreateIndexesOptions | undefined,\n ): Promise<string> {\n throw new Error('Method not implemented.');\n }\n createIndexes(\n _indexSpecs: IndexDescription[],\n _options?: CreateIndexesOptions | undefined,\n ): Promise<string[]> {\n throw new Error('Method not implemented.');\n }\n dropIndex(\n _indexName: string,\n _options?: CommandOperationOptions | undefined,\n ): Promise<Document> {\n throw new Error('Method not implemented.');\n }\n dropIndexes(\n _options?: CommandOperationOptions | undefined,\n ): Promise<boolean> {\n throw new Error('Method not implemented.');\n }\n listIndexes(_options?: AbstractCursorOptions | undefined): ListIndexesCursor {\n throw new Error('Method not implemented.');\n }\n indexExists(\n _indexes: string | string[],\n _options?: AbstractCursorOptions | undefined,\n ): Promise<boolean> {\n throw new Error('Method not implemented.');\n }\n indexInformation(\n options: IndexInformationOptions & { full: true },\n ): Promise<IndexDescriptionInfo[]>;\n indexInformation(\n options: IndexInformationOptions & { full?: false | undefined },\n ): Promise<IndexDescriptionCompact>;\n indexInformation(\n options: IndexInformationOptions,\n ): Promise<IndexDescriptionCompact | IndexDescriptionInfo[]>;\n indexInformation(): Promise<IndexDescriptionCompact>;\n indexInformation(\n _options?: unknown,\n ):\n | Promise<import('mongodb').IndexDescriptionInfo[]>\n | Promise<import('mongodb').IndexDescriptionCompact>\n | Promise<\n | import('mongodb').IndexDescriptionCompact\n | import('mongodb').IndexDescriptionInfo[]\n > {\n throw new Error('Method not implemented.');\n }\n estimatedDocumentCount(\n _options?: EstimatedDocumentCountOptions | undefined,\n ): Promise<number> {\n throw new Error('Method not implemented.');\n }\n countDocuments(\n _filter?: Filter<T> | undefined,\n _options?: CountDocumentsOptions | undefined,\n ): Promise<number> {\n throw new Error('Method not implemented.');\n }\n distinct<Key extends '_id' | keyof EnhancedOmit<T, '_id'>>(\n key: Key,\n ): Promise<Flatten<WithId<T>[Key]>[]>;\n distinct<Key extends '_id' | keyof EnhancedOmit<T, '_id'>>(\n key: Key,\n filter: Filter<T>,\n ): Promise<Flatten<WithId<T>[Key]>[]>;\n distinct<Key extends '_id' | keyof EnhancedOmit<T, '_id'>>(\n key: Key,\n filter: Filter<T>,\n options: CommandOperationOptions,\n ): Promise<Flatten<WithId<T>[Key]>[]>;\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\n distinct(key: string): Promise<any[]>;\n // eslint-disable-next-line @typescript-eslint/no-explicit-any\n distinct(key: string, filter: Filter<T>): Promise<any[]>;\n distinct(\n key: string,\n filter: Filter<T>,\n options: CommandOperationOptions, // eslint-disable-next-line @typescript-eslint/no-explicit-any\n ): Promise<any[]>;\n distinct(\n _key: unknown,\n _filter?: unknown,\n _options?: unknown,\n ): // eslint-disable-next-line @typescript-eslint/no-explicit-any\n | Promise<any[]>\n | Promise<import('mongodb').Flatten<import('mongodb').WithId<T>[Key]>[]> {\n throw new Error('Method not implemented.');\n }\n indexes(\n options: IndexInformationOptions & { full?: true | undefined },\n ): Promise<IndexDescriptionInfo[]>;\n indexes(\n options: IndexInformationOptions & { full: false },\n ): Promise<IndexDescriptionCompact>;\n indexes(\n options: IndexInformationOptions,\n ): Promise<IndexDescriptionCompact | IndexDescriptionInfo[]>;\n indexes(\n options?: AbstractCursorOptions | undefined,\n ): Promise<IndexDescriptionInfo[]>;\n indexes(\n _options?: unknown,\n ):\n | Promise<import('mongodb').IndexDescriptionInfo[]>\n | Promise<import('mongodb').IndexDescriptionCompact>\n | Promise<\n | import('mongodb').IndexDescriptionCompact\n | import('mongodb').IndexDescriptionInfo[]\n > {\n throw new Error('Method not implemented.');\n }\n findOneAndDelete(\n filter: Filter<T>,\n options: FindOneAndDeleteOptions & { includeResultMetadata: true },\n ): Promise<ModifyResult<T>>;\n findOneAndDelete(\n filter: Filter<T>,\n options: FindOneAndDeleteOptions & { includeResultMetadata: false },\n ): Promise<WithId<T> | null>;\n findOneAndDelete(\n filter: Filter<T>,\n options: FindOneAndDeleteOptions,\n ): Promise<WithId<T> | null>;\n findOneAndDelete(filter: Filter<T>): Promise<WithId<T> | null>;\n findOneAndDelete(\n _filter: unknown,\n _options?: unknown,\n ):\n | Promise<import('mongodb').WithId<T> | null>\n | Promise<import('mongodb').ModifyResult<T>> {\n throw new Error('Method not implemented.');\n }\n findOneAndReplace(\n filter: Filter<T>,\n replacement: WithoutId<T>,\n options: FindOneAndReplaceOptions & { includeResultMetadata: true },\n ): Promise<ModifyResult<T>>;\n findOneAndReplace(\n filter: Filter<T>,\n replacement: WithoutId<T>,\n options: FindOneAndReplaceOptions & { includeResultMetadata: false },\n ): Promise<WithId<T> | null>;\n findOneAndReplace(\n filter: Filter<T>,\n replacement: WithoutId<T>,\n options: FindOneAndReplaceOptions,\n ): Promise<WithId<T> | null>;\n findOneAndReplace(\n filter: Filter<T>,\n replacement: WithoutId<T>,\n ): Promise<WithId<T> | null>;\n findOneAndReplace(\n _filter: unknown,\n _replacement: unknown,\n _options?: unknown,\n ):\n | Promise<import('mongodb').WithId<T> | null>\n | Promise<import('mongodb').ModifyResult<T>> {\n throw new Error('Method not implemented.');\n }\n findOneAndUpdate(\n filter: Filter<T>,\n update: UpdateFilter<T>,\n options: FindOneAndUpdateOptions & { includeResultMetadata: true },\n ): Promise<ModifyResult<T>>;\n findOneAndUpdate(\n filter: Filter<T>,\n update: UpdateFilter<T>,\n options: FindOneAndUpdateOptions & { includeResultMetadata: false },\n ): Promise<WithId<T> | null>;\n findOneAndUpdate(\n filter: Filter<T>,\n update: UpdateFilter<T>,\n options: FindOneAndUpdateOptions,\n ): Promise<WithId<T> | null>;\n findOneAndUpdate(\n filter: Filter<T>,\n update: UpdateFilter<T>,\n ): Promise<WithId<T> | null>;\n findOneAndUpdate(\n _filter: unknown,\n _update: unknown,\n _options?: unknown,\n ):\n | Promise<import('mongodb').WithId<T> | null>\n | Promise<import('mongodb').ModifyResult<T>> {\n throw new Error('Method not implemented.');\n }\n aggregate<T extends Document = Document>(\n _pipeline?: Document[] | undefined,\n _options?: AggregateOptions | undefined,\n ): AggregationCursor<T> {\n throw new Error('Method not implemented.');\n }\n watch<\n TLocal extends Document = T,\n TChange extends Document = ChangeStreamDocument<TLocal>,\n >(\n _pipeline?: Document[] | undefined,\n _options?: ChangeStreamOptions | undefined,\n ): ChangeStream<TLocal, TChange> {\n throw new Error('Method not implemented.');\n }\n initializeUnorderedBulkOp(\n _options?: BulkWriteOptions | undefined,\n ): UnorderedBulkOperation {\n throw new Error('Method not implemented.');\n }\n initializeOrderedBulkOp(\n _options?: BulkWriteOptions | undefined,\n ): OrderedBulkOperation {\n throw new Error('Method not implemented.');\n }\n count(\n _filter?: Filter<T> | undefined,\n _options?: CountOptions | undefined,\n ): Promise<number> {\n throw new Error('Method not implemented.');\n }\n listSearchIndexes(\n options?: ListSearchIndexesOptions | undefined,\n ): ListSearchIndexesCursor;\n listSearchIndexes(\n name: string,\n options?: ListSearchIndexesOptions | undefined,\n ): ListSearchIndexesCursor;\n listSearchIndexes(\n _name?: unknown,\n _options?: unknown,\n ): import('mongodb').ListSearchIndexesCursor {\n throw new Error('Method not implemented.');\n }\n createSearchIndex(_description: SearchIndexDescription): Promise<string> {\n throw new Error('Method not implemented.');\n }\n createSearchIndexes(\n _descriptions: SearchIndexDescription[],\n ): Promise<string[]> {\n throw new Error('Method not implemented.');\n }\n dropSearchIndex(_name: string): Promise<void> {\n throw new Error('Method not implemented.');\n }\n updateSearchIndex(_name: string, _definition: Document): Promise<void> {\n throw new Error('Method not implemented.');\n }\n\n async createCollection(): Promise<void> {\n await this.collection.createCollection();\n }\n}\n","// src/MongoClientShim.ts\nimport { pongoClient, type PongoClient } from '../main';\nimport { Db } from './mongoDb';\n\nexport class MongoClient {\n private pongoClient: PongoClient;\n\n constructor(connectionString: string) {\n this.pongoClient = pongoClient(connectionString);\n }\n\n async connect() {\n await this.pongoClient.connect();\n return this;\n }\n\n async close() {\n await this.pongoClient.close();\n }\n\n db(dbName?: string): Db {\n return new Db(this.pongoClient.db(dbName));\n }\n}\n"],"mappings":"AAAA,OAAOA,MAAQ,KAEf,IAAMC,EAA8B,IAAI,IAE3BC,EACXC,GACY,CACZ,IAAMC,EACJ,OAAOD,GAA8B,SACjCA,EACAA,EAA0B,iBAE1BE,EACJ,OAAOF,GAA8B,SACjC,CAAE,iBAAAC,CAAiB,EACnBD,EAGN,OACEF,EAAM,IAAIG,CAAgB,GAC1BH,EAAM,IAAIG,EAAkB,IAAIJ,EAAG,KAAKK,CAAW,CAAC,EAAE,IAAID,CAAgB,CAE9E,EAEaE,EAAU,MAAOF,GAA4C,CACxE,IAAMG,EAAON,EAAM,IAAIG,CAAgB,EACnCG,IACF,MAAMA,EAAK,IAAI,EACfN,EAAM,OAAOG,CAAgB,EAEjC,EAEaI,EAAc,IACzB,QAAQ,IACN,CAAC,GAAGP,EAAM,KAAK,CAAC,EAAE,IAAKG,GAAqBE,EAAQF,CAAgB,CAAC,CACvE,ECnCF,MAAe,KACf,OAAOK,MAAY,YACnB,OAAS,MAAMC,MAAY,OCCpB,IAAMC,EAAU,MACrBC,EACAC,IACG,CACH,IAAMC,EAAS,MAAMF,EAAK,QAAQ,EAClC,GAAI,CACF,OAAO,MAAMC,EAAOC,CAAM,CAC5B,QAAE,CACAA,EAAO,QAAQ,CACjB,CACF,EAEaC,EAAa,MAGxBH,EACAI,IAEAL,EAAQC,EAAOE,GAAWA,EAAO,MAAcE,CAAG,CAAC,ECb9C,IAAMC,EAA6BC,GACxC,OAAO,QAAQA,CAAG,EAAE,IAAI,CAAC,CAACC,EAAKC,CAAK,IAAM,CAACD,EAAgBC,CAAK,CAAC,ECTnE,OAAOC,MAAY,YAGZ,IAAMC,EAAY,CACvB,IAAK,MACL,IAAK,MACL,KAAM,OACN,IAAK,MACL,KAAM,OACN,IAAK,MACL,IAAK,MACL,KAAM,OACN,WAAY,aACZ,KAAM,OACN,MAAO,OACT,EAEMC,EAAc,CAClB,IAAK,IACL,KAAM,KACN,IAAK,IACL,KAAM,KACN,IAAK,IACP,EAEaC,EAAcC,GAAgBA,EAAI,WAAW,GAAG,EAEhDC,EAAgBC,GAC3B,OAAO,KAAKA,CAAK,EAAE,KAAKH,CAAU,EAEvBI,EAAiB,CAC5BC,EACAC,EACAH,IACW,CACX,GAAIE,IAAS,MACX,OAAOE,EAAiBD,EAAUH,CAAK,EAGzC,OAAQG,EAAU,CAChB,IAAK,MACH,OAAOE,EACL,wEACA,KAAK,UAAUC,EAAkBJ,EAAMF,CAAK,CAAC,EAC7CE,EACA,KAAK,UAAUF,CAAK,CACtB,EACF,IAAK,MACL,IAAK,OACL,IAAK,MACL,IAAK,OACL,IAAK,MACH,OAAOK,EACL,eAAeT,EAAYO,CAAQ,CAAC,MACpC,IAAID,EAAK,MAAM,GAAG,EAAE,KAAK,GAAG,CAAC,IAC7BF,CACF,EACF,IAAK,MACH,OAAOK,EACL,sBACA,IAAIH,EAAK,MAAM,GAAG,EAAE,KAAK,GAAG,CAAC,IAC5BF,EAAoB,IAAKO,GAAMF,EAAO,KAAME,CAAC,CAAC,EAAE,KAAK,IAAI,CAC5D,EACF,IAAK,OACH,OAAOF,EACL,0BACA,IAAIH,EAAK,MAAM,GAAG,EAAE,KAAK,GAAG,CAAC,IAC5BF,EAAoB,IAAKO,GAAMF,EAAO,KAAME,CAAC,CAAC,EAAE,KAAK,IAAI,CAC5D,EACF,IAAK,aAAc,CACjB,IAAMC,EAAWC,EAAQT,CAAgC,EACtD,IAAI,CAAC,CAACU,EAAQC,CAAQ,IACrBN,EAAO,eAAgBK,EAAQ,KAAK,UAAUC,CAAQ,CAAC,CACzD,EACC,KAAK,MAAM,EACd,OAAON,EACL,4CACAH,EACAM,CACF,CACF,CACA,IAAK,OACH,OAAOH,EACL,oBACA,KAAK,UAAUC,EAAkBJ,EAAMF,CAAK,CAAC,CAC/C,EACF,IAAK,QACH,OAAOK,EACL,sCACA,IAAIH,EAAK,MAAM,GAAG,EAAE,KAAK,GAAG,CAAC,IAC7BF,CACF,EACF,QACE,MAAM,IAAI,MAAM,yBAAyBG,CAAQ,EAAE,CACvD,CACF,EAEMC,EAAmB,CAACD,EAAkBH,IAA2B,CACrE,OAAQG,EAAU,CAChB,IAAK,MACH,OAAOE,EAAO,WAAYL,CAAK,EACjC,IAAK,MACL,IAAK,OACL,IAAK,MACL,IAAK,OACL,IAAK,MACH,OAAOK,EAAO,OAAOT,EAAYO,CAAQ,CAAC,MAAOH,CAAK,EACxD,IAAK,MACH,OAAOK,EACL,cACCL,EAAoB,IAAKO,GAAMF,EAAO,KAAME,CAAC,CAAC,EAAE,KAAK,IAAI,CAC5D,EACF,IAAK,OACH,OAAOF,EACL,kBACCL,EAAoB,IAAKO,GAAMF,EAAO,KAAME,CAAC,CAAC,EAAE,KAAK,IAAI,CAC5D,EACF,QACE,MAAM,IAAI,MAAM,yBAAyBJ,CAAQ,EAAE,CACvD,CACF,EAEMG,EAAoB,CACxBJ,EACAF,IAEAE,EACG,MAAM,GAAG,EACT,QAAQ,EACR,OAAO,CAACU,EAAKd,KAAS,CAAE,CAACA,CAAG,EAAGc,CAAI,GAAIZ,CAAgC,EC3H5E,IAAMa,EAAM,MAECC,EAA2BC,GACtC,OAAO,QAAQA,CAAM,EAClB,IAAI,CAAC,CAACC,EAAKC,CAAK,IACfC,EAASD,CAAK,EACVE,EAA4BH,EAAKC,CAAK,EACtCG,EAAeJ,EAAK,MAAOC,CAAK,CACtC,EACC,KAAK,IAAIJ,CAAG,GAAG,EAEdM,EAA8B,CAClCH,EACAC,IACW,CACX,IAAMI,EAAa,CAACC,EAAaL,CAAK,EAEtC,OAAOM,EAAQN,CAAK,EACjB,IACC,CAAC,CAACO,EAAWC,CAAG,IACdJ,EACID,EAAe,GAAGJ,CAAG,IAAIQ,CAAS,GAAIE,EAAU,IAAKD,CAAG,EACxDL,EAAeJ,EAAKQ,EAAWC,CAAG,CAC1C,EACC,KAAK,IAAIZ,CAAG,GAAG,CACpB,EAEMK,EAAYD,GAChBA,IAAU,MAAQ,OAAOA,GAAU,UAAY,CAAC,MAAM,QAAQA,CAAK,EClCrE,OAAOU,MAAY,YAIZ,IAAMC,EAAM,CAACC,KAAqBC,IAChCH,EAAOE,EAAU,GAAGC,CAAM,ECD5B,IAAMC,EAAuBC,GAClCC,EAAQD,CAAM,EAAE,OAAO,CAACE,EAAoB,CAACC,EAAIC,CAAK,IAAM,CAC1D,OAAQD,EAAI,CACV,IAAK,OACH,OAAOE,EAAcD,EAAOF,CAAkB,EAChD,IAAK,SACH,OAAOI,EAAgBF,EAAOF,CAAkB,EAClD,IAAK,OACH,OAAOK,EAAcH,EAAOF,CAAkB,EAChD,IAAK,QACH,OAAOM,EAAeJ,EAAOF,CAAkB,EACjD,QACE,OAAOA,CACX,CACF,EAAGO,EAAI,MAAM,CAAC,EAEHJ,EAAgB,CAAIK,EAAcR,IAC7CO,EACE,gCACAP,EACA,KACA,KAAK,UAAUQ,CAAG,CACpB,EAEWJ,EAAkB,CAC7BK,EACAT,IACQO,EAAI,UAAWP,EAAoB,OAAO,KAAKS,CAAK,EAAE,KAAK,IAAI,CAAC,EAE7DJ,EAAgB,CAC3BK,EACAV,IACQ,CACR,OAAW,CAACW,EAAKT,CAAK,IAAK,OAAO,QAAQQ,CAAG,EAC3CV,EAAqBO,EACnB,+DACAP,EACAW,EACAA,EACAT,CACF,EAEF,OAAOF,CACT,EAEaM,EAAiB,CAC5BM,EACAZ,IACQ,CACR,OAAW,CAACW,EAAKT,CAAK,IAAK,OAAO,QAAQU,CAAI,EAC5CZ,EAAqBO,EACnB,8EACAP,EACAW,EACAA,EACA,KAAK,UAAUT,CAAK,CACtB,EAEF,OAAOF,CACT,EN7CO,IAAMa,EAAqB,CAChCC,EACAC,IACuB,CACvB,IAAMC,EAAWC,GAAaC,EAAWH,EAAME,CAAG,EAC5CE,EAASC,EAAqBN,CAAc,EAE5CO,EAAmBL,EAAQG,EAAO,iBAAiB,CAAC,EAE1D,MAAO,CACL,iBAAkB,SAAY,CAC5B,MAAME,CACR,EACA,UAAW,MAAOC,GAA+C,CAC/D,MAAMD,EAEN,IAAME,EAAMC,EAAK,EAIjB,OAFe,MAAMR,EAAQG,EAAO,UAAU,CAAE,IAAAI,EAAK,GAAGD,CAAS,CAAC,CAAC,GAErD,SACV,CAAE,WAAYC,EAAK,aAAc,EAAK,EACtC,CAAE,WAAY,KAAM,aAAc,EAAM,CAC9C,EACA,WAAY,MAAOE,GAAmD,CACpE,MAAMJ,EAEN,IAAMK,EAAOD,EAAU,IAAKE,IAAS,CACnC,IAAKH,EAAK,EACV,GAAGG,CACL,EAAE,EAEIC,EAAS,MAAMZ,EAAQG,EAAO,WAAWO,CAAI,CAAC,EAEpD,MAAO,CACL,aAAcE,EAAO,WAAaF,EAAK,OACvC,cAAeE,EAAO,UAAY,EAClC,YAAaF,EAAK,IAAKG,GAAMA,EAAE,GAAG,CACpC,CACF,EACA,UAAW,MACTC,EACAC,IAC+B,CAC/B,MAAMV,EAEN,IAAMO,EAAS,MAAMZ,EAAQG,EAAO,UAAUW,EAAQC,CAAM,CAAC,EAC7D,OAAOH,EAAO,SACV,CAAE,aAAc,GAAM,cAAeA,EAAO,QAAS,EACrD,CAAE,aAAc,GAAO,cAAe,CAAE,CAC9C,EACA,WAAY,MACVE,EACAC,IAC+B,CAC/B,MAAMV,EAEN,IAAMO,EAAS,MAAMZ,EAAQG,EAAO,WAAWW,EAAQC,CAAM,CAAC,EAC9D,OAAOH,EAAO,SACV,CAAE,aAAc,GAAM,cAAeA,EAAO,QAAS,EACrD,CAAE,aAAc,GAAO,cAAe,CAAE,CAC9C,EACA,UAAW,MAAOE,GAAuD,CACvE,MAAMT,EAEN,IAAMO,EAAS,MAAMZ,EAAQG,EAAO,UAAUW,CAAM,CAAC,EACrD,OAAOF,EAAO,SACV,CAAE,aAAc,GAAM,aAAcA,EAAO,QAAS,EACpD,CAAE,aAAc,GAAO,aAAc,CAAE,CAC7C,EACA,WAAY,MAAOE,GAAuD,CACxE,MAAMT,EAEN,IAAMO,EAAS,MAAMZ,EAAQG,EAAO,WAAWW,CAAM,CAAC,EACtD,OAAOF,EAAO,SACV,CAAE,aAAc,GAAM,aAAcA,EAAO,QAAS,EACpD,CAAE,aAAc,GAAO,aAAc,CAAE,CAC7C,EACA,QAAS,MAAOE,IACd,MAAMT,GAES,MAAML,EAAQG,EAAO,QAAQW,CAAM,CAAC,GACpC,KAAK,CAAC,GAAG,MAAQ,MAElC,KAAM,MAAOA,IACX,MAAMT,GAES,MAAML,EAAQG,EAAO,KAAKW,CAAM,CAAC,GAClC,KAAK,IAAKE,GAAQA,EAAI,IAAS,EAEjD,CACF,EAEaZ,EAAwBN,IAA4B,CAC/D,iBAAkB,IAChBG,EACE,mEACAH,CACF,EACF,UAAeQ,GACbL,EACE,6CACAH,EACAQ,EAAS,IACT,KAAK,UAAUA,CAAQ,CACzB,EACF,WAAgBG,GAAgC,CAC9C,IAAMQ,EAASR,EACZ,IAAKE,GAAQO,EAAO,WAAYP,EAAI,IAAK,KAAK,UAAUA,CAAG,CAAC,CAAC,EAC7D,KAAK,IAAI,EACZ,OAAOV,EAAI,uCAAwCH,EAAgBmB,CAAM,CAC3E,EACA,UAAW,CAAIH,EAAwBC,IAAgC,CACrE,IAAMI,EAAcC,EAAqBN,CAAM,EACzCO,EAAcC,EAAiBP,CAAM,EAE3C,OAAOd,EACL;AAAA;AAAA;AAAA,+DAIAH,EACAqB,EACArB,EACAuB,EACAvB,CACF,CACF,EACA,WAAY,CAAIgB,EAAwBC,IAAgC,CACtE,IAAMI,EAAcC,EAAqBN,CAAM,EACzCO,EAAcC,EAAiBP,CAAM,EAE3C,OAAOd,EACL,mCACAH,EACAuB,EACAF,CACF,CACF,EACA,UAAeL,GAAgC,CAC7C,IAAMK,EAAcC,EAAqBN,CAAM,EAC/C,OAAOb,EAAI,0BAA2BH,EAAgBqB,CAAW,CACnE,EACA,WAAgBL,GAAgC,CAC9C,IAAMK,EAAcC,EAAqBN,CAAM,EAC/C,OAAOb,EAAI,0BAA2BH,EAAgBqB,CAAW,CACnE,EACA,QAAaL,GAAgC,CAC3C,IAAMK,EAAcC,EAAqBN,CAAM,EAC/C,OAAOb,EACL,uCACAH,EACAqB,CACF,CACF,EACA,KAAUL,GAAgC,CACxC,IAAMK,EAAcC,EAAqBN,CAAM,EAC/C,OAAOb,EAAI,+BAAgCH,EAAgBqB,CAAW,CACxE,CACF,GO7KO,IAAMI,EAAiB,CAC5BC,EACAC,IACa,CACb,IAAMC,EAAOC,EAAQ,CAAE,iBAAAH,EAAkB,SAAAC,CAAS,CAAC,EAEnD,MAAO,CACL,QAAS,IAAM,QAAQ,QAAQ,EAC/B,MAAO,IAAMG,EAAQJ,CAAgB,EACrC,WAAgBK,GAAiBC,EAAsBD,EAAMH,CAAI,CACnE,CACF,ECNO,IAAMK,EAAc,CACzBC,EACAC,IAGOC,EAAeF,EAAkBC,CAAQ,ECX3C,IAAME,EAAeC,GAA0C,CACpE,IAAMC,EAAWC,EAAYF,CAAgB,EAEvCD,EAA2B,CAC/B,QAAS,UACP,MAAME,EAAS,QAAQ,EAChBF,GAET,MAAO,IAAME,EAAS,MAAM,EAC5B,GAAKE,GACHA,EAASD,EAAYF,EAAkBG,CAAM,EAAIF,CACrD,EAEA,OAAOF,CACT,ECjBO,IAAMK,EAAN,KAAoB,CACjB,qBACA,UAAwB,KACxB,MAAgB,EAExB,YAAYC,EAAyB,CACnC,KAAK,qBAAuBA,CAC9B,CAEA,MAAM,SAAwB,CAC5B,OAAO,KAAK,cAAc,CAC5B,CAEA,MAAM,QAAQC,EAA2C,CACvD,IAAMC,EAAO,MAAM,KAAK,cAAc,EAEtC,QAAWC,KAAOD,EAChBD,EAASE,CAAG,EAEd,OAAO,QAAQ,QAAQ,CACzB,CAEA,SAAmB,CACjB,GAAI,KAAK,YAAc,KAAM,MAAM,MAAM,gCAAgC,EACzE,OAAO,KAAK,MAAQ,KAAK,UAAU,MACrC,CAEA,MAAM,MAA0B,CAC9B,IAAMD,EAAO,MAAM,KAAK,cAAc,EACtC,OAAO,KAAK,QAAQ,EAAIA,EAAK,KAAK,OAAO,GAAK,KAAO,IACvD,CAEA,MAAc,eAA8B,CAC1C,YAAK,UAAY,MAAM,KAAK,qBACrB,KAAK,SACd,CACF,ECpCA,MAA6D,UC+DtD,IAAME,EAAN,KAAmE,CAChE,WAER,YAAYC,EAAgC,CAC1C,KAAK,WAAaA,CACpB,CACA,IAAI,QAAiB,CACnB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,gBAAyB,CAC3B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,WAAoB,CACtB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,aAAuC,CACzC,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,gBAA6C,CAC/C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,aAAoC,CACtC,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,cAAyC,CAC3C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,MAAyB,CAC3B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,IAAI,KAAKC,EAAqB,CAC5B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,MAAM,UACJC,EACAC,EAC6B,CAC7B,IAAMC,EAAS,MAAM,KAAK,WAAW,UAAUF,CAAQ,EACvD,MAAO,CACL,aAAcE,EAAO,aACrB,WAAYA,EAAO,UACrB,CACF,CACA,MAAM,WACJC,EACAF,EAC8B,CAC9B,IAAMC,EAAS,MAAM,KAAK,WAAW,WAAWC,CAAW,EAC3D,MAAO,CACL,aAAcD,EAAO,aACrB,YAAaA,EAAO,YACpB,cAAeA,EAAO,aACxB,CACF,CACA,UACEE,EACAH,EAC0B,CAC1B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,MAAM,UACJI,EACAC,EACAL,EAC0B,CAC1B,IAAMC,EAAS,MAAM,KAAK,WAAW,UACnCG,EACAC,CACF,EAEA,MAAO,CACL,aAAcJ,EAAO,aACrB,aAAcA,EAAO,cACrB,cAAeA,EAAO,cACtB,cAAeA,EAAO,cACtB,WAAY,IACd,CACF,CACA,WACEK,EACAC,EACAP,EACqC,CACrC,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,MAAM,WACJI,EACAC,EACAL,EAC0B,CAC1B,IAAMC,EAAS,MAAM,KAAK,WAAW,WACnCG,EACAC,CACF,EAEA,MAAO,CACL,aAAcJ,EAAO,aACrB,aAAcA,EAAO,cACrB,cAAeA,EAAO,cACtB,cAAeA,EAAO,cACtB,WAAY,IACd,CACF,CACA,MAAM,UACJG,EACAJ,EACuB,CACvB,IAAMC,EAAS,MAAM,KAAK,WAAW,UACnCG,CACF,EAEA,MAAO,CACL,aAAcH,EAAO,aACrB,aAAcA,EAAO,YACvB,CACF,CACA,MAAM,WACJG,EACAJ,EACuB,CACvB,IAAMC,EAAS,MAAM,KAAK,WAAW,WACnCG,CACF,EAEA,MAAO,CACL,aAAcH,EAAO,aACrB,aAAcA,EAAO,YACvB,CACF,CACA,OACEO,EACAR,EAC+B,CAC/B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,KAAKA,EAAgE,CACnE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAaA,MAAM,QACJI,EACAJ,EACiD,CACjD,OAAO,KAAK,WAAW,QAAQI,CAAwB,CACzD,CAUA,KACEA,EACAJ,EACiD,CACjD,OAAO,IAAIS,EACT,KAAK,WAAW,KAAKL,CAAwB,CAC/C,CACF,CACA,QAAQJ,EAA4D,CAClE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,SAASA,EAA2D,CAClE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,YACEU,EACAV,EACiB,CACjB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,cACEW,EACAX,EACmB,CACnB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,UACEY,EACAZ,EACmB,CACnB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,YACEA,EACkB,CAClB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,YAAYA,EAAiE,CAC3E,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,YACEa,EACAb,EACkB,CAClB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAWA,iBACEA,EAOI,CACJ,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,uBACEA,EACiB,CACjB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,eACEM,EACAN,EACiB,CACjB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAsBA,SACEc,EACAR,EACAN,EAGyE,CACzE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAaA,QACEA,EAOI,CACJ,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAcA,iBACEM,EACAN,EAG6C,CAC7C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAoBA,kBACEM,EACAS,EACAf,EAG6C,CAC7C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAoBA,iBACEM,EACAU,EACAhB,EAG6C,CAC7C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,UACEiB,EACAjB,EACsB,CACtB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,MAIEiB,EACAjB,EAC+B,CAC/B,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,0BACEA,EACwB,CACxB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,wBACEA,EACsB,CACtB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,MACEM,EACAN,EACiB,CACjB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAQA,kBACEkB,EACAlB,EAC2C,CAC3C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,kBAAkBmB,EAAuD,CACvE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,oBACEC,EACmB,CACnB,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,gBAAgBF,EAA8B,CAC5C,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CACA,kBAAkBA,EAAeG,EAAsC,CACrE,MAAM,IAAI,MAAM,yBAAyB,CAC3C,CAEA,MAAM,kBAAkC,CACtC,MAAM,KAAK,WAAW,iBAAiB,CACzC,CACF,ED9eO,IAAMC,EAAN,KAAS,CACd,YAAoBC,EAAkB,CAAlB,aAAAA,CAAmB,CAEvC,WAA+BC,EAA4C,CACzE,OAAO,IAAIC,EAAc,KAAK,QAAQ,WAAcD,CAAc,CAAC,CACrE,CACF,EENO,IAAME,EAAN,KAAkB,CACf,YAER,YAAYC,EAA0B,CACpC,KAAK,YAAcC,EAAYD,CAAgB,CACjD,CAEA,MAAM,SAAU,CACd,aAAM,KAAK,YAAY,QAAQ,EACxB,IACT,CAEA,MAAM,OAAQ,CACZ,MAAM,KAAK,YAAY,MAAM,CAC/B,CAEA,GAAGE,EAAqB,CACtB,OAAO,IAAIC,EAAG,KAAK,YAAY,GAAGD,CAAM,CAAC,CAC3C,CACF","names":["pg","pools","getPool","connectionStringOrOptions","connectionString","poolOptions","endPool","pool","endAllPools","format","uuid","execute","pool","handle","client","executeSQL","sql","entries","obj","key","value","format","Operators","OperatorMap","isOperator","key","hasOperators","value","handleOperator","path","operator","handleIdOperator","format","buildNestedObject","v","subQuery","entries","subKey","subValue","acc","AND","constructFilterQuery","filter","key","value","isRecord","constructComplexFilterQuery","handleOperator","isEquality","hasOperators","entries","nestedKey","val","Operators","format","sql","sqlQuery","params","buildUpdateQuery","update","entries","currentUpdateQuery","op","value","buildSetQuery","buildUnsetQuery","buildIncQuery","buildPushQuery","sql","set","unset","inc","key","push","postgresCollection","collectionName","pool","execute","sql","executeSQL","SqlFor","collectionSQLBuilder","createCollection","document","_id","uuid","documents","rows","doc","result","d","filter","update","row","values","format","filterQuery","constructFilterQuery","updateQuery","buildUpdateQuery","postgresClient","connectionString","database","pool","getPool","endPool","name","postgresCollection","getDbClient","connectionString","database","postgresClient","pongoClient","connectionString","dbClient","getDbClient","dbName","FindCursor","documents","callback","docs","doc","Collection","collection","v","doc","_options","result","docs","_operations","filter","update","_filter","_","_newName","FindCursor","_indexSpec","_indexSpecs","_indexName","_indexes","_key","_replacement","_update","_pipeline","_name","_description","_descriptions","_definition","Db","pongoDb","collectionName","Collection","MongoClient","connectionString","pongoClient","dbName","Db"]}
|
package/package.json
CHANGED
|
@@ -1,6 +1,6 @@
|
|
|
1
1
|
{
|
|
2
2
|
"name": "@event-driven-io/pongo",
|
|
3
|
-
"version": "0.2.
|
|
3
|
+
"version": "0.2.2",
|
|
4
4
|
"description": "Pongo - Mongo with strong consistency on top of Postgres",
|
|
5
5
|
"type": "module",
|
|
6
6
|
"scripts": {
|
|
@@ -47,14 +47,15 @@
|
|
|
47
47
|
"dist"
|
|
48
48
|
],
|
|
49
49
|
"peerDependencies": {
|
|
50
|
+
"@types/uuid": "^9.0.8",
|
|
51
|
+
"@types/pg": "^8.11.6",
|
|
52
|
+
"@types/pg-format": "^1.0.5",
|
|
53
|
+
"@types/mongodb": "^4.0.7",
|
|
50
54
|
"pg": "^8.12.0",
|
|
51
55
|
"pg-format": "^1.0.4",
|
|
52
56
|
"uuid": "^9.0.1"
|
|
53
57
|
},
|
|
54
58
|
"devDependencies": {
|
|
55
|
-
"@types/
|
|
56
|
-
"@types/node": "20.11.30",
|
|
57
|
-
"@types/pg": "^8.11.6",
|
|
58
|
-
"@types/pg-format": "^1.0.5"
|
|
59
|
+
"@types/node": "20.11.30"
|
|
59
60
|
}
|
|
60
61
|
}
|