s3db.js 5.2.0 → 6.1.0

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/dist/s3db.iife.js CHANGED
@@ -1,4 +1,3 @@
1
- /* istanbul ignore file */
2
1
  var S3DB = (function (exports, nanoid, lodashEs, promisePool, clientS3, crypto, flat, FastestValidator, web) {
3
2
  'use strict';
4
3
 
@@ -933,15 +932,24 @@ ${JSON.stringify(validation, null, 2)}`, {
933
932
  if (errorClass) return new errorClass(data);
934
933
  return error;
935
934
  }
936
- async putObject({ key, metadata, contentType, body, contentEncoding }) {
935
+ async putObject({ key, metadata, contentType, body, contentEncoding, contentLength }) {
936
+ const keyPrefix = typeof this.config.keyPrefix === "string" ? this.config.keyPrefix : "";
937
+ const stringMetadata = {};
938
+ if (metadata) {
939
+ for (const [k, v] of Object.entries(metadata)) {
940
+ const validKey = String(k).replace(/[^a-zA-Z0-9\-_]/g, "_");
941
+ stringMetadata[validKey] = String(v);
942
+ }
943
+ }
937
944
  const options2 = {
938
945
  Bucket: this.config.bucket,
939
- Key: this.config.keyPrefix ? path.join(this.config.keyPrefix, key) : key,
940
- Metadata: { ...metadata },
946
+ Key: keyPrefix ? path.join(keyPrefix, key) : key,
947
+ Metadata: stringMetadata,
941
948
  Body: body || Buffer.alloc(0)
942
949
  };
943
950
  if (contentType !== void 0) options2.ContentType = contentType;
944
951
  if (contentEncoding !== void 0) options2.ContentEncoding = contentEncoding;
952
+ if (contentLength !== void 0) options2.ContentLength = contentLength;
945
953
  try {
946
954
  const response = await this.sendCommand(new clientS3.PutObjectCommand(options2));
947
955
  this.emit("putObject", response, options2);
@@ -954,9 +962,10 @@ ${JSON.stringify(validation, null, 2)}`, {
954
962
  }
955
963
  }
956
964
  async getObject(key) {
965
+ const keyPrefix = typeof this.config.keyPrefix === "string" ? this.config.keyPrefix : "";
957
966
  const options2 = {
958
967
  Bucket: this.config.bucket,
959
- Key: path.join(this.config.keyPrefix, key)
968
+ Key: keyPrefix ? path.join(keyPrefix, key) : key
960
969
  };
961
970
  try {
962
971
  const response = await this.sendCommand(new clientS3.GetObjectCommand(options2));
@@ -970,9 +979,10 @@ ${JSON.stringify(validation, null, 2)}`, {
970
979
  }
971
980
  }
972
981
  async headObject(key) {
982
+ const keyPrefix = typeof this.config.keyPrefix === "string" ? this.config.keyPrefix : "";
973
983
  const options2 = {
974
984
  Bucket: this.config.bucket,
975
- Key: this.config.keyPrefix ? path.join(this.config.keyPrefix, key) : key
985
+ Key: keyPrefix ? path.join(keyPrefix, key) : key
976
986
  };
977
987
  try {
978
988
  const response = await this.sendCommand(new clientS3.HeadObjectCommand(options2));
@@ -1014,9 +1024,10 @@ ${JSON.stringify(validation, null, 2)}`, {
1014
1024
  }
1015
1025
  }
1016
1026
  async deleteObject(key) {
1027
+ const keyPrefix = typeof this.config.keyPrefix === "string" ? this.config.keyPrefix : "";
1017
1028
  const options2 = {
1018
1029
  Bucket: this.config.bucket,
1019
- Key: this.config.keyPrefix ? path.join(this.config.keyPrefix, key) : key
1030
+ Key: keyPrefix ? path.join(keyPrefix, key) : key
1020
1031
  };
1021
1032
  try {
1022
1033
  const response = await this.sendCommand(new clientS3.DeleteObjectCommand(options2));
@@ -1030,13 +1041,14 @@ ${JSON.stringify(validation, null, 2)}`, {
1030
1041
  }
1031
1042
  }
1032
1043
  async deleteObjects(keys) {
1044
+ const keyPrefix = typeof this.config.keyPrefix === "string" ? this.config.keyPrefix : "";
1033
1045
  const packages = lodashEs.chunk(keys, 1e3);
1034
1046
  const { results, errors } = await promisePool.PromisePool.for(packages).withConcurrency(this.parallelism).process(async (keys2) => {
1035
1047
  const options2 = {
1036
1048
  Bucket: this.config.bucket,
1037
1049
  Delete: {
1038
1050
  Objects: keys2.map((key) => ({
1039
- Key: this.config.keyPrefix ? path.join(this.config.keyPrefix, key) : key
1051
+ Key: keyPrefix ? path.join(keyPrefix, key) : key
1040
1052
  }))
1041
1053
  }
1042
1054
  };
@@ -1064,12 +1076,13 @@ ${JSON.stringify(validation, null, 2)}`, {
1064
1076
  * @returns {Promise<number>} Number of objects deleted
1065
1077
  */
1066
1078
  async deleteAll({ prefix } = {}) {
1079
+ const keyPrefix = typeof this.config.keyPrefix === "string" ? this.config.keyPrefix : "";
1067
1080
  let continuationToken;
1068
1081
  let totalDeleted = 0;
1069
1082
  do {
1070
1083
  const listCommand = new clientS3.ListObjectsV2Command({
1071
1084
  Bucket: this.config.bucket,
1072
- Prefix: this.config.keyPrefix ? path.join(this.config.keyPrefix, prefix) : prefix,
1085
+ Prefix: keyPrefix ? path.join(keyPrefix, prefix) : prefix,
1073
1086
  ContinuationToken: continuationToken
1074
1087
  });
1075
1088
  const listResponse = await this.client.send(listCommand);
@@ -1211,6 +1224,10 @@ ${JSON.stringify(validation, null, 2)}`, {
1211
1224
  prefix,
1212
1225
  offset
1213
1226
  });
1227
+ if (!continuationToken) {
1228
+ this.emit("getKeysPage", [], params);
1229
+ return [];
1230
+ }
1214
1231
  }
1215
1232
  while (truncated) {
1216
1233
  const options2 = {
@@ -1223,8 +1240,8 @@ ${JSON.stringify(validation, null, 2)}`, {
1223
1240
  }
1224
1241
  truncated = res.IsTruncated || false;
1225
1242
  continuationToken = res.NextContinuationToken;
1226
- if (keys.length > amount) {
1227
- keys = keys.splice(0, amount);
1243
+ if (keys.length >= amount) {
1244
+ keys = keys.slice(0, amount);
1228
1245
  break;
1229
1246
  }
1230
1247
  }
@@ -5996,6 +6013,16 @@ ${JSON.stringify(validation, null, 2)}`, {
5996
6013
  };
5997
6014
  }
5998
6015
 
6016
+ var getOwnPropertyDescriptors = Object.getOwnPropertyDescriptors ||
6017
+ function getOwnPropertyDescriptors(obj) {
6018
+ var keys = Object.keys(obj);
6019
+ var descriptors = {};
6020
+ for (var i = 0; i < keys.length; i++) {
6021
+ descriptors[keys[i]] = Object.getOwnPropertyDescriptor(obj, keys[i]);
6022
+ }
6023
+ return descriptors;
6024
+ };
6025
+
5999
6026
  var formatRegExp = /%[sdj%]/g;
6000
6027
  function format(f) {
6001
6028
  if (!isString(f)) {
@@ -6481,6 +6508,64 @@ ${JSON.stringify(validation, null, 2)}`, {
6481
6508
  return Object.prototype.hasOwnProperty.call(obj, prop);
6482
6509
  }
6483
6510
 
6511
+ var kCustomPromisifiedSymbol = typeof Symbol !== 'undefined' ? Symbol('util.promisify.custom') : undefined;
6512
+
6513
+ function promisify(original) {
6514
+ if (typeof original !== 'function')
6515
+ throw new TypeError('The "original" argument must be of type Function');
6516
+
6517
+ if (kCustomPromisifiedSymbol && original[kCustomPromisifiedSymbol]) {
6518
+ var fn = original[kCustomPromisifiedSymbol];
6519
+ if (typeof fn !== 'function') {
6520
+ throw new TypeError('The "util.promisify.custom" argument must be of type Function');
6521
+ }
6522
+ Object.defineProperty(fn, kCustomPromisifiedSymbol, {
6523
+ value: fn, enumerable: false, writable: false, configurable: true
6524
+ });
6525
+ return fn;
6526
+ }
6527
+
6528
+ function fn() {
6529
+ var promiseResolve, promiseReject;
6530
+ var promise = new Promise(function (resolve, reject) {
6531
+ promiseResolve = resolve;
6532
+ promiseReject = reject;
6533
+ });
6534
+
6535
+ var args = [];
6536
+ for (var i = 0; i < arguments.length; i++) {
6537
+ args.push(arguments[i]);
6538
+ }
6539
+ args.push(function (err, value) {
6540
+ if (err) {
6541
+ promiseReject(err);
6542
+ } else {
6543
+ promiseResolve(value);
6544
+ }
6545
+ });
6546
+
6547
+ try {
6548
+ original.apply(this, args);
6549
+ } catch (err) {
6550
+ promiseReject(err);
6551
+ }
6552
+
6553
+ return promise;
6554
+ }
6555
+
6556
+ Object.setPrototypeOf(fn, Object.getPrototypeOf(original));
6557
+
6558
+ if (kCustomPromisifiedSymbol) Object.defineProperty(fn, kCustomPromisifiedSymbol, {
6559
+ value: fn, enumerable: false, writable: false, configurable: true
6560
+ });
6561
+ return Object.defineProperties(
6562
+ fn,
6563
+ getOwnPropertyDescriptors(original)
6564
+ );
6565
+ }
6566
+
6567
+ promisify.custom = kCustomPromisifiedSymbol;
6568
+
6484
6569
  function BufferList() {
6485
6570
  this.head = null;
6486
6571
  this.tail = null;
@@ -8710,41 +8795,41 @@ ${JSON.stringify(validation, null, 2)}`, {
8710
8795
  }
8711
8796
 
8712
8797
  const S3_METADATA_LIMIT_BYTES = 2048;
8713
- async function handleInsert$3({ resource, data, mappedData }) {
8798
+ async function handleInsert$4({ resource, data, mappedData }) {
8714
8799
  const totalSize = calculateTotalSize(mappedData);
8715
8800
  if (totalSize > S3_METADATA_LIMIT_BYTES) {
8716
8801
  throw new Error(`S3 metadata size exceeds 2KB limit. Current size: ${totalSize} bytes, limit: ${S3_METADATA_LIMIT_BYTES} bytes`);
8717
8802
  }
8718
8803
  return { mappedData, body: "" };
8719
8804
  }
8720
- async function handleUpdate$3({ resource, id, data, mappedData }) {
8805
+ async function handleUpdate$4({ resource, id, data, mappedData }) {
8721
8806
  const totalSize = calculateTotalSize(mappedData);
8722
8807
  if (totalSize > S3_METADATA_LIMIT_BYTES) {
8723
8808
  throw new Error(`S3 metadata size exceeds 2KB limit. Current size: ${totalSize} bytes, limit: ${S3_METADATA_LIMIT_BYTES} bytes`);
8724
8809
  }
8725
8810
  return { mappedData, body: "" };
8726
8811
  }
8727
- async function handleUpsert$3({ resource, id, data, mappedData }) {
8812
+ async function handleUpsert$4({ resource, id, data, mappedData }) {
8728
8813
  const totalSize = calculateTotalSize(mappedData);
8729
8814
  if (totalSize > S3_METADATA_LIMIT_BYTES) {
8730
8815
  throw new Error(`S3 metadata size exceeds 2KB limit. Current size: ${totalSize} bytes, limit: ${S3_METADATA_LIMIT_BYTES} bytes`);
8731
8816
  }
8732
8817
  return { mappedData, body: "" };
8733
8818
  }
8734
- async function handleGet$3({ resource, metadata, body }) {
8819
+ async function handleGet$4({ resource, metadata, body }) {
8735
8820
  return { metadata, body };
8736
8821
  }
8737
8822
 
8738
8823
  var enforceLimits = /*#__PURE__*/Object.freeze({
8739
8824
  __proto__: null,
8740
8825
  S3_METADATA_LIMIT_BYTES: S3_METADATA_LIMIT_BYTES,
8741
- handleGet: handleGet$3,
8742
- handleInsert: handleInsert$3,
8743
- handleUpdate: handleUpdate$3,
8744
- handleUpsert: handleUpsert$3
8826
+ handleGet: handleGet$4,
8827
+ handleInsert: handleInsert$4,
8828
+ handleUpdate: handleUpdate$4,
8829
+ handleUpsert: handleUpsert$4
8745
8830
  });
8746
8831
 
8747
- async function handleInsert$2({ resource, data, mappedData }) {
8832
+ async function handleInsert$3({ resource, data, mappedData }) {
8748
8833
  const totalSize = calculateTotalSize(mappedData);
8749
8834
  if (totalSize > S3_METADATA_LIMIT_BYTES) {
8750
8835
  resource.emit("exceedsLimit", {
@@ -8757,7 +8842,7 @@ ${JSON.stringify(validation, null, 2)}`, {
8757
8842
  }
8758
8843
  return { mappedData, body: "" };
8759
8844
  }
8760
- async function handleUpdate$2({ resource, id, data, mappedData }) {
8845
+ async function handleUpdate$3({ resource, id, data, mappedData }) {
8761
8846
  const totalSize = calculateTotalSize(mappedData);
8762
8847
  if (totalSize > S3_METADATA_LIMIT_BYTES) {
8763
8848
  resource.emit("exceedsLimit", {
@@ -8771,7 +8856,7 @@ ${JSON.stringify(validation, null, 2)}`, {
8771
8856
  }
8772
8857
  return { mappedData, body: "" };
8773
8858
  }
8774
- async function handleUpsert$2({ resource, id, data, mappedData }) {
8859
+ async function handleUpsert$3({ resource, id, data, mappedData }) {
8775
8860
  const totalSize = calculateTotalSize(mappedData);
8776
8861
  if (totalSize > S3_METADATA_LIMIT_BYTES) {
8777
8862
  resource.emit("exceedsLimit", {
@@ -8785,30 +8870,30 @@ ${JSON.stringify(validation, null, 2)}`, {
8785
8870
  }
8786
8871
  return { mappedData, body: "" };
8787
8872
  }
8788
- async function handleGet$2({ resource, metadata, body }) {
8873
+ async function handleGet$3({ resource, metadata, body }) {
8789
8874
  return { metadata, body };
8790
8875
  }
8791
8876
 
8792
- var userManagement = /*#__PURE__*/Object.freeze({
8877
+ var userManaged = /*#__PURE__*/Object.freeze({
8793
8878
  __proto__: null,
8794
- handleGet: handleGet$2,
8795
- handleInsert: handleInsert$2,
8796
- handleUpdate: handleUpdate$2,
8797
- handleUpsert: handleUpsert$2
8879
+ handleGet: handleGet$3,
8880
+ handleInsert: handleInsert$3,
8881
+ handleUpdate: handleUpdate$3,
8882
+ handleUpsert: handleUpsert$3
8798
8883
  });
8799
8884
 
8800
8885
  const TRUNCATE_SUFFIX = "...";
8801
8886
  const TRUNCATE_SUFFIX_BYTES = calculateUTF8Bytes(TRUNCATE_SUFFIX);
8802
- async function handleInsert$1({ resource, data, mappedData }) {
8887
+ async function handleInsert$2({ resource, data, mappedData }) {
8803
8888
  return handleTruncate({ resource, data, mappedData });
8804
8889
  }
8805
- async function handleUpdate$1({ resource, id, data, mappedData }) {
8890
+ async function handleUpdate$2({ resource, id, data, mappedData }) {
8806
8891
  return handleTruncate({ resource, data, mappedData });
8807
8892
  }
8808
- async function handleUpsert$1({ resource, id, data, mappedData }) {
8893
+ async function handleUpsert$2({ resource, id, data, mappedData }) {
8809
8894
  return handleTruncate({ resource, data, mappedData });
8810
8895
  }
8811
- async function handleGet$1({ resource, metadata, body }) {
8896
+ async function handleGet$2({ resource, metadata, body }) {
8812
8897
  return { metadata, body };
8813
8898
  }
8814
8899
  function handleTruncate({ resource, data, mappedData }) {
@@ -8848,25 +8933,25 @@ ${JSON.stringify(validation, null, 2)}`, {
8848
8933
 
8849
8934
  var dataTruncate = /*#__PURE__*/Object.freeze({
8850
8935
  __proto__: null,
8851
- handleGet: handleGet$1,
8852
- handleInsert: handleInsert$1,
8853
- handleUpdate: handleUpdate$1,
8854
- handleUpsert: handleUpsert$1
8936
+ handleGet: handleGet$2,
8937
+ handleInsert: handleInsert$2,
8938
+ handleUpdate: handleUpdate$2,
8939
+ handleUpsert: handleUpsert$2
8855
8940
  });
8856
8941
 
8857
8942
  const OVERFLOW_FLAG = "$overflow";
8858
8943
  const OVERFLOW_FLAG_VALUE = "true";
8859
8944
  const OVERFLOW_FLAG_BYTES = calculateUTF8Bytes(OVERFLOW_FLAG) + calculateUTF8Bytes(OVERFLOW_FLAG_VALUE);
8860
- async function handleInsert({ resource, data, mappedData }) {
8945
+ async function handleInsert$1({ resource, data, mappedData }) {
8861
8946
  return handleOverflow({ resource, data, mappedData });
8862
8947
  }
8863
- async function handleUpdate({ resource, id, data, mappedData }) {
8948
+ async function handleUpdate$1({ resource, id, data, mappedData }) {
8864
8949
  return handleOverflow({ resource, data, mappedData });
8865
8950
  }
8866
- async function handleUpsert({ resource, id, data, mappedData }) {
8951
+ async function handleUpsert$1({ resource, id, data, mappedData }) {
8867
8952
  return handleOverflow({ resource, data, mappedData });
8868
8953
  }
8869
- async function handleGet({ resource, metadata, body }) {
8954
+ async function handleGet$1({ resource, metadata, body }) {
8870
8955
  if (metadata[OVERFLOW_FLAG] === OVERFLOW_FLAG_VALUE) {
8871
8956
  try {
8872
8957
  const bodyData = body ? JSON.parse(body) : {};
@@ -8908,6 +8993,51 @@ ${JSON.stringify(validation, null, 2)}`, {
8908
8993
  }
8909
8994
 
8910
8995
  var bodyOverflow = /*#__PURE__*/Object.freeze({
8996
+ __proto__: null,
8997
+ handleGet: handleGet$1,
8998
+ handleInsert: handleInsert$1,
8999
+ handleUpdate: handleUpdate$1,
9000
+ handleUpsert: handleUpsert$1
9001
+ });
9002
+
9003
+ async function handleInsert({ resource, data, mappedData }) {
9004
+ const bodyContent = JSON.stringify(mappedData);
9005
+ return {
9006
+ mappedData: {},
9007
+ body: bodyContent
9008
+ };
9009
+ }
9010
+ async function handleUpdate({ resource, id, data, mappedData }) {
9011
+ const bodyContent = JSON.stringify(mappedData);
9012
+ return {
9013
+ mappedData: {},
9014
+ body: bodyContent
9015
+ };
9016
+ }
9017
+ async function handleUpsert({ resource, id, data, mappedData }) {
9018
+ const bodyContent = JSON.stringify(mappedData);
9019
+ return {
9020
+ mappedData: {},
9021
+ body: bodyContent
9022
+ };
9023
+ }
9024
+ async function handleGet({ resource, metadata, body }) {
9025
+ try {
9026
+ const bodyData = body ? JSON.parse(body) : {};
9027
+ return {
9028
+ metadata: bodyData,
9029
+ body: ""
9030
+ };
9031
+ } catch (error) {
9032
+ console.warn(`Failed to parse body-only content:`, error.message);
9033
+ return {
9034
+ metadata,
9035
+ body: ""
9036
+ };
9037
+ }
9038
+ }
9039
+
9040
+ var bodyOnly = /*#__PURE__*/Object.freeze({
8911
9041
  __proto__: null,
8912
9042
  handleGet: handleGet,
8913
9043
  handleInsert: handleInsert,
@@ -8916,10 +9046,11 @@ ${JSON.stringify(validation, null, 2)}`, {
8916
9046
  });
8917
9047
 
8918
9048
  const behaviors = {
8919
- "user-management": userManagement,
9049
+ "user-managed": userManaged,
8920
9050
  "enforce-limits": enforceLimits,
8921
9051
  "data-truncate": dataTruncate,
8922
- "body-overflow": bodyOverflow
9052
+ "body-overflow": bodyOverflow,
9053
+ "body-only": bodyOnly
8923
9054
  };
8924
9055
  function getBehavior(behaviorName) {
8925
9056
  const behavior = behaviors[behaviorName];
@@ -8929,8 +9060,11 @@ ${JSON.stringify(validation, null, 2)}`, {
8929
9060
  return behavior;
8930
9061
  }
8931
9062
  const AVAILABLE_BEHAVIORS = Object.keys(behaviors);
8932
- const DEFAULT_BEHAVIOR = "user-management";
9063
+ const DEFAULT_BEHAVIOR = "user-managed";
8933
9064
 
9065
+ function createIdGeneratorWithSize(size) {
9066
+ return nanoid.customAlphabet(nanoid.urlAlphabet, size);
9067
+ }
8934
9068
  class Resource extends EventEmitter {
8935
9069
  /**
8936
9070
  * Create a new Resource instance
@@ -8939,7 +9073,7 @@ ${JSON.stringify(validation, null, 2)}`, {
8939
9073
  * @param {Object} config.client - S3 client instance
8940
9074
  * @param {string} [config.version='v0'] - Resource version
8941
9075
  * @param {Object} [config.attributes={}] - Resource attributes schema
8942
- * @param {string} [config.behavior='user-management'] - Resource behavior strategy
9076
+ * @param {string} [config.behavior='user-managed'] - Resource behavior strategy
8943
9077
  * @param {string} [config.passphrase='secret'] - Encryption passphrase
8944
9078
  * @param {number} [config.parallelism=10] - Parallelism for bulk operations
8945
9079
  * @param {Array} [config.observers=[]] - Observer instances
@@ -8951,6 +9085,9 @@ ${JSON.stringify(validation, null, 2)}`, {
8951
9085
  * @param {boolean} [config.allNestedObjectsOptional=false] - Make nested objects optional
8952
9086
  * @param {Object} [config.hooks={}] - Custom hooks
8953
9087
  * @param {Object} [config.options={}] - Additional options
9088
+ * @param {Function} [config.idGenerator] - Custom ID generator function
9089
+ * @param {number} [config.idSize=22] - Size for auto-generated IDs
9090
+ * @param {boolean} [config.versioningEnabled=false] - Enable versioning for this resource
8954
9091
  * @example
8955
9092
  * const users = new Resource({
8956
9093
  * name: 'users',
@@ -8960,7 +9097,7 @@ ${JSON.stringify(validation, null, 2)}`, {
8960
9097
  * email: 'string|required',
8961
9098
  * password: 'secret|required'
8962
9099
  * },
8963
- * behavior: 'user-management',
9100
+ * behavior: 'user-managed',
8964
9101
  * passphrase: 'my-secret-key',
8965
9102
  * timestamps: true,
8966
9103
  * partitions: {
@@ -8975,6 +9112,30 @@ ${JSON.stringify(validation, null, 2)}`, {
8975
9112
  * }]
8976
9113
  * }
8977
9114
  * });
9115
+ *
9116
+ * // With custom ID size
9117
+ * const shortIdUsers = new Resource({
9118
+ * name: 'users',
9119
+ * client: s3Client,
9120
+ * attributes: { name: 'string|required' },
9121
+ * idSize: 8 // Generate 8-character IDs
9122
+ * });
9123
+ *
9124
+ * // With custom ID generator function
9125
+ * const customIdUsers = new Resource({
9126
+ * name: 'users',
9127
+ * client: s3Client,
9128
+ * attributes: { name: 'string|required' },
9129
+ * idGenerator: () => `user_${Date.now()}_${Math.random().toString(36).substr(2, 5)}`
9130
+ * });
9131
+ *
9132
+ * // With custom ID generator using size parameter
9133
+ * const longIdUsers = new Resource({
9134
+ * name: 'users',
9135
+ * client: s3Client,
9136
+ * attributes: { name: 'string|required' },
9137
+ * idGenerator: 32 // Generate 32-character IDs (same as idSize: 32)
9138
+ * });
8978
9139
  */
8979
9140
  constructor(config) {
8980
9141
  super();
@@ -8998,7 +9159,10 @@ ${validation.errors.join("\n")}`);
8998
9159
  partitions = {},
8999
9160
  paranoid = true,
9000
9161
  allNestedObjectsOptional = true,
9001
- hooks = {}
9162
+ hooks = {},
9163
+ idGenerator: customIdGenerator,
9164
+ idSize = 22,
9165
+ versioningEnabled = false
9002
9166
  } = config;
9003
9167
  this.name = name;
9004
9168
  this.client = client;
@@ -9007,6 +9171,8 @@ ${validation.errors.join("\n")}`);
9007
9171
  this.observers = observers;
9008
9172
  this.parallelism = parallelism;
9009
9173
  this.passphrase = passphrase ?? "secret";
9174
+ this.versioningEnabled = versioningEnabled;
9175
+ this.idGenerator = this.configureIdGenerator(customIdGenerator, idSize);
9010
9176
  this.config = {
9011
9177
  cache,
9012
9178
  hooks,
@@ -9038,6 +9204,25 @@ ${validation.errors.join("\n")}`);
9038
9204
  }
9039
9205
  }
9040
9206
  }
9207
+ /**
9208
+ * Configure ID generator based on provided options
9209
+ * @param {Function|number} customIdGenerator - Custom ID generator function or size
9210
+ * @param {number} idSize - Size for auto-generated IDs
9211
+ * @returns {Function} Configured ID generator function
9212
+ * @private
9213
+ */
9214
+ configureIdGenerator(customIdGenerator, idSize) {
9215
+ if (typeof customIdGenerator === "function") {
9216
+ return customIdGenerator;
9217
+ }
9218
+ if (typeof customIdGenerator === "number" && customIdGenerator > 0) {
9219
+ return createIdGeneratorWithSize(customIdGenerator);
9220
+ }
9221
+ if (typeof idSize === "number" && idSize > 0) {
9222
+ return createIdGeneratorWithSize(idSize);
9223
+ }
9224
+ return idGenerator;
9225
+ }
9041
9226
  /**
9042
9227
  * Get resource options (for backward compatibility with tests)
9043
9228
  */
@@ -9094,6 +9279,15 @@ ${validation.errors.join("\n")}`);
9094
9279
  }
9095
9280
  }
9096
9281
  this.setupPartitionHooks();
9282
+ if (this.versioningEnabled) {
9283
+ if (!this.config.partitions.byVersion) {
9284
+ this.config.partitions.byVersion = {
9285
+ fields: {
9286
+ _v: "string"
9287
+ }
9288
+ };
9289
+ }
9290
+ }
9097
9291
  this.schema = new Schema({
9098
9292
  name: this.name,
9099
9293
  attributes: this.attributes,
@@ -9213,6 +9407,9 @@ ${validation.errors.join("\n")}`);
9213
9407
  * @returns {boolean} True if field exists
9214
9408
  */
9215
9409
  fieldExistsInAttributes(fieldName) {
9410
+ if (fieldName.startsWith("_")) {
9411
+ return true;
9412
+ }
9216
9413
  if (!fieldName.includes(".")) {
9217
9414
  return Object.keys(this.attributes || {}).includes(fieldName);
9218
9415
  }
@@ -9266,12 +9463,12 @@ ${validation.errors.join("\n")}`);
9266
9463
  return transformedValue;
9267
9464
  }
9268
9465
  /**
9269
- * Get the main resource key (always versioned path)
9466
+ * Get the main resource key (new format without version in path)
9270
9467
  * @param {string} id - Resource ID
9271
9468
  * @returns {string} The main S3 key path
9272
9469
  */
9273
9470
  getResourceKey(id) {
9274
- return join(`resource=${this.name}`, `v=${this.version}`, `id=${id}`);
9471
+ return join(`resource=${this.name}`, `data`, `id=${id}`);
9275
9472
  }
9276
9473
  /**
9277
9474
  * Generate partition key for a resource in a specific partition
@@ -9340,12 +9537,23 @@ ${validation.errors.join("\n")}`);
9340
9537
  }
9341
9538
  return currentLevel;
9342
9539
  }
9540
+ /**
9541
+ * Calculate estimated content length for body data
9542
+ * @param {string|Buffer} body - Body content
9543
+ * @returns {number} Estimated content length in bytes
9544
+ */
9545
+ calculateContentLength(body) {
9546
+ if (!body) return 0;
9547
+ if (Buffer.isBuffer(body)) return body.length;
9548
+ if (typeof body === "string") return Buffer.byteLength(body, "utf8");
9549
+ if (typeof body === "object") return Buffer.byteLength(JSON.stringify(body), "utf8");
9550
+ return Buffer.byteLength(String(body), "utf8");
9551
+ }
9343
9552
  /**
9344
9553
  * Insert a new resource object
9345
- * @param {Object} params - Insert parameters
9346
- * @param {string} [params.id] - Resource ID (auto-generated if not provided)
9347
- * @param {...Object} params - Resource attributes (any additional properties)
9348
- * @returns {Promise<Object>} The inserted resource object with all attributes and generated ID
9554
+ * @param {Object} attributes - Resource attributes
9555
+ * @param {string} [attributes.id] - Custom ID (optional, auto-generated if not provided)
9556
+ * @returns {Promise<Object>} The created resource object with all attributes
9349
9557
  * @example
9350
9558
  * // Insert with auto-generated ID
9351
9559
  * const user = await resource.insert({
@@ -9353,18 +9561,13 @@ ${validation.errors.join("\n")}`);
9353
9561
  * email: 'john@example.com',
9354
9562
  * age: 30
9355
9563
  * });
9564
+ * console.log(user.id); // Auto-generated ID
9356
9565
  *
9357
9566
  * // Insert with custom ID
9358
9567
  * const user = await resource.insert({
9359
- * id: 'custom-id-123',
9360
- * name: 'Jane Smith',
9361
- * email: 'jane@example.com'
9362
- * });
9363
- *
9364
- * // Insert with auto-generated password for secret field
9365
- * const user = await resource.insert({
9568
+ * id: 'user-123',
9366
9569
  * name: 'John Doe',
9367
- * email: 'john@example.com',
9570
+ * email: 'john@example.com'
9368
9571
  * });
9369
9572
  */
9370
9573
  async insert({ id, ...attributes }) {
@@ -9372,7 +9575,8 @@ ${validation.errors.join("\n")}`);
9372
9575
  attributes.createdAt = (/* @__PURE__ */ new Date()).toISOString();
9373
9576
  attributes.updatedAt = (/* @__PURE__ */ new Date()).toISOString();
9374
9577
  }
9375
- const preProcessedData = await this.executeHooks("preInsert", attributes);
9578
+ const completeData = { id, ...attributes };
9579
+ const preProcessedData = await this.executeHooks("preInsert", completeData);
9376
9580
  const {
9377
9581
  errors,
9378
9582
  isValid,
@@ -9386,21 +9590,34 @@ ${validation.errors.join("\n")}`);
9386
9590
  validation: errors
9387
9591
  });
9388
9592
  }
9389
- if (!id && id !== 0) id = idGenerator();
9390
- const mappedData = await this.schema.mapper(validated);
9593
+ const { id: validatedId, ...validatedAttributes } = validated;
9594
+ const finalId = validatedId || id || this.idGenerator();
9595
+ const mappedData = await this.schema.mapper(validatedAttributes);
9596
+ mappedData._v = String(this.version);
9391
9597
  const behaviorImpl = getBehavior(this.behavior);
9392
9598
  const { mappedData: processedMetadata, body } = await behaviorImpl.handleInsert({
9393
9599
  resource: this,
9394
- data: validated,
9600
+ data: validatedAttributes,
9395
9601
  mappedData
9396
9602
  });
9397
- const key = this.getResourceKey(id);
9603
+ const finalMetadata = processedMetadata;
9604
+ const key = this.getResourceKey(finalId);
9605
+ let contentType = void 0;
9606
+ if (body && body !== "") {
9607
+ try {
9608
+ JSON.parse(body);
9609
+ contentType = "application/json";
9610
+ } catch {
9611
+ }
9612
+ }
9398
9613
  await this.client.putObject({
9399
- metadata: processedMetadata,
9614
+ metadata: finalMetadata,
9400
9615
  key,
9401
- body
9616
+ body,
9617
+ contentType,
9618
+ contentLength: this.calculateContentLength(body)
9402
9619
  });
9403
- const final = lodashEs.merge({ id }, validated);
9620
+ const final = lodashEs.merge({ id: finalId }, validatedAttributes);
9404
9621
  await this.executeHooks("afterInsert", final);
9405
9622
  this.emit("insert", final);
9406
9623
  return final;
@@ -9419,7 +9636,8 @@ ${validation.errors.join("\n")}`);
9419
9636
  const key = this.getResourceKey(id);
9420
9637
  try {
9421
9638
  const request = await this.client.headObject(key);
9422
- const objectVersion = this.extractVersionFromKey(key) || this.version;
9639
+ const objectVersionRaw = request.Metadata?._v || this.version;
9640
+ const objectVersion = typeof objectVersionRaw === "string" && objectVersionRaw.startsWith("v") ? objectVersionRaw.slice(1) : objectVersionRaw;
9423
9641
  const schema = await this.getSchemaForVersion(objectVersion);
9424
9642
  let metadata = await schema.unmapper(request.Metadata);
9425
9643
  const behaviorImpl = getBehavior(this.behavior);
@@ -9444,9 +9662,13 @@ ${validation.errors.join("\n")}`);
9444
9662
  data._lastModified = request.LastModified;
9445
9663
  data._hasContent = request.ContentLength > 0;
9446
9664
  data._mimeType = request.ContentType || null;
9665
+ data._v = objectVersion;
9447
9666
  if (request.VersionId) data._versionId = request.VersionId;
9448
9667
  if (request.Expiration) data._expiresAt = request.Expiration;
9449
9668
  data._definitionHash = this.getDefinitionHash();
9669
+ if (objectVersion !== this.version) {
9670
+ data = await this.applyVersionMapping(data, objectVersion, this.version);
9671
+ }
9450
9672
  this.emit("get", data);
9451
9673
  return data;
9452
9674
  } catch (error) {
@@ -9552,28 +9774,30 @@ ${validation.errors.join("\n")}`);
9552
9774
  attributes.updatedAt = (/* @__PURE__ */ new Date()).toISOString();
9553
9775
  }
9554
9776
  const preProcessedData = await this.executeHooks("preUpdate", attributes);
9555
- const attrs = lodashEs.merge(originalData, preProcessedData);
9556
- delete attrs.id;
9557
- const { isValid, errors, data: validated } = await this.validate(attrs);
9777
+ const completeData = { ...originalData, ...preProcessedData, id };
9778
+ const { isValid, errors, data: validated } = await this.validate(completeData);
9558
9779
  if (!isValid) {
9559
9780
  throw new InvalidResourceItem({
9560
- bucket: this.client.bucket,
9781
+ bucket: this.client.config.bucket,
9561
9782
  resourceName: this.name,
9562
9783
  attributes: preProcessedData,
9563
9784
  validation: errors
9564
9785
  });
9565
9786
  }
9787
+ const { id: validatedId, ...validatedAttributes } = validated;
9566
9788
  const oldData = { ...originalData, id };
9567
- const newData = { ...validated, id };
9789
+ const newData = { ...validatedAttributes, id };
9568
9790
  await this.handlePartitionReferenceUpdates(oldData, newData);
9569
- const mappedData = await this.schema.mapper(validated);
9791
+ const mappedData = await this.schema.mapper(validatedAttributes);
9792
+ mappedData._v = String(this.version);
9570
9793
  const behaviorImpl = getBehavior(this.behavior);
9571
9794
  const { mappedData: processedMetadata, body } = await behaviorImpl.handleUpdate({
9572
9795
  resource: this,
9573
9796
  id,
9574
- data: validated,
9797
+ data: validatedAttributes,
9575
9798
  mappedData
9576
9799
  });
9800
+ const finalMetadata = processedMetadata;
9577
9801
  const key = this.getResourceKey(id);
9578
9802
  let existingContentType = void 0;
9579
9803
  let finalBody = body;
@@ -9593,16 +9817,27 @@ ${validation.errors.join("\n")}`);
9593
9817
  } catch (error) {
9594
9818
  }
9595
9819
  }
9820
+ let finalContentType = existingContentType;
9821
+ if (finalBody && finalBody !== "" && !finalContentType) {
9822
+ try {
9823
+ JSON.parse(finalBody);
9824
+ finalContentType = "application/json";
9825
+ } catch {
9826
+ }
9827
+ }
9828
+ if (this.versioningEnabled && originalData._v !== this.version) {
9829
+ await this.createHistoricalVersion(id, originalData);
9830
+ }
9596
9831
  await this.client.putObject({
9597
9832
  key,
9598
9833
  body: finalBody,
9599
- contentType: existingContentType,
9600
- metadata: processedMetadata
9834
+ contentType: finalContentType,
9835
+ metadata: finalMetadata
9601
9836
  });
9602
- validated.id = id;
9603
- await this.executeHooks("afterUpdate", validated);
9604
- this.emit("update", preProcessedData, validated);
9605
- return validated;
9837
+ validatedAttributes.id = id;
9838
+ await this.executeHooks("afterUpdate", validatedAttributes);
9839
+ this.emit("update", preProcessedData, validatedAttributes);
9840
+ return validatedAttributes;
9606
9841
  }
9607
9842
  /**
9608
9843
  * Delete a resource object by ID
@@ -9691,11 +9926,9 @@ ${validation.errors.join("\n")}`);
9691
9926
  prefix = `resource=${this.name}/partition=${partition}`;
9692
9927
  }
9693
9928
  } else {
9694
- prefix = `resource=${this.name}/v=${this.version}`;
9929
+ prefix = `resource=${this.name}/data`;
9695
9930
  }
9696
- const count = await this.client.count({
9697
- prefix
9698
- });
9931
+ const count = await this.client.count({ prefix });
9699
9932
  this.emit("count", count);
9700
9933
  return count;
9701
9934
  }
@@ -9762,7 +9995,7 @@ ${validation.errors.join("\n")}`);
9762
9995
  `deleteAll() is a dangerous operation and requires paranoid: false option. Current paranoid setting: ${this.config.paranoid}`
9763
9996
  );
9764
9997
  }
9765
- const prefix = `resource=${this.name}/v=${this.version}`;
9998
+ const prefix = `resource=${this.name}/data`;
9766
9999
  const deletedCount = await this.client.deleteAll({ prefix });
9767
10000
  this.emit("deleteAll", {
9768
10001
  version: this.version,
@@ -9840,7 +10073,7 @@ ${validation.errors.join("\n")}`);
9840
10073
  prefix = `resource=${this.name}/partition=${partition}`;
9841
10074
  }
9842
10075
  } else {
9843
- prefix = `resource=${this.name}/v=${this.version}`;
10076
+ prefix = `resource=${this.name}/data`;
9844
10077
  }
9845
10078
  const keys = await this.client.getKeysPage({
9846
10079
  prefix,
@@ -9857,200 +10090,221 @@ ${validation.errors.join("\n")}`);
9857
10090
  return ids;
9858
10091
  }
9859
10092
  /**
9860
- * List resource objects with optional partition filtering and pagination
10093
+ * List resources with optional partition filtering and pagination
9861
10094
  * @param {Object} [params] - List parameters
9862
10095
  * @param {string} [params.partition] - Partition name to list from
9863
10096
  * @param {Object} [params.partitionValues] - Partition field values to filter by
9864
- * @param {number} [params.limit] - Maximum number of results to return
9865
- * @param {number} [params.offset=0] - Offset for pagination
9866
- * @returns {Promise<Object[]>} Array of resource objects with all attributes
10097
+ * @param {number} [params.limit] - Maximum number of results
10098
+ * @param {number} [params.offset=0] - Number of results to skip
10099
+ * @returns {Promise<Object[]>} Array of resource objects
9867
10100
  * @example
9868
10101
  * // List all resources
9869
10102
  * const allUsers = await resource.list();
9870
10103
  *
9871
10104
  * // List with pagination
9872
- * const firstPage = await resource.list({ limit: 10, offset: 0 });
9873
- * const secondPage = await resource.list({ limit: 10, offset: 10 });
10105
+ * const first10 = await resource.list({ limit: 10, offset: 0 });
9874
10106
  *
9875
10107
  * // List from specific partition
9876
- * const googleUsers = await resource.list({
9877
- * partition: 'byUtmSource',
9878
- * partitionValues: { 'utm.source': 'google' }
9879
- * });
9880
- *
9881
- * // List from partition with pagination
9882
- * const googleUsersPage = await resource.list({
9883
- * partition: 'byUtmSource',
9884
- * partitionValues: { 'utm.source': 'google' },
9885
- * limit: 5,
9886
- * offset: 0
10108
+ * const usUsers = await resource.list({
10109
+ * partition: 'byCountry',
10110
+ * partitionValues: { 'profile.country': 'US' }
9887
10111
  * });
9888
10112
  */
9889
10113
  async list({ partition = null, partitionValues = {}, limit, offset = 0 } = {}) {
9890
10114
  try {
9891
10115
  if (!partition) {
9892
- let ids2 = [];
9893
- try {
9894
- ids2 = await this.listIds({ partition, partitionValues });
9895
- } catch (listIdsError) {
9896
- console.warn(`Failed to get list IDs:`, listIdsError.message);
9897
- return [];
9898
- }
9899
- let filteredIds2 = ids2.slice(offset);
9900
- if (limit) {
9901
- filteredIds2 = filteredIds2.slice(0, limit);
9902
- }
9903
- const { results: results2, errors: errors2 } = await promisePool.PromisePool.for(filteredIds2).withConcurrency(this.parallelism).handleError(async (error, id) => {
9904
- console.warn(`Failed to get resource ${id}:`, error.message);
9905
- return null;
9906
- }).process(async (id) => {
9907
- try {
9908
- return await this.get(id);
9909
- } catch (error) {
9910
- if (error.message.includes("Cipher job failed") || error.message.includes("OperationError")) {
9911
- console.warn(`Decryption failed for ${id}, returning basic info`);
9912
- return {
9913
- id,
9914
- _decryptionFailed: true,
9915
- _error: error.message
9916
- };
9917
- }
9918
- throw error;
9919
- }
9920
- });
9921
- const validResults2 = results2.filter((item) => item !== null);
9922
- this.emit("list", { partition, partitionValues, count: validResults2.length, errors: errors2.length });
9923
- return validResults2;
9924
- }
9925
- if (!this.config.partitions || !this.config.partitions[partition]) {
9926
- console.warn(`Partition '${partition}' not found in resource '${this.name}'`);
9927
- this.emit("list", { partition, partitionValues, count: 0, errors: 0 });
9928
- return [];
9929
- }
9930
- const partitionDef = this.config.partitions[partition];
9931
- const partitionSegments = [];
9932
- const sortedFields = Object.entries(partitionDef.fields).sort(([a], [b]) => a.localeCompare(b));
9933
- for (const [fieldName, rule] of sortedFields) {
9934
- const value = partitionValues[fieldName];
9935
- if (value !== void 0 && value !== null) {
9936
- const transformedValue = this.applyPartitionRule(value, rule);
9937
- partitionSegments.push(`${fieldName}=${transformedValue}`);
9938
- }
9939
- }
9940
- let prefix;
9941
- if (partitionSegments.length > 0) {
9942
- prefix = `resource=${this.name}/partition=${partition}/${partitionSegments.join("/")}`;
9943
- } else {
9944
- prefix = `resource=${this.name}/partition=${partition}`;
9945
- }
9946
- let keys = [];
9947
- try {
9948
- keys = await this.client.getAllKeys({ prefix });
9949
- } catch (getKeysError) {
9950
- console.warn(`Failed to get partition keys:`, getKeysError.message);
9951
- return [];
10116
+ return await this.listMain({ limit, offset });
9952
10117
  }
9953
- const ids = keys.map((key) => {
9954
- const parts = key.split("/");
9955
- const idPart = parts.find((part) => part.startsWith("id="));
9956
- return idPart ? idPart.replace("id=", "") : null;
9957
- }).filter(Boolean);
9958
- let filteredIds = ids.slice(offset);
9959
- if (limit) {
9960
- filteredIds = filteredIds.slice(0, limit);
9961
- }
9962
- const { results, errors } = await promisePool.PromisePool.for(filteredIds).withConcurrency(this.parallelism).handleError(async (error, id) => {
9963
- console.warn(`Failed to get partition resource ${id}:`, error.message);
9964
- return null;
9965
- }).process(async (id) => {
9966
- try {
9967
- const keyForId = keys.find((key) => key.includes(`id=${id}`));
9968
- if (!keyForId) {
9969
- throw new Error(`Partition key not found for ID ${id}`);
9970
- }
9971
- const keyParts = keyForId.split("/");
9972
- const actualPartitionValues = {};
9973
- for (const [fieldName, rule] of sortedFields) {
9974
- const fieldPart = keyParts.find((part) => part.startsWith(`${fieldName}=`));
9975
- if (fieldPart) {
9976
- const value = fieldPart.replace(`${fieldName}=`, "");
9977
- actualPartitionValues[fieldName] = value;
9978
- }
9979
- }
9980
- return await this.getFromPartition({ id, partitionName: partition, partitionValues: actualPartitionValues });
9981
- } catch (error) {
9982
- if (error.message.includes("Cipher job failed") || error.message.includes("OperationError")) {
9983
- console.warn(`Decryption failed for partition resource ${id}, returning basic info`);
9984
- return {
9985
- id,
9986
- _partition: partition,
9987
- _partitionValues: partitionValues,
9988
- _decryptionFailed: true,
9989
- _error: error.message
9990
- };
9991
- }
9992
- throw error;
9993
- }
9994
- });
9995
- const validResults = results.filter((item) => item !== null);
9996
- this.emit("list", { partition, partitionValues, count: validResults.length, errors: errors.length });
9997
- return validResults;
10118
+ return await this.listPartition({ partition, partitionValues, limit, offset });
9998
10119
  } catch (error) {
9999
- if (error.message.includes("Partition '") && error.message.includes("' not found")) {
10000
- console.warn(`Partition error in list method:`, error.message);
10001
- this.emit("list", { partition, partitionValues, count: 0, errors: 1 });
10002
- return [];
10003
- }
10004
- console.error(`Critical error in list method:`, error.message);
10005
- this.emit("list", { partition, partitionValues, count: 0, errors: 1 });
10006
- return [];
10120
+ return this.handleListError(error, { partition, partitionValues });
10007
10121
  }
10008
10122
  }
10009
10123
  /**
10010
- * Get multiple resources by their IDs
10011
- * @param {string[]} ids - Array of resource IDs
10012
- * @returns {Promise<Object[]>} Array of resource objects
10013
- * @example
10014
- * const users = await resource.getMany(['user-1', 'user-2', 'user-3']);
10015
- * users.forEach(user => console.log(user.name));
10124
+ * List resources from main resource (no partition)
10016
10125
  */
10017
- async getMany(ids) {
10018
- const { results, errors } = await promisePool.PromisePool.for(ids).withConcurrency(this.client.parallelism).handleError(async (error, id) => {
10019
- console.warn(`Failed to get resource ${id}:`, error.message);
10020
- return {
10021
- id,
10022
- _error: error.message,
10023
- _decryptionFailed: error.message.includes("Cipher job failed") || error.message.includes("OperationError")
10024
- };
10025
- }).process(async (id) => {
10026
- this.emit("id", id);
10027
- try {
10028
- const data = await this.get(id);
10029
- this.emit("data", data);
10030
- return data;
10031
- } catch (error) {
10032
- if (error.message.includes("Cipher job failed") || error.message.includes("OperationError")) {
10033
- console.warn(`Decryption failed for ${id}, returning basic info`);
10034
- return {
10035
- id,
10036
- _decryptionFailed: true,
10037
- _error: error.message
10038
- };
10039
- }
10040
- throw error;
10041
- }
10042
- });
10043
- this.emit("getMany", ids.length);
10126
+ async listMain({ limit, offset = 0 }) {
10127
+ const ids = await this.listIds({ limit, offset });
10128
+ const results = await this.processListResults(ids, "main");
10129
+ this.emit("list", { count: results.length, errors: 0 });
10044
10130
  return results;
10045
10131
  }
10046
10132
  /**
10047
- * Get all resources (equivalent to list() without pagination)
10048
- * @returns {Promise<Object[]>} Array of all resource objects
10049
- * @example
10050
- * const allUsers = await resource.getAll();
10051
- * console.log(`Total users: ${allUsers.length}`);
10133
+ * List resources from specific partition
10052
10134
  */
10053
- async getAll() {
10135
+ async listPartition({ partition, partitionValues, limit, offset = 0 }) {
10136
+ if (!this.config.partitions?.[partition]) {
10137
+ console.warn(`Partition '${partition}' not found in resource '${this.name}'`);
10138
+ this.emit("list", { partition, partitionValues, count: 0, errors: 0 });
10139
+ return [];
10140
+ }
10141
+ const partitionDef = this.config.partitions[partition];
10142
+ const prefix = this.buildPartitionPrefix(partition, partitionDef, partitionValues);
10143
+ const keys = await this.client.getAllKeys({ prefix });
10144
+ const ids = this.extractIdsFromKeys(keys).slice(offset);
10145
+ const filteredIds = limit ? ids.slice(0, limit) : ids;
10146
+ const results = await this.processPartitionResults(filteredIds, partition, partitionDef, keys);
10147
+ this.emit("list", { partition, partitionValues, count: results.length, errors: 0 });
10148
+ return results;
10149
+ }
10150
+ /**
10151
+ * Build partition prefix from partition definition and values
10152
+ */
10153
+ buildPartitionPrefix(partition, partitionDef, partitionValues) {
10154
+ const partitionSegments = [];
10155
+ const sortedFields = Object.entries(partitionDef.fields).sort(([a], [b]) => a.localeCompare(b));
10156
+ for (const [fieldName, rule] of sortedFields) {
10157
+ const value = partitionValues[fieldName];
10158
+ if (value !== void 0 && value !== null) {
10159
+ const transformedValue = this.applyPartitionRule(value, rule);
10160
+ partitionSegments.push(`${fieldName}=${transformedValue}`);
10161
+ }
10162
+ }
10163
+ if (partitionSegments.length > 0) {
10164
+ return `resource=${this.name}/partition=${partition}/${partitionSegments.join("/")}`;
10165
+ }
10166
+ return `resource=${this.name}/partition=${partition}`;
10167
+ }
10168
+ /**
10169
+ * Extract IDs from S3 keys
10170
+ */
10171
+ extractIdsFromKeys(keys) {
10172
+ return keys.map((key) => {
10173
+ const parts = key.split("/");
10174
+ const idPart = parts.find((part) => part.startsWith("id="));
10175
+ return idPart ? idPart.replace("id=", "") : null;
10176
+ }).filter(Boolean);
10177
+ }
10178
+ /**
10179
+ * Process list results with error handling
10180
+ */
10181
+ async processListResults(ids, context = "main") {
10182
+ const { results, errors } = await promisePool.PromisePool.for(ids).withConcurrency(this.parallelism).handleError(async (error, id) => {
10183
+ console.warn(`Failed to get ${context} resource ${id}:`, error.message);
10184
+ return null;
10185
+ }).process(async (id) => {
10186
+ try {
10187
+ return await this.get(id);
10188
+ } catch (error) {
10189
+ return this.handleResourceError(error, id, context);
10190
+ }
10191
+ });
10192
+ return results.filter((item) => item !== null);
10193
+ }
10194
+ /**
10195
+ * Process partition results with error handling
10196
+ */
10197
+ async processPartitionResults(ids, partition, partitionDef, keys) {
10198
+ const sortedFields = Object.entries(partitionDef.fields).sort(([a], [b]) => a.localeCompare(b));
10199
+ const { results, errors } = await promisePool.PromisePool.for(ids).withConcurrency(this.parallelism).handleError(async (error, id) => {
10200
+ console.warn(`Failed to get partition resource ${id}:`, error.message);
10201
+ return null;
10202
+ }).process(async (id) => {
10203
+ try {
10204
+ const actualPartitionValues = this.extractPartitionValuesFromKey(id, keys, sortedFields);
10205
+ return await this.getFromPartition({
10206
+ id,
10207
+ partitionName: partition,
10208
+ partitionValues: actualPartitionValues
10209
+ });
10210
+ } catch (error) {
10211
+ return this.handleResourceError(error, id, "partition");
10212
+ }
10213
+ });
10214
+ return results.filter((item) => item !== null);
10215
+ }
10216
+ /**
10217
+ * Extract partition values from S3 key for specific ID
10218
+ */
10219
+ extractPartitionValuesFromKey(id, keys, sortedFields) {
10220
+ const keyForId = keys.find((key) => key.includes(`id=${id}`));
10221
+ if (!keyForId) {
10222
+ throw new Error(`Partition key not found for ID ${id}`);
10223
+ }
10224
+ const keyParts = keyForId.split("/");
10225
+ const actualPartitionValues = {};
10226
+ for (const [fieldName] of sortedFields) {
10227
+ const fieldPart = keyParts.find((part) => part.startsWith(`${fieldName}=`));
10228
+ if (fieldPart) {
10229
+ const value = fieldPart.replace(`${fieldName}=`, "");
10230
+ actualPartitionValues[fieldName] = value;
10231
+ }
10232
+ }
10233
+ return actualPartitionValues;
10234
+ }
10235
+ /**
10236
+ * Handle resource-specific errors
10237
+ */
10238
+ handleResourceError(error, id, context) {
10239
+ if (error.message.includes("Cipher job failed") || error.message.includes("OperationError")) {
10240
+ console.warn(`Decryption failed for ${context} resource ${id}, returning basic info`);
10241
+ return {
10242
+ id,
10243
+ _decryptionFailed: true,
10244
+ _error: error.message,
10245
+ ...context === "partition" && { _partition: context }
10246
+ };
10247
+ }
10248
+ throw error;
10249
+ }
10250
+ /**
10251
+ * Handle list method errors
10252
+ */
10253
+ handleListError(error, { partition, partitionValues }) {
10254
+ if (error.message.includes("Partition '") && error.message.includes("' not found")) {
10255
+ console.warn(`Partition error in list method:`, error.message);
10256
+ this.emit("list", { partition, partitionValues, count: 0, errors: 1 });
10257
+ return [];
10258
+ }
10259
+ console.error(`Critical error in list method:`, error.message);
10260
+ this.emit("list", { partition, partitionValues, count: 0, errors: 1 });
10261
+ return [];
10262
+ }
10263
+ /**
10264
+ * Get multiple resources by their IDs
10265
+ * @param {string[]} ids - Array of resource IDs
10266
+ * @returns {Promise<Object[]>} Array of resource objects
10267
+ * @example
10268
+ * const users = await resource.getMany(['user-1', 'user-2', 'user-3']);
10269
+ * users.forEach(user => console.log(user.name));
10270
+ */
10271
+ async getMany(ids) {
10272
+ const { results, errors } = await promisePool.PromisePool.for(ids).withConcurrency(this.client.parallelism).handleError(async (error, id) => {
10273
+ console.warn(`Failed to get resource ${id}:`, error.message);
10274
+ return {
10275
+ id,
10276
+ _error: error.message,
10277
+ _decryptionFailed: error.message.includes("Cipher job failed") || error.message.includes("OperationError")
10278
+ };
10279
+ }).process(async (id) => {
10280
+ this.emit("id", id);
10281
+ try {
10282
+ const data = await this.get(id);
10283
+ this.emit("data", data);
10284
+ return data;
10285
+ } catch (error) {
10286
+ if (error.message.includes("Cipher job failed") || error.message.includes("OperationError")) {
10287
+ console.warn(`Decryption failed for ${id}, returning basic info`);
10288
+ return {
10289
+ id,
10290
+ _decryptionFailed: true,
10291
+ _error: error.message
10292
+ };
10293
+ }
10294
+ throw error;
10295
+ }
10296
+ });
10297
+ this.emit("getMany", ids.length);
10298
+ return results;
10299
+ }
10300
+ /**
10301
+ * Get all resources (equivalent to list() without pagination)
10302
+ * @returns {Promise<Object[]>} Array of all resource objects
10303
+ * @example
10304
+ * const allUsers = await resource.getAll();
10305
+ * console.log(`Total users: ${allUsers.length}`);
10306
+ */
10307
+ async getAll() {
10054
10308
  let ids = await this.listIds();
10055
10309
  if (ids.length === 0) return [];
10056
10310
  const { results, errors } = await promisePool.PromisePool.for(ids).withConcurrency(this.client.parallelism).handleError(async (error, id) => {
@@ -10352,21 +10606,14 @@ ${validation.errors.join("\n")}`);
10352
10606
  for (const [partitionName, partition] of Object.entries(partitions)) {
10353
10607
  const partitionKey = this.getPartitionKey({ partitionName, id: data.id, data });
10354
10608
  if (partitionKey) {
10355
- const mappedData = await this.schema.mapper(data);
10356
- const behaviorImpl = getBehavior(this.behavior);
10357
- const { mappedData: processedMetadata, body } = await behaviorImpl.handleInsert({
10358
- resource: this,
10359
- data,
10360
- mappedData
10361
- });
10362
10609
  const partitionMetadata = {
10363
- ...processedMetadata,
10364
- _version: this.version
10610
+ _v: String(this.version)
10365
10611
  };
10366
10612
  await this.client.putObject({
10367
10613
  key: partitionKey,
10368
10614
  metadata: partitionMetadata,
10369
- body
10615
+ body: "",
10616
+ contentType: void 0
10370
10617
  });
10371
10618
  }
10372
10619
  }
@@ -10523,25 +10770,14 @@ ${validation.errors.join("\n")}`);
10523
10770
  }
10524
10771
  if (newPartitionKey) {
10525
10772
  try {
10526
- const mappedData = await this.schema.mapper(newData);
10527
- if (mappedData.undefined !== void 0) delete mappedData.undefined;
10528
- const behaviorImpl = getBehavior(this.behavior);
10529
- const { mappedData: processedMetadata, body } = await behaviorImpl.handleUpdate({
10530
- resource: this,
10531
- id,
10532
- data: newData,
10533
- mappedData
10534
- });
10535
- if (processedMetadata.undefined !== void 0) delete processedMetadata.undefined;
10536
10773
  const partitionMetadata = {
10537
- ...processedMetadata,
10538
- _version: this.version
10774
+ _v: String(this.version)
10539
10775
  };
10540
- if (partitionMetadata.undefined !== void 0) delete partitionMetadata.undefined;
10541
10776
  await this.client.putObject({
10542
10777
  key: newPartitionKey,
10543
10778
  metadata: partitionMetadata,
10544
- body
10779
+ body: "",
10780
+ contentType: void 0
10545
10781
  });
10546
10782
  } catch (error) {
10547
10783
  console.warn(`New partition object could not be created for ${partitionName}:`, error.message);
@@ -10549,25 +10785,14 @@ ${validation.errors.join("\n")}`);
10549
10785
  }
10550
10786
  } else if (newPartitionKey) {
10551
10787
  try {
10552
- const mappedData = await this.schema.mapper(newData);
10553
- if (mappedData.undefined !== void 0) delete mappedData.undefined;
10554
- const behaviorImpl = getBehavior(this.behavior);
10555
- const { mappedData: processedMetadata, body } = await behaviorImpl.handleUpdate({
10556
- resource: this,
10557
- id,
10558
- data: newData,
10559
- mappedData
10560
- });
10561
- if (processedMetadata.undefined !== void 0) delete processedMetadata.undefined;
10562
10788
  const partitionMetadata = {
10563
- ...processedMetadata,
10564
- _version: this.version
10789
+ _v: String(this.version)
10565
10790
  };
10566
- if (partitionMetadata.undefined !== void 0) delete partitionMetadata.undefined;
10567
10791
  await this.client.putObject({
10568
10792
  key: newPartitionKey,
10569
10793
  metadata: partitionMetadata,
10570
- body
10794
+ body: "",
10795
+ contentType: void 0
10571
10796
  });
10572
10797
  } catch (error) {
10573
10798
  console.warn(`Partition object could not be updated for ${partitionName}:`, error.message);
@@ -10590,23 +10815,15 @@ ${validation.errors.join("\n")}`);
10590
10815
  }
10591
10816
  const partitionKey = this.getPartitionKey({ partitionName, id: data.id, data });
10592
10817
  if (partitionKey) {
10593
- const mappedData = await this.schema.mapper(data);
10594
- const behaviorImpl = getBehavior(this.behavior);
10595
- const { mappedData: processedMetadata, body } = await behaviorImpl.handleUpdate({
10596
- resource: this,
10597
- id: data.id,
10598
- data,
10599
- mappedData
10600
- });
10601
10818
  const partitionMetadata = {
10602
- ...processedMetadata,
10603
- _version: this.version
10819
+ _v: String(this.version)
10604
10820
  };
10605
10821
  try {
10606
10822
  await this.client.putObject({
10607
10823
  key: partitionKey,
10608
10824
  metadata: partitionMetadata,
10609
- body
10825
+ body: "",
10826
+ contentType: void 0
10610
10827
  });
10611
10828
  } catch (error) {
10612
10829
  console.warn(`Partition object could not be updated for ${partitionName}:`, error.message);
@@ -10656,40 +10873,75 @@ ${validation.errors.join("\n")}`);
10656
10873
  throw new Error(`No partition values provided for partition '${partitionName}'`);
10657
10874
  }
10658
10875
  const partitionKey = join(`resource=${this.name}`, `partition=${partitionName}`, ...partitionSegments, `id=${id}`);
10659
- const request = await this.client.headObject(partitionKey);
10660
- const objectVersion = request.Metadata?._version || this.version;
10661
- const schema = await this.getSchemaForVersion(objectVersion);
10662
- let metadata = await schema.unmapper(request.Metadata);
10663
- const behaviorImpl = getBehavior(this.behavior);
10664
- let body = "";
10665
- if (request.ContentLength > 0) {
10666
- try {
10667
- const fullObject = await this.client.getObject(partitionKey);
10668
- body = await streamToString(fullObject.Body);
10669
- } catch (error) {
10670
- body = "";
10671
- }
10876
+ try {
10877
+ await this.client.headObject(partitionKey);
10878
+ } catch (error) {
10879
+ throw new Error(`Resource with id '${id}' not found in partition '${partitionName}'`);
10672
10880
  }
10673
- const { metadata: processedMetadata } = await behaviorImpl.handleGet({
10674
- resource: this,
10675
- metadata,
10676
- body
10677
- });
10678
- let data = processedMetadata;
10679
- data.id = id;
10680
- data._contentLength = request.ContentLength;
10681
- data._lastModified = request.LastModified;
10682
- data._hasContent = request.ContentLength > 0;
10683
- data._mimeType = request.ContentType || null;
10881
+ const data = await this.get(id);
10684
10882
  data._partition = partitionName;
10685
10883
  data._partitionValues = partitionValues;
10686
- if (request.VersionId) data._versionId = request.VersionId;
10687
- if (request.Expiration) data._expiresAt = request.Expiration;
10688
- data._definitionHash = this.getDefinitionHash();
10689
- if (data.undefined !== void 0) delete data.undefined;
10690
10884
  this.emit("getFromPartition", data);
10691
10885
  return data;
10692
10886
  }
10887
+ /**
10888
+ * Create a historical version of an object
10889
+ * @param {string} id - Resource ID
10890
+ * @param {Object} data - Object data to store historically
10891
+ */
10892
+ async createHistoricalVersion(id, data) {
10893
+ const historicalKey = join(`resource=${this.name}`, `historical`, `id=${id}`);
10894
+ const historicalData = {
10895
+ ...data,
10896
+ _v: data._v || this.version,
10897
+ _historicalTimestamp: (/* @__PURE__ */ new Date()).toISOString()
10898
+ };
10899
+ const mappedData = await this.schema.mapper(historicalData);
10900
+ const behaviorImpl = getBehavior(this.behavior);
10901
+ const { mappedData: processedMetadata, body } = await behaviorImpl.handleInsert({
10902
+ resource: this,
10903
+ data: historicalData,
10904
+ mappedData
10905
+ });
10906
+ const finalMetadata = {
10907
+ ...processedMetadata,
10908
+ _v: data._v || this.version,
10909
+ _historicalTimestamp: historicalData._historicalTimestamp
10910
+ };
10911
+ let contentType = void 0;
10912
+ if (body && body !== "") {
10913
+ try {
10914
+ JSON.parse(body);
10915
+ contentType = "application/json";
10916
+ } catch {
10917
+ }
10918
+ }
10919
+ await this.client.putObject({
10920
+ key: historicalKey,
10921
+ metadata: finalMetadata,
10922
+ body,
10923
+ contentType
10924
+ });
10925
+ }
10926
+ /**
10927
+ * Apply version mapping to convert an object from one version to another
10928
+ * @param {Object} data - Object data to map
10929
+ * @param {string} fromVersion - Source version
10930
+ * @param {string} toVersion - Target version
10931
+ * @returns {Object} Mapped object data
10932
+ */
10933
+ async applyVersionMapping(data, fromVersion, toVersion) {
10934
+ if (fromVersion === toVersion) {
10935
+ return data;
10936
+ }
10937
+ const mappedData = {
10938
+ ...data,
10939
+ _v: toVersion,
10940
+ _originalVersion: fromVersion,
10941
+ _versionMapped: true
10942
+ };
10943
+ return mappedData;
10944
+ }
10693
10945
  }
10694
10946
  function validateResourceConfig(config) {
10695
10947
  const errors = [];
@@ -10735,6 +10987,20 @@ ${validation.errors.join("\n")}`);
10735
10987
  errors.push(`Resource '${field}' must be a boolean`);
10736
10988
  }
10737
10989
  }
10990
+ if (config.idGenerator !== void 0) {
10991
+ if (typeof config.idGenerator !== "function" && typeof config.idGenerator !== "number") {
10992
+ errors.push("Resource 'idGenerator' must be a function or a number (size)");
10993
+ } else if (typeof config.idGenerator === "number" && config.idGenerator <= 0) {
10994
+ errors.push("Resource 'idGenerator' size must be greater than 0");
10995
+ }
10996
+ }
10997
+ if (config.idSize !== void 0) {
10998
+ if (typeof config.idSize !== "number" || !Number.isInteger(config.idSize)) {
10999
+ errors.push("Resource 'idSize' must be an integer");
11000
+ } else if (config.idSize <= 0) {
11001
+ errors.push("Resource 'idSize' must be greater than 0");
11002
+ }
11003
+ }
10738
11004
  if (config.partitions !== void 0) {
10739
11005
  if (typeof config.partitions !== "object" || Array.isArray(config.partitions)) {
10740
11006
  errors.push("Resource 'partitions' must be an object");
@@ -10790,7 +11056,7 @@ ${validation.errors.join("\n")}`);
10790
11056
  this.version = "1";
10791
11057
  this.s3dbVersion = (() => {
10792
11058
  try {
10793
- return true ? "5.0.0" : "latest";
11059
+ return true ? "6.0.0" : "latest";
10794
11060
  } catch (e) {
10795
11061
  return "latest";
10796
11062
  }
@@ -10801,8 +11067,10 @@ ${validation.errors.join("\n")}`);
10801
11067
  this.verbose = options.verbose || false;
10802
11068
  this.parallelism = parseInt(options.parallelism + "") || 10;
10803
11069
  this.plugins = options.plugins || [];
11070
+ this.pluginList = options.plugins || [];
10804
11071
  this.cache = options.cache;
10805
11072
  this.passphrase = options.passphrase || "secret";
11073
+ this.versioningEnabled = options.versioningEnabled || false;
10806
11074
  let connectionString = options.connectionString;
10807
11075
  if (!connectionString && (options.bucket || options.accessKeyId || options.secretAccessKey)) {
10808
11076
  const { bucket, region, accessKeyId, secretAccessKey, endpoint, forcePathStyle } = options;
@@ -10853,7 +11121,7 @@ ${validation.errors.join("\n")}`);
10853
11121
  client: this.client,
10854
11122
  version: currentVersion,
10855
11123
  attributes: versionData.attributes,
10856
- behavior: versionData.behavior || "user-management",
11124
+ behavior: versionData.behavior || "user-managed",
10857
11125
  parallelism: this.parallelism,
10858
11126
  passphrase: this.passphrase,
10859
11127
  observers: [this],
@@ -10863,7 +11131,8 @@ ${validation.errors.join("\n")}`);
10863
11131
  paranoid: versionData.paranoid !== void 0 ? versionData.paranoid : true,
10864
11132
  allNestedObjectsOptional: versionData.allNestedObjectsOptional !== void 0 ? versionData.allNestedObjectsOptional : true,
10865
11133
  autoDecrypt: versionData.autoDecrypt !== void 0 ? versionData.autoDecrypt : true,
10866
- hooks: versionData.hooks || {}
11134
+ hooks: versionData.hooks || {},
11135
+ versioningEnabled: this.versioningEnabled
10867
11136
  });
10868
11137
  }
10869
11138
  }
@@ -10938,7 +11207,7 @@ ${validation.errors.join("\n")}`);
10938
11207
  }
10939
11208
  const hashObj = {
10940
11209
  attributes: stableAttributes,
10941
- behavior: behavior || definition.behavior || "user-management"
11210
+ behavior: behavior || definition.behavior || "user-managed"
10942
11211
  };
10943
11212
  const stableString = jsonStableStringify(hashObj);
10944
11213
  return `sha256:${crypto.createHash("sha256").update(stableString).digest("hex")}`;
@@ -10955,8 +11224,8 @@ ${validation.errors.join("\n")}`);
10955
11224
  }
10956
11225
  async startPlugins() {
10957
11226
  const db = this;
10958
- if (!lodashEs.isEmpty(this.plugins)) {
10959
- const plugins = this.plugins.map((p) => lodashEs.isFunction(p) ? new p(this) : p);
11227
+ if (!lodashEs.isEmpty(this.pluginList)) {
11228
+ const plugins = this.pluginList.map((p) => lodashEs.isFunction(p) ? new p(this) : p);
10960
11229
  const setupProms = plugins.map(async (plugin) => {
10961
11230
  if (plugin.beforeSetup) await plugin.beforeSetup();
10962
11231
  await plugin.setup(db);
@@ -10971,6 +11240,20 @@ ${validation.errors.join("\n")}`);
10971
11240
  await Promise.all(startProms);
10972
11241
  }
10973
11242
  }
11243
+ /**
11244
+ * Register and setup a plugin
11245
+ * @param {Plugin} plugin - Plugin instance to register
11246
+ * @param {string} [name] - Optional name for the plugin (defaults to plugin.constructor.name)
11247
+ */
11248
+ async usePlugin(plugin, name = null) {
11249
+ const pluginName = name || plugin.constructor.name.replace("Plugin", "").toLowerCase();
11250
+ this.plugins[pluginName] = plugin;
11251
+ if (this.isConnected()) {
11252
+ await plugin.setup(this);
11253
+ await plugin.start();
11254
+ }
11255
+ return plugin;
11256
+ }
10974
11257
  async uploadMetadataFile() {
10975
11258
  const metadata = {
10976
11259
  version: this.version,
@@ -11001,7 +11284,7 @@ ${validation.errors.join("\n")}`);
11001
11284
  [version]: {
11002
11285
  hash: definitionHash,
11003
11286
  attributes: resourceDef.attributes,
11004
- behavior: resourceDef.behavior || "user-management",
11287
+ behavior: resourceDef.behavior || "user-managed",
11005
11288
  timestamps: resource.config.timestamps,
11006
11289
  partitions: resource.config.partitions,
11007
11290
  paranoid: resource.config.paranoid,
@@ -11050,7 +11333,7 @@ ${validation.errors.join("\n")}`);
11050
11333
  * @param {Object} [config.options] - Resource options (deprecated, use root level parameters)
11051
11334
  * @returns {Object} Result with exists and hash information
11052
11335
  */
11053
- resourceExistsWithSameHash({ name, attributes, behavior = "user-management", options = {} }) {
11336
+ resourceExistsWithSameHash({ name, attributes, behavior = "user-managed", options = {} }) {
11054
11337
  if (!this.resources[name]) {
11055
11338
  return { exists: false, sameHash: false, hash: null };
11056
11339
  }
@@ -11063,6 +11346,7 @@ ${validation.errors.join("\n")}`);
11063
11346
  client: this.client,
11064
11347
  version: existingResource.version,
11065
11348
  passphrase: this.passphrase,
11349
+ versioningEnabled: this.versioningEnabled,
11066
11350
  ...options
11067
11351
  });
11068
11352
  const newHash = this.generateDefinitionHash(mockResource.export());
@@ -11073,7 +11357,7 @@ ${validation.errors.join("\n")}`);
11073
11357
  existingHash
11074
11358
  };
11075
11359
  }
11076
- async createResource({ name, attributes, behavior = "user-management", hooks, ...config }) {
11360
+ async createResource({ name, attributes, behavior = "user-managed", hooks, ...config }) {
11077
11361
  if (this.resources[name]) {
11078
11362
  const existingResource = this.resources[name];
11079
11363
  Object.assign(existingResource.config, {
@@ -11083,6 +11367,7 @@ ${validation.errors.join("\n")}`);
11083
11367
  if (behavior) {
11084
11368
  existingResource.behavior = behavior;
11085
11369
  }
11370
+ existingResource.versioningEnabled = this.versioningEnabled;
11086
11371
  existingResource.updateAttributes(attributes);
11087
11372
  if (hooks) {
11088
11373
  for (const [event, hooksArr] of Object.entries(hooks)) {
@@ -11117,6 +11402,7 @@ ${validation.errors.join("\n")}`);
11117
11402
  passphrase: this.passphrase,
11118
11403
  cache: this.cache,
11119
11404
  hooks,
11405
+ versioningEnabled: this.versioningEnabled,
11120
11406
  ...config
11121
11407
  });
11122
11408
  this.resources[name] = resource;
@@ -17583,12 +17869,117 @@ ${validation.errors.join("\n")}`);
17583
17869
  }
17584
17870
 
17585
17871
  class Plugin extends EventEmitter {
17872
+ constructor(options = {}) {
17873
+ super();
17874
+ this.name = this.constructor.name;
17875
+ this.options = options;
17876
+ this.hooks = /* @__PURE__ */ new Map();
17877
+ }
17586
17878
  async setup(database) {
17879
+ this.database = database;
17880
+ this.beforeSetup();
17881
+ await this.onSetup();
17882
+ this.afterSetup();
17587
17883
  }
17588
17884
  async start() {
17885
+ this.beforeStart();
17886
+ await this.onStart();
17887
+ this.afterStart();
17589
17888
  }
17590
17889
  async stop() {
17890
+ this.beforeStop();
17891
+ await this.onStop();
17892
+ this.afterStop();
17893
+ }
17894
+ // Override these methods in subclasses
17895
+ async onSetup() {
17896
+ }
17897
+ async onStart() {
17898
+ }
17899
+ async onStop() {
17900
+ }
17901
+ // Hook management methods
17902
+ addHook(resource, event, handler) {
17903
+ if (!this.hooks.has(resource)) {
17904
+ this.hooks.set(resource, /* @__PURE__ */ new Map());
17905
+ }
17906
+ const resourceHooks = this.hooks.get(resource);
17907
+ if (!resourceHooks.has(event)) {
17908
+ resourceHooks.set(event, []);
17909
+ }
17910
+ resourceHooks.get(event).push(handler);
17911
+ }
17912
+ removeHook(resource, event, handler) {
17913
+ const resourceHooks = this.hooks.get(resource);
17914
+ if (resourceHooks && resourceHooks.has(event)) {
17915
+ const handlers = resourceHooks.get(event);
17916
+ const index = handlers.indexOf(handler);
17917
+ if (index > -1) {
17918
+ handlers.splice(index, 1);
17919
+ }
17920
+ }
17921
+ }
17922
+ // Enhanced resource method wrapping that supports multiple plugins
17923
+ wrapResourceMethod(resource, methodName, wrapper) {
17924
+ const originalMethod = resource[methodName];
17925
+ if (!resource._pluginWrappers) {
17926
+ resource._pluginWrappers = /* @__PURE__ */ new Map();
17927
+ }
17928
+ if (!resource._pluginWrappers.has(methodName)) {
17929
+ resource._pluginWrappers.set(methodName, []);
17930
+ }
17931
+ resource._pluginWrappers.get(methodName).push(wrapper);
17932
+ if (!resource[`_wrapped_${methodName}`]) {
17933
+ resource[`_wrapped_${methodName}`] = originalMethod;
17934
+ const isJestMock = originalMethod && originalMethod._isMockFunction;
17935
+ resource[methodName] = async function(...args) {
17936
+ let result = await resource[`_wrapped_${methodName}`](...args);
17937
+ for (const wrapper2 of resource._pluginWrappers.get(methodName)) {
17938
+ result = await wrapper2.call(this, result, args, methodName);
17939
+ }
17940
+ return result;
17941
+ };
17942
+ if (isJestMock) {
17943
+ Object.setPrototypeOf(resource[methodName], Object.getPrototypeOf(originalMethod));
17944
+ Object.assign(resource[methodName], originalMethod);
17945
+ }
17946
+ }
17947
+ }
17948
+ // Partition-aware helper methods
17949
+ getPartitionValues(data, resource) {
17950
+ if (!resource.config?.partitions) return {};
17951
+ const partitionValues = {};
17952
+ for (const [partitionName, partitionDef] of Object.entries(resource.config.partitions)) {
17953
+ if (partitionDef.fields) {
17954
+ partitionValues[partitionName] = {};
17955
+ for (const [fieldName, rule] of Object.entries(partitionDef.fields)) {
17956
+ const value = this.getNestedFieldValue(data, fieldName);
17957
+ if (value !== null && value !== void 0) {
17958
+ partitionValues[partitionName][fieldName] = resource.applyPartitionRule(value, rule);
17959
+ }
17960
+ }
17961
+ } else {
17962
+ partitionValues[partitionName] = {};
17963
+ }
17964
+ }
17965
+ return partitionValues;
17966
+ }
17967
+ getNestedFieldValue(data, fieldPath) {
17968
+ if (!fieldPath.includes(".")) {
17969
+ return data[fieldPath] ?? null;
17970
+ }
17971
+ const keys = fieldPath.split(".");
17972
+ let value = data;
17973
+ for (const key of keys) {
17974
+ if (value && typeof value === "object" && key in value) {
17975
+ value = value[key];
17976
+ } else {
17977
+ return null;
17978
+ }
17979
+ }
17980
+ return value ?? null;
17591
17981
  }
17982
+ // Event emission methods
17592
17983
  beforeSetup() {
17593
17984
  this.emit("plugin.beforeSetup", /* @__PURE__ */ new Date());
17594
17985
  }
@@ -17618,208 +18009,2871 @@ ${validation.errors.join("\n")}`);
17618
18009
  }
17619
18010
  };
17620
18011
 
17621
- const CostsPlugin = {
17622
- async setup(db) {
17623
- this.client = db.client;
17624
- this.map = {
17625
- PutObjectCommand: "put",
17626
- GetObjectCommand: "get",
17627
- HeadObjectCommand: "get",
17628
- DeleteObjectCommand: "delete",
17629
- DeleteObjectsCommand: "delete",
17630
- ListObjectsV2Command: "list"
18012
+ class AuditPlugin extends Plugin {
18013
+ constructor(options = {}) {
18014
+ super(options);
18015
+ this.auditResource = null;
18016
+ this.config = {
18017
+ enabled: options.enabled !== false,
18018
+ includeData: options.includeData !== false,
18019
+ includePartitions: options.includePartitions !== false,
18020
+ maxDataSize: options.maxDataSize || 1e4,
18021
+ // 10KB limit
18022
+ ...options
17631
18023
  };
17632
- this.costs = {
17633
- total: 0,
17634
- prices: {
17635
- put: 5e-3 / 1e3,
17636
- copy: 5e-3 / 1e3,
17637
- list: 5e-3 / 1e3,
17638
- post: 5e-3 / 1e3,
17639
- get: 4e-4 / 1e3,
17640
- select: 4e-4 / 1e3,
17641
- delete: 4e-4 / 1e3
17642
- },
17643
- requests: {
17644
- total: 0,
17645
- put: 0,
17646
- post: 0,
17647
- copy: 0,
17648
- list: 0,
17649
- get: 0,
17650
- select: 0,
17651
- delete: 0
17652
- },
17653
- events: {
17654
- total: 0,
17655
- PutObjectCommand: 0,
17656
- GetObjectCommand: 0,
17657
- HeadObjectCommand: 0,
17658
- DeleteObjectCommand: 0,
17659
- DeleteObjectsCommand: 0,
17660
- ListObjectsV2Command: 0
18024
+ }
18025
+ async onSetup() {
18026
+ if (!this.config.enabled) {
18027
+ this.auditResource = null;
18028
+ return;
18029
+ }
18030
+ try {
18031
+ this.auditResource = await this.database.createResource({
18032
+ name: "audits",
18033
+ attributes: {
18034
+ id: "string|required",
18035
+ resourceName: "string|required",
18036
+ operation: "string|required",
18037
+ recordId: "string|required",
18038
+ userId: "string|optional",
18039
+ timestamp: "string|required",
18040
+ oldData: "string|optional",
18041
+ newData: "string|optional",
18042
+ partition: "string|optional",
18043
+ partitionValues: "string|optional",
18044
+ metadata: "string|optional"
18045
+ }
18046
+ });
18047
+ } catch (error) {
18048
+ try {
18049
+ this.auditResource = this.database.resources.audits;
18050
+ } catch (innerError) {
18051
+ this.auditResource = null;
18052
+ return;
18053
+ }
18054
+ }
18055
+ this.installDatabaseProxy();
18056
+ this.installResourceHooks();
18057
+ }
18058
+ async onStart() {
18059
+ }
18060
+ async onStop() {
18061
+ }
18062
+ installDatabaseProxy() {
18063
+ if (this.database._auditProxyInstalled) {
18064
+ return;
18065
+ }
18066
+ const installResourceHooksForResource = this.installResourceHooksForResource.bind(this);
18067
+ this.database._originalCreateResource = this.database.createResource;
18068
+ this.database.createResource = async function(...args) {
18069
+ const resource = await this._originalCreateResource(...args);
18070
+ if (resource.name !== "audit_logs") {
18071
+ installResourceHooksForResource(resource);
17661
18072
  }
18073
+ return resource;
17662
18074
  };
17663
- this.client.costs = JSON.parse(JSON.stringify(this.costs));
17664
- },
17665
- async start() {
17666
- this.client.on("command.response", (name) => this.addRequest(name, this.map[name]));
17667
- },
17668
- addRequest(name, method) {
17669
- this.costs.events[name]++;
17670
- this.costs.events.total++;
17671
- this.costs.requests.total++;
17672
- this.costs.requests[method]++;
17673
- this.costs.total += this.costs.prices[method];
17674
- this.client.costs.events[name]++;
17675
- this.client.costs.events.total++;
17676
- this.client.costs.requests.total++;
17677
- this.client.costs.requests[method]++;
17678
- this.client.costs.total += this.client.costs.prices[method];
18075
+ this.database._auditProxyInstalled = true;
18076
+ }
18077
+ installResourceHooks() {
18078
+ for (const resource of Object.values(this.database.resources)) {
18079
+ if (resource.name === "audits") continue;
18080
+ this.installResourceHooksForResource(resource);
18081
+ }
18082
+ }
18083
+ installResourceHooksForResource(resource) {
18084
+ this.wrapResourceMethod(resource, "insert", async (result, args, methodName) => {
18085
+ const [data] = args;
18086
+ const recordId = data.id || result.id || "auto-generated";
18087
+ const partitionValues = this.config.includePartitions ? this.getPartitionValues(data, resource) : null;
18088
+ const auditRecord = {
18089
+ id: `audit-${Date.now()}-${Math.random().toString(36).substr(2, 9)}`,
18090
+ resourceName: resource.name,
18091
+ operation: "insert",
18092
+ recordId,
18093
+ userId: this.getCurrentUserId?.() || "system",
18094
+ timestamp: (/* @__PURE__ */ new Date()).toISOString(),
18095
+ oldData: null,
18096
+ newData: this.config.includeData === false ? null : JSON.stringify(this.truncateData(data)),
18097
+ partition: this.config.includePartitions ? this.getPrimaryPartition(partitionValues) : null,
18098
+ partitionValues: this.config.includePartitions ? partitionValues ? Object.keys(partitionValues).length > 0 ? JSON.stringify(partitionValues) : null : null : null,
18099
+ metadata: JSON.stringify({
18100
+ source: "audit-plugin",
18101
+ version: "2.0"
18102
+ })
18103
+ };
18104
+ this.logAudit(auditRecord).catch(console.error);
18105
+ return result;
18106
+ });
18107
+ this.wrapResourceMethod(resource, "update", async (result, args, methodName) => {
18108
+ const [id, data] = args;
18109
+ let oldData = null;
18110
+ if (this.config.includeData) {
18111
+ try {
18112
+ oldData = await resource.get(id);
18113
+ } catch (error) {
18114
+ }
18115
+ }
18116
+ const partitionValues = this.config.includePartitions ? this.getPartitionValues(result, resource) : null;
18117
+ const auditRecord = {
18118
+ id: `audit-${Date.now()}-${Math.random().toString(36).substr(2, 9)}`,
18119
+ resourceName: resource.name,
18120
+ operation: "update",
18121
+ recordId: id,
18122
+ userId: this.getCurrentUserId?.() || "system",
18123
+ timestamp: (/* @__PURE__ */ new Date()).toISOString(),
18124
+ oldData: oldData && this.config.includeData === false ? null : oldData ? JSON.stringify(this.truncateData(oldData)) : null,
18125
+ newData: this.config.includeData === false ? null : JSON.stringify(this.truncateData(result)),
18126
+ partition: this.config.includePartitions ? this.getPrimaryPartition(partitionValues) : null,
18127
+ partitionValues: this.config.includePartitions ? partitionValues ? Object.keys(partitionValues).length > 0 ? JSON.stringify(partitionValues) : null : null : null,
18128
+ metadata: JSON.stringify({
18129
+ source: "audit-plugin",
18130
+ version: "2.0"
18131
+ })
18132
+ };
18133
+ this.logAudit(auditRecord).catch(console.error);
18134
+ return result;
18135
+ });
18136
+ this.wrapResourceMethod(resource, "delete", async (result, args, methodName) => {
18137
+ const [id] = args;
18138
+ let oldData = null;
18139
+ if (this.config.includeData) {
18140
+ try {
18141
+ oldData = await resource.get(id);
18142
+ } catch (error) {
18143
+ }
18144
+ }
18145
+ const partitionValues = oldData && this.config.includePartitions ? this.getPartitionValues(oldData, resource) : null;
18146
+ const auditRecord = {
18147
+ id: `audit-${Date.now()}-${Math.random().toString(36).substr(2, 9)}`,
18148
+ resourceName: resource.name,
18149
+ operation: "delete",
18150
+ recordId: id,
18151
+ userId: this.getCurrentUserId?.() || "system",
18152
+ timestamp: (/* @__PURE__ */ new Date()).toISOString(),
18153
+ oldData: oldData && this.config.includeData === false ? null : oldData ? JSON.stringify(this.truncateData(oldData)) : null,
18154
+ newData: null,
18155
+ partition: this.config.includePartitions ? this.getPrimaryPartition(partitionValues) : null,
18156
+ partitionValues: this.config.includePartitions ? partitionValues ? Object.keys(partitionValues).length > 0 ? JSON.stringify(partitionValues) : null : null : null,
18157
+ metadata: JSON.stringify({
18158
+ source: "audit-plugin",
18159
+ version: "2.0"
18160
+ })
18161
+ };
18162
+ this.logAudit(auditRecord).catch(console.error);
18163
+ return result;
18164
+ });
18165
+ this.wrapResourceMethod(resource, "deleteMany", async (result, args, methodName) => {
18166
+ const [ids] = args;
18167
+ const auditRecords = [];
18168
+ if (this.config.includeData) {
18169
+ for (const id of ids) {
18170
+ try {
18171
+ const oldData = await resource.get(id);
18172
+ const partitionValues = this.config.includePartitions ? this.getPartitionValues(oldData, resource) : null;
18173
+ auditRecords.push({
18174
+ id: `audit-${Date.now()}-${Math.random().toString(36).substr(2, 9)}`,
18175
+ resourceName: resource.name,
18176
+ operation: "delete",
18177
+ recordId: id,
18178
+ userId: this.getCurrentUserId?.() || "system",
18179
+ timestamp: (/* @__PURE__ */ new Date()).toISOString(),
18180
+ oldData: this.config.includeData === false ? null : JSON.stringify(this.truncateData(oldData)),
18181
+ newData: null,
18182
+ partition: this.config.includePartitions ? this.getPrimaryPartition(partitionValues) : null,
18183
+ partitionValues: this.config.includePartitions ? partitionValues ? Object.keys(partitionValues).length > 0 ? JSON.stringify(partitionValues) : null : null : null,
18184
+ metadata: JSON.stringify({
18185
+ source: "audit-plugin",
18186
+ version: "2.0",
18187
+ batchOperation: true
18188
+ })
18189
+ });
18190
+ } catch (error) {
18191
+ }
18192
+ }
18193
+ }
18194
+ for (const auditRecord of auditRecords) {
18195
+ this.logAudit(auditRecord).catch(console.error);
18196
+ }
18197
+ return result;
18198
+ });
17679
18199
  }
17680
- };
18200
+ getPartitionValues(data, resource) {
18201
+ const partitions = resource.config?.partitions || {};
18202
+ const partitionValues = {};
18203
+ for (const [partitionName, partitionDef] of Object.entries(partitions)) {
18204
+ if (partitionDef.fields) {
18205
+ const partitionData = {};
18206
+ for (const [fieldName, fieldRule] of Object.entries(partitionDef.fields)) {
18207
+ const fieldValue = this.getNestedFieldValue(data, fieldName);
18208
+ if (fieldValue !== void 0 && fieldValue !== null) {
18209
+ partitionData[fieldName] = fieldValue;
18210
+ }
18211
+ }
18212
+ if (Object.keys(partitionData).length > 0) {
18213
+ partitionValues[partitionName] = partitionData;
18214
+ }
18215
+ }
18216
+ }
18217
+ return partitionValues;
18218
+ }
18219
+ getNestedFieldValue(data, fieldPath) {
18220
+ if (!fieldPath.includes(".")) {
18221
+ return data[fieldPath];
18222
+ }
18223
+ const keys = fieldPath.split(".");
18224
+ let currentLevel = data;
18225
+ for (const key of keys) {
18226
+ if (!currentLevel || typeof currentLevel !== "object" || !(key in currentLevel)) {
18227
+ return void 0;
18228
+ }
18229
+ currentLevel = currentLevel[key];
18230
+ }
18231
+ return currentLevel;
18232
+ }
18233
+ getPrimaryPartition(partitionValues) {
18234
+ if (!partitionValues) return null;
18235
+ const partitionNames = Object.keys(partitionValues);
18236
+ return partitionNames.length > 0 ? partitionNames[0] : null;
18237
+ }
18238
+ async logAudit(auditRecord) {
18239
+ if (!this.auditResource) return;
18240
+ try {
18241
+ await this.auditResource.insert(auditRecord);
18242
+ } catch (error) {
18243
+ console.error("Failed to log audit record:", error);
18244
+ if (error && error.stack) console.error(error.stack);
18245
+ }
18246
+ }
18247
+ truncateData(data) {
18248
+ if (!data) return data;
18249
+ const dataStr = JSON.stringify(data);
18250
+ if (dataStr.length <= this.config.maxDataSize) {
18251
+ return data;
18252
+ }
18253
+ return {
18254
+ ...data,
18255
+ _truncated: true,
18256
+ _originalSize: dataStr.length,
18257
+ _truncatedAt: (/* @__PURE__ */ new Date()).toISOString()
18258
+ };
18259
+ }
18260
+ // Utility methods for querying audit logs
18261
+ async getAuditLogs(options = {}) {
18262
+ if (!this.auditResource) return [];
18263
+ try {
18264
+ const {
18265
+ resourceName,
18266
+ operation,
18267
+ recordId,
18268
+ userId,
18269
+ partition,
18270
+ startDate,
18271
+ endDate,
18272
+ limit = 100,
18273
+ offset = 0
18274
+ } = options;
18275
+ const allAudits = await this.auditResource.getAll();
18276
+ let filtered = allAudits.filter((audit) => {
18277
+ if (resourceName && audit.resourceName !== resourceName) return false;
18278
+ if (operation && audit.operation !== operation) return false;
18279
+ if (recordId && audit.recordId !== recordId) return false;
18280
+ if (userId && audit.userId !== userId) return false;
18281
+ if (partition && audit.partition !== partition) return false;
18282
+ if (startDate && new Date(audit.timestamp) < new Date(startDate)) return false;
18283
+ if (endDate && new Date(audit.timestamp) > new Date(endDate)) return false;
18284
+ return true;
18285
+ });
18286
+ filtered.sort((a, b) => new Date(b.timestamp) - new Date(a.timestamp));
18287
+ const deserialized = filtered.slice(offset, offset + limit).map((audit) => ({
18288
+ ...audit,
18289
+ oldData: audit.oldData ? JSON.parse(audit.oldData) : null,
18290
+ newData: audit.newData ? JSON.parse(audit.newData) : null,
18291
+ partitionValues: audit.partitionValues ? JSON.parse(audit.partitionValues) : null,
18292
+ metadata: audit.metadata ? JSON.parse(audit.metadata) : null
18293
+ }));
18294
+ return deserialized;
18295
+ } catch (error) {
18296
+ console.error("Failed to get audit logs:", error);
18297
+ if (error && error.stack) console.error(error.stack);
18298
+ return [];
18299
+ }
18300
+ }
18301
+ async getRecordHistory(resourceName, recordId) {
18302
+ return this.getAuditLogs({
18303
+ resourceName,
18304
+ recordId,
18305
+ limit: 1e3
18306
+ });
18307
+ }
18308
+ async getPartitionHistory(resourceName, partitionName, partitionValues) {
18309
+ return this.getAuditLogs({
18310
+ resourceName,
18311
+ partition: partitionName,
18312
+ limit: 1e3
18313
+ });
18314
+ }
18315
+ async getAuditStats(options = {}) {
18316
+ const {
18317
+ resourceName,
18318
+ startDate,
18319
+ endDate
18320
+ } = options;
18321
+ const allAudits = await this.getAuditLogs({
18322
+ resourceName,
18323
+ startDate,
18324
+ endDate,
18325
+ limit: 1e4
18326
+ });
18327
+ const stats = {
18328
+ total: allAudits.length,
18329
+ byOperation: {},
18330
+ byResource: {},
18331
+ byPartition: {},
18332
+ byUser: {},
18333
+ timeline: {}
18334
+ };
18335
+ for (const audit of allAudits) {
18336
+ stats.byOperation[audit.operation] = (stats.byOperation[audit.operation] || 0) + 1;
18337
+ stats.byResource[audit.resourceName] = (stats.byResource[audit.resourceName] || 0) + 1;
18338
+ if (audit.partition) {
18339
+ stats.byPartition[audit.partition] = (stats.byPartition[audit.partition] || 0) + 1;
18340
+ }
18341
+ stats.byUser[audit.userId] = (stats.byUser[audit.userId] || 0) + 1;
18342
+ const day = audit.timestamp.split("T")[0];
18343
+ stats.timeline[day] = (stats.timeline[day] || 0) + 1;
18344
+ }
18345
+ return stats;
18346
+ }
18347
+ }
17681
18348
 
17682
18349
  class CachePlugin extends Plugin {
17683
18350
  constructor(options = {}) {
17684
- super();
18351
+ super(options);
17685
18352
  this.driver = options.driver;
18353
+ this.config = {
18354
+ enabled: options.enabled !== false,
18355
+ includePartitions: options.includePartitions !== false,
18356
+ ...options
18357
+ };
17686
18358
  }
17687
18359
  async setup(database) {
17688
- this.database = database;
17689
- if (!this.driver) this.driver = new S3Cache({
17690
- keyPrefix: "cache",
17691
- client: database.client
17692
- });
17693
- this.installDatabaseProxy();
17694
- for (const resource of Object.values(database.resources)) {
17695
- this.installResourcesProxies(resource);
18360
+ if (!this.config.enabled) {
18361
+ return;
17696
18362
  }
18363
+ await super.setup(database);
17697
18364
  }
17698
- async start() {
18365
+ async onSetup() {
18366
+ if (this.config.driver) {
18367
+ this.driver = this.config.driver;
18368
+ } else if (this.config.driverType === "memory") {
18369
+ this.driver = new MemoryCache(this.config.memoryOptions || {});
18370
+ } else {
18371
+ this.driver = new S3Cache(this.config.s3Options || {});
18372
+ }
18373
+ this.installDatabaseProxy();
18374
+ this.installResourceHooks();
17699
18375
  }
17700
- async stop() {
18376
+ async onStart() {
18377
+ }
18378
+ async onStop() {
17701
18379
  }
17702
18380
  installDatabaseProxy() {
17703
- const installResourcesProxies = this.installResourcesProxies.bind(this);
17704
- this.database._createResource = this.database.createResource;
18381
+ if (this.database._cacheProxyInstalled) {
18382
+ return;
18383
+ }
18384
+ const installResourceHooks = this.installResourceHooks.bind(this);
18385
+ this.database._originalCreateResourceForCache = this.database.createResource;
17705
18386
  this.database.createResource = async function(...args) {
17706
- const resource = await this._createResource(...args);
17707
- installResourcesProxies(resource);
18387
+ const resource = await this._originalCreateResourceForCache(...args);
18388
+ installResourceHooks(resource);
17708
18389
  return resource;
17709
18390
  };
18391
+ this.database._cacheProxyInstalled = true;
18392
+ }
18393
+ installResourceHooks() {
18394
+ for (const resource of Object.values(this.database.resources)) {
18395
+ this.installResourceHooksForResource(resource);
18396
+ }
17710
18397
  }
17711
- installResourcesProxies(resource) {
18398
+ installResourceHooksForResource(resource) {
18399
+ if (!this.driver) return;
17712
18400
  resource.cache = this.driver;
17713
- let keyPrefix = `resource=${resource.name}`;
17714
- if (this.driver.keyPrefix) this.driver.keyPrefix = join(this.driver.keyPrefix, keyPrefix);
17715
- resource.cacheKeyFor = async function({
17716
- params = {},
17717
- action = "list"
17718
- }) {
17719
- let key = Object.keys(params).sort().map((x) => `${x}:${params[x]}`).join("|") || "empty";
17720
- key = await sha256(key);
17721
- key = join(keyPrefix, `action=${action}`, `${key}.json.gz`);
17722
- return key;
18401
+ resource.cacheKeyFor = async (options = {}) => {
18402
+ const { action, params = {}, partition, partitionValues } = options;
18403
+ return this.generateCacheKey(resource, action, params, partition, partitionValues);
17723
18404
  };
17724
- resource._count = resource.count;
17725
- resource._listIds = resource.listIds;
17726
- resource._getMany = resource.getMany;
17727
- resource._getAll = resource.getAll;
17728
- resource._page = resource.page;
17729
- resource.count = async function() {
17730
- const key = await this.cacheKeyFor({ action: "count" });
18405
+ resource._originalCount = resource.count;
18406
+ resource._originalListIds = resource.listIds;
18407
+ resource._originalGetMany = resource.getMany;
18408
+ resource._originalGetAll = resource.getAll;
18409
+ resource._originalPage = resource.page;
18410
+ resource._originalList = resource.list;
18411
+ resource.count = async function(options = {}) {
18412
+ const { partition, partitionValues } = options;
18413
+ const key = await resource.cacheKeyFor({
18414
+ action: "count",
18415
+ partition,
18416
+ partitionValues
18417
+ });
17731
18418
  try {
17732
- const cached = await this.cache.get(key);
17733
- if (cached) return cached;
18419
+ const cached = await resource.cache.get(key);
18420
+ if (cached !== null && cached !== void 0) return cached;
17734
18421
  } catch (err) {
17735
18422
  if (err.name !== "NoSuchKey") throw err;
17736
18423
  }
17737
- const data = await resource._count();
17738
- await this.cache.set(key, data);
17739
- return data;
18424
+ const result = await resource._originalCount(options);
18425
+ await resource.cache.set(key, result);
18426
+ return result;
17740
18427
  };
17741
- resource.listIds = async function() {
17742
- const key = await this.cacheKeyFor({ action: "listIds" });
18428
+ resource.listIds = async function(options = {}) {
18429
+ const { partition, partitionValues } = options;
18430
+ const key = await resource.cacheKeyFor({
18431
+ action: "listIds",
18432
+ partition,
18433
+ partitionValues
18434
+ });
17743
18435
  try {
17744
- const cached = await this.cache.get(key);
17745
- if (cached) return cached;
18436
+ const cached = await resource.cache.get(key);
18437
+ if (cached !== null && cached !== void 0) return cached;
17746
18438
  } catch (err) {
17747
18439
  if (err.name !== "NoSuchKey") throw err;
17748
18440
  }
17749
- const data = await resource._listIds();
17750
- await this.cache.set(key, data);
17751
- return data;
18441
+ const result = await resource._originalListIds(options);
18442
+ await resource.cache.set(key, result);
18443
+ return result;
17752
18444
  };
17753
18445
  resource.getMany = async function(ids) {
17754
- const key = await this.cacheKeyFor({
18446
+ const key = await resource.cacheKeyFor({
17755
18447
  action: "getMany",
17756
18448
  params: { ids }
17757
18449
  });
17758
18450
  try {
17759
- const cached = await this.cache.get(key);
17760
- if (cached) return cached;
18451
+ const cached = await resource.cache.get(key);
18452
+ if (cached !== null && cached !== void 0) return cached;
17761
18453
  } catch (err) {
17762
18454
  if (err.name !== "NoSuchKey") throw err;
17763
18455
  }
17764
- const data = await resource._getMany(ids);
17765
- await this.cache.set(key, data);
17766
- return data;
18456
+ const result = await resource._originalGetMany(ids);
18457
+ await resource.cache.set(key, result);
18458
+ return result;
17767
18459
  };
17768
18460
  resource.getAll = async function() {
17769
- const key = await this.cacheKeyFor({ action: "getAll" });
18461
+ const key = await resource.cacheKeyFor({ action: "getAll" });
17770
18462
  try {
17771
- const cached = await this.cache.get(key);
17772
- if (cached) return cached;
18463
+ const cached = await resource.cache.get(key);
18464
+ if (cached !== null && cached !== void 0) return cached;
17773
18465
  } catch (err) {
17774
18466
  if (err.name !== "NoSuchKey") throw err;
17775
18467
  }
17776
- const data = await resource._getAll();
17777
- await this.cache.set(key, data);
17778
- return data;
18468
+ const result = await resource._originalGetAll();
18469
+ await resource.cache.set(key, result);
18470
+ return result;
17779
18471
  };
17780
- resource.page = async function({ offset, size }) {
17781
- const key = await this.cacheKeyFor({
18472
+ resource.page = async function({ offset, size, partition, partitionValues } = {}) {
18473
+ const key = await resource.cacheKeyFor({
17782
18474
  action: "page",
17783
- params: { offset, size }
18475
+ params: { offset, size },
18476
+ partition,
18477
+ partitionValues
17784
18478
  });
17785
18479
  try {
17786
- const cached = await this.cache.get(key);
17787
- if (cached) return cached;
18480
+ const cached = await resource.cache.get(key);
18481
+ if (cached !== null && cached !== void 0) return cached;
17788
18482
  } catch (err) {
17789
18483
  if (err.name !== "NoSuchKey") throw err;
17790
18484
  }
17791
- const data = await resource._page({ offset, size });
17792
- await this.cache.set(key, data);
17793
- return data;
18485
+ const result = await resource._originalPage({ offset, size, partition, partitionValues });
18486
+ await resource.cache.set(key, result);
18487
+ return result;
17794
18488
  };
17795
- resource._insert = resource.insert;
17796
- resource._update = resource.update;
17797
- resource._delete = resource.delete;
17798
- resource._deleteMany = resource.deleteMany;
17799
- resource.insert = async function(...args) {
17800
- const data = await resource._insert(...args);
17801
- await this.cache.clear(keyPrefix);
17802
- return data;
18489
+ resource.list = async function(options = {}) {
18490
+ const { partition, partitionValues } = options;
18491
+ const key = await resource.cacheKeyFor({
18492
+ action: "list",
18493
+ partition,
18494
+ partitionValues
18495
+ });
18496
+ try {
18497
+ const cached = await resource.cache.get(key);
18498
+ if (cached !== null && cached !== void 0) return cached;
18499
+ } catch (err) {
18500
+ if (err.name !== "NoSuchKey") throw err;
18501
+ }
18502
+ const result = await resource._originalList(options);
18503
+ await resource.cache.set(key, result);
18504
+ return result;
17803
18505
  };
17804
- resource.update = async function(...args) {
17805
- const data = await resource._update(...args);
17806
- await this.cache.clear(keyPrefix);
17807
- return data;
18506
+ this.wrapResourceMethod(resource, "insert", async (result, args, methodName) => {
18507
+ const [data] = args;
18508
+ await this.clearCacheForResource(resource, data);
18509
+ return result;
18510
+ });
18511
+ this.wrapResourceMethod(resource, "update", async (result, args, methodName) => {
18512
+ const [id, data] = args;
18513
+ await this.clearCacheForResource(resource, { id, ...data });
18514
+ return result;
18515
+ });
18516
+ this.wrapResourceMethod(resource, "delete", async (result, args, methodName) => {
18517
+ const [id] = args;
18518
+ let data = { id };
18519
+ if (typeof resource.get === "function") {
18520
+ try {
18521
+ const full = await resource.get(id);
18522
+ if (full) data = full;
18523
+ } catch {
18524
+ }
18525
+ }
18526
+ await this.clearCacheForResource(resource, data);
18527
+ return result;
18528
+ });
18529
+ this.wrapResourceMethod(resource, "deleteMany", async (result, args, methodName) => {
18530
+ const [ids] = args;
18531
+ for (const id of ids) {
18532
+ let data = { id };
18533
+ if (typeof resource.get === "function") {
18534
+ try {
18535
+ const full = await resource.get(id);
18536
+ if (full) data = full;
18537
+ } catch {
18538
+ }
18539
+ }
18540
+ await this.clearCacheForResource(resource, data);
18541
+ }
18542
+ return result;
18543
+ });
18544
+ }
18545
+ async clearCacheForResource(resource, data) {
18546
+ if (!resource.cache) return;
18547
+ const keyPrefix = `resource=${resource.name}`;
18548
+ await resource.cache.clear(keyPrefix);
18549
+ if (this.config.includePartitions === true && resource.config?.partitions && Object.keys(resource.config.partitions).length > 0) {
18550
+ const partitionValues = this.getPartitionValues(data, resource);
18551
+ for (const [partitionName, values] of Object.entries(partitionValues)) {
18552
+ if (values && Object.keys(values).length > 0 && Object.values(values).some((v) => v !== null && v !== void 0)) {
18553
+ const partitionKeyPrefix = join(keyPrefix, `partition=${partitionName}`);
18554
+ await resource.cache.clear(partitionKeyPrefix);
18555
+ }
18556
+ }
18557
+ }
18558
+ }
18559
+ async generateCacheKey(resource, action, params = {}, partition = null, partitionValues = null) {
18560
+ const keyParts = [
18561
+ `resource=${resource.name}`,
18562
+ `action=${action}`
18563
+ ];
18564
+ if (partition && partitionValues && Object.keys(partitionValues).length > 0) {
18565
+ keyParts.push(`partition:${partition}`);
18566
+ for (const [field, value] of Object.entries(partitionValues)) {
18567
+ if (value !== null && value !== void 0) {
18568
+ keyParts.push(`${field}:${value}`);
18569
+ }
18570
+ }
18571
+ }
18572
+ if (Object.keys(params).length > 0) {
18573
+ const paramsHash = await this.hashParams(params);
18574
+ keyParts.push(paramsHash);
18575
+ }
18576
+ return join(...keyParts) + ".json.gz";
18577
+ }
18578
+ async hashParams(params) {
18579
+ const sortedParams = Object.keys(params).sort().map((key) => `${key}:${params[key]}`).join("|") || "empty";
18580
+ return await sha256(sortedParams);
18581
+ }
18582
+ // Utility methods
18583
+ async getCacheStats() {
18584
+ if (!this.driver) return null;
18585
+ return {
18586
+ size: await this.driver.size(),
18587
+ keys: await this.driver.keys(),
18588
+ driver: this.driver.constructor.name
17808
18589
  };
17809
- resource.delete = async function(...args) {
17810
- const data = await resource._delete(...args);
17811
- await this.cache.clear(keyPrefix);
17812
- return data;
18590
+ }
18591
+ async clearAllCache() {
18592
+ if (!this.driver) return;
18593
+ for (const resource of Object.values(this.database.resources)) {
18594
+ if (resource.cache) {
18595
+ const keyPrefix = `resource=${resource.name}`;
18596
+ await resource.cache.clear(keyPrefix);
18597
+ }
18598
+ }
18599
+ }
18600
+ async warmCache(resourceName, options = {}) {
18601
+ const resource = this.database.resources[resourceName];
18602
+ if (!resource) {
18603
+ throw new Error(`Resource '${resourceName}' not found`);
18604
+ }
18605
+ const { includePartitions = true } = options;
18606
+ await resource.getAll();
18607
+ if (includePartitions && resource.config.partitions) {
18608
+ for (const [partitionName, partitionDef] of Object.entries(resource.config.partitions)) {
18609
+ if (partitionDef.fields) {
18610
+ const allRecords = await resource.getAll();
18611
+ const recordsArray = Array.isArray(allRecords) ? allRecords : [];
18612
+ const partitionValues = /* @__PURE__ */ new Set();
18613
+ for (const record of recordsArray.slice(0, 10)) {
18614
+ const values = this.getPartitionValues(record, resource);
18615
+ if (values[partitionName]) {
18616
+ partitionValues.add(JSON.stringify(values[partitionName]));
18617
+ }
18618
+ }
18619
+ for (const partitionValueStr of partitionValues) {
18620
+ const partitionValues2 = JSON.parse(partitionValueStr);
18621
+ await resource.list({ partition: partitionName, partitionValues: partitionValues2 });
18622
+ }
18623
+ }
18624
+ }
18625
+ }
18626
+ }
18627
+ }
18628
+
18629
+ const CostsPlugin = {
18630
+ async setup(db) {
18631
+ if (!db || !db.client) {
18632
+ return;
18633
+ }
18634
+ this.client = db.client;
18635
+ this.map = {
18636
+ PutObjectCommand: "put",
18637
+ GetObjectCommand: "get",
18638
+ HeadObjectCommand: "head",
18639
+ DeleteObjectCommand: "delete",
18640
+ DeleteObjectsCommand: "delete",
18641
+ ListObjectsV2Command: "list"
17813
18642
  };
17814
- resource.deleteMany = async function(...args) {
17815
- const data = await resource._deleteMany(...args);
17816
- await this.cache.clear(keyPrefix);
17817
- return data;
18643
+ this.costs = {
18644
+ total: 0,
18645
+ prices: {
18646
+ put: 5e-3 / 1e3,
18647
+ copy: 5e-3 / 1e3,
18648
+ list: 5e-3 / 1e3,
18649
+ post: 5e-3 / 1e3,
18650
+ get: 4e-4 / 1e3,
18651
+ select: 4e-4 / 1e3,
18652
+ delete: 4e-4 / 1e3,
18653
+ head: 4e-4 / 1e3
18654
+ },
18655
+ requests: {
18656
+ total: 0,
18657
+ put: 0,
18658
+ post: 0,
18659
+ copy: 0,
18660
+ list: 0,
18661
+ get: 0,
18662
+ select: 0,
18663
+ delete: 0,
18664
+ head: 0
18665
+ },
18666
+ events: {
18667
+ total: 0,
18668
+ PutObjectCommand: 0,
18669
+ GetObjectCommand: 0,
18670
+ HeadObjectCommand: 0,
18671
+ DeleteObjectCommand: 0,
18672
+ DeleteObjectsCommand: 0,
18673
+ ListObjectsV2Command: 0
18674
+ }
18675
+ };
18676
+ this.client.costs = JSON.parse(JSON.stringify(this.costs));
18677
+ },
18678
+ async start() {
18679
+ if (this.client) {
18680
+ this.client.on("command.response", (name) => this.addRequest(name, this.map[name]));
18681
+ this.client.on("command.error", (name) => this.addRequest(name, this.map[name]));
18682
+ }
18683
+ },
18684
+ addRequest(name, method) {
18685
+ if (!method) return;
18686
+ this.costs.events[name]++;
18687
+ this.costs.events.total++;
18688
+ this.costs.requests.total++;
18689
+ this.costs.requests[method]++;
18690
+ this.costs.total += this.costs.prices[method];
18691
+ if (this.client && this.client.costs) {
18692
+ this.client.costs.events[name]++;
18693
+ this.client.costs.events.total++;
18694
+ this.client.costs.requests.total++;
18695
+ this.client.costs.requests[method]++;
18696
+ this.client.costs.total += this.client.costs.prices[method];
18697
+ }
18698
+ }
18699
+ };
18700
+
18701
+ class FullTextPlugin extends Plugin {
18702
+ constructor(options = {}) {
18703
+ super();
18704
+ this.indexResource = null;
18705
+ this.config = {
18706
+ enabled: options.enabled !== false,
18707
+ minWordLength: options.minWordLength || 3,
18708
+ maxResults: options.maxResults || 100,
18709
+ ...options
17818
18710
  };
18711
+ this.indexes = /* @__PURE__ */ new Map();
18712
+ }
18713
+ async setup(database) {
18714
+ this.database = database;
18715
+ if (!this.config.enabled) return;
18716
+ try {
18717
+ this.indexResource = await database.createResource({
18718
+ name: "fulltext_indexes",
18719
+ attributes: {
18720
+ id: "string|required",
18721
+ resourceName: "string|required",
18722
+ fieldName: "string|required",
18723
+ word: "string|required",
18724
+ recordIds: "json|required",
18725
+ // Array of record IDs containing this word
18726
+ count: "number|required",
18727
+ lastUpdated: "string|required"
18728
+ }
18729
+ });
18730
+ } catch (error) {
18731
+ this.indexResource = database.resources.fulltext_indexes;
18732
+ }
18733
+ await this.loadIndexes();
18734
+ this.installIndexingHooks();
18735
+ }
18736
+ async start() {
18737
+ }
18738
+ async stop() {
18739
+ await this.saveIndexes();
18740
+ }
18741
+ async loadIndexes() {
18742
+ if (!this.indexResource) return;
18743
+ try {
18744
+ const allIndexes = await this.indexResource.getAll();
18745
+ for (const indexRecord of allIndexes) {
18746
+ const key = `${indexRecord.resourceName}:${indexRecord.fieldName}:${indexRecord.word}`;
18747
+ this.indexes.set(key, {
18748
+ recordIds: indexRecord.recordIds || [],
18749
+ count: indexRecord.count || 0
18750
+ });
18751
+ }
18752
+ } catch (error) {
18753
+ console.warn("Failed to load existing indexes:", error.message);
18754
+ }
18755
+ }
18756
+ async saveIndexes() {
18757
+ if (!this.indexResource) return;
18758
+ try {
18759
+ const existingIndexes = await this.indexResource.getAll();
18760
+ for (const index of existingIndexes) {
18761
+ await this.indexResource.delete(index.id);
18762
+ }
18763
+ for (const [key, data] of this.indexes.entries()) {
18764
+ const [resourceName, fieldName, word] = key.split(":");
18765
+ await this.indexResource.insert({
18766
+ id: `index-${Date.now()}-${Math.random().toString(36).substr(2, 9)}`,
18767
+ resourceName,
18768
+ fieldName,
18769
+ word,
18770
+ recordIds: data.recordIds,
18771
+ count: data.count,
18772
+ lastUpdated: (/* @__PURE__ */ new Date()).toISOString()
18773
+ });
18774
+ }
18775
+ } catch (error) {
18776
+ console.error("Failed to save indexes:", error);
18777
+ }
18778
+ }
18779
+ installIndexingHooks() {
18780
+ if (!this.database.plugins) {
18781
+ this.database.plugins = {};
18782
+ }
18783
+ this.database.plugins.fulltext = this;
18784
+ for (const resource of Object.values(this.database.resources)) {
18785
+ if (resource.name === "fulltext_indexes") continue;
18786
+ this.installResourceHooks(resource);
18787
+ }
18788
+ if (!this.database._fulltextProxyInstalled) {
18789
+ this.database._previousCreateResourceForFullText = this.database.createResource;
18790
+ this.database.createResource = async function(...args) {
18791
+ const resource = await this._previousCreateResourceForFullText(...args);
18792
+ if (this.plugins?.fulltext && resource.name !== "fulltext_indexes") {
18793
+ this.plugins.fulltext.installResourceHooks(resource);
18794
+ }
18795
+ return resource;
18796
+ };
18797
+ this.database._fulltextProxyInstalled = true;
18798
+ }
18799
+ for (const resource of Object.values(this.database.resources)) {
18800
+ if (resource.name !== "fulltext_indexes") {
18801
+ this.installResourceHooks(resource);
18802
+ }
18803
+ }
18804
+ }
18805
+ installResourceHooks(resource) {
18806
+ resource._insert = resource.insert;
18807
+ resource._update = resource.update;
18808
+ resource._delete = resource.delete;
18809
+ resource._deleteMany = resource.deleteMany;
18810
+ this.wrapResourceMethod(resource, "insert", async (result, args, methodName) => {
18811
+ const [data] = args;
18812
+ this.indexRecord(resource.name, result.id, data).catch(console.error);
18813
+ return result;
18814
+ });
18815
+ this.wrapResourceMethod(resource, "update", async (result, args, methodName) => {
18816
+ const [id, data] = args;
18817
+ this.removeRecordFromIndex(resource.name, id).catch(console.error);
18818
+ this.indexRecord(resource.name, id, result).catch(console.error);
18819
+ return result;
18820
+ });
18821
+ this.wrapResourceMethod(resource, "delete", async (result, args, methodName) => {
18822
+ const [id] = args;
18823
+ this.removeRecordFromIndex(resource.name, id).catch(console.error);
18824
+ return result;
18825
+ });
18826
+ this.wrapResourceMethod(resource, "deleteMany", async (result, args, methodName) => {
18827
+ const [ids] = args;
18828
+ for (const id of ids) {
18829
+ this.removeRecordFromIndex(resource.name, id).catch(console.error);
18830
+ }
18831
+ return result;
18832
+ });
18833
+ }
18834
+ async indexRecord(resourceName, recordId, data) {
18835
+ const indexedFields = this.getIndexedFields(resourceName);
18836
+ if (!indexedFields || indexedFields.length === 0) return;
18837
+ for (const fieldName of indexedFields) {
18838
+ const fieldValue = this.getFieldValue(data, fieldName);
18839
+ if (!fieldValue) continue;
18840
+ const words = this.tokenize(fieldValue);
18841
+ for (const word of words) {
18842
+ if (word.length < this.config.minWordLength) continue;
18843
+ const key = `${resourceName}:${fieldName}:${word.toLowerCase()}`;
18844
+ const existing = this.indexes.get(key) || { recordIds: [], count: 0 };
18845
+ if (!existing.recordIds.includes(recordId)) {
18846
+ existing.recordIds.push(recordId);
18847
+ existing.count = existing.recordIds.length;
18848
+ }
18849
+ this.indexes.set(key, existing);
18850
+ }
18851
+ }
18852
+ }
18853
+ async removeRecordFromIndex(resourceName, recordId) {
18854
+ for (const [key, data] of this.indexes.entries()) {
18855
+ if (key.startsWith(`${resourceName}:`)) {
18856
+ const index = data.recordIds.indexOf(recordId);
18857
+ if (index > -1) {
18858
+ data.recordIds.splice(index, 1);
18859
+ data.count = data.recordIds.length;
18860
+ if (data.recordIds.length === 0) {
18861
+ this.indexes.delete(key);
18862
+ } else {
18863
+ this.indexes.set(key, data);
18864
+ }
18865
+ }
18866
+ }
18867
+ }
18868
+ }
18869
+ getFieldValue(data, fieldPath) {
18870
+ if (!fieldPath.includes(".")) {
18871
+ return data[fieldPath];
18872
+ }
18873
+ const keys = fieldPath.split(".");
18874
+ let value = data;
18875
+ for (const key of keys) {
18876
+ if (value && typeof value === "object" && key in value) {
18877
+ value = value[key];
18878
+ } else {
18879
+ return null;
18880
+ }
18881
+ }
18882
+ return value;
18883
+ }
18884
+ tokenize(text) {
18885
+ if (!text) return [];
18886
+ const str = String(text).toLowerCase();
18887
+ return str.replace(/[^\w\s\u00C0-\u017F]/g, " ").split(/\s+/).filter((word) => word.length > 0);
18888
+ }
18889
+ getIndexedFields(resourceName) {
18890
+ if (this.config.fields) {
18891
+ return this.config.fields;
18892
+ }
18893
+ const fieldMappings = {
18894
+ users: ["name", "email"],
18895
+ products: ["name", "description"],
18896
+ articles: ["title", "content"]
18897
+ // Add more mappings as needed
18898
+ };
18899
+ return fieldMappings[resourceName] || [];
18900
+ }
18901
+ // Main search method
18902
+ async search(resourceName, query, options = {}) {
18903
+ const {
18904
+ fields = null,
18905
+ // Specific fields to search in
18906
+ limit = this.config.maxResults,
18907
+ offset = 0,
18908
+ exactMatch = false
18909
+ } = options;
18910
+ if (!query || query.trim().length === 0) {
18911
+ return [];
18912
+ }
18913
+ const searchWords = this.tokenize(query);
18914
+ const results = /* @__PURE__ */ new Map();
18915
+ const searchFields = fields || this.getIndexedFields(resourceName);
18916
+ if (searchFields.length === 0) {
18917
+ return [];
18918
+ }
18919
+ for (const word of searchWords) {
18920
+ if (word.length < this.config.minWordLength) continue;
18921
+ for (const fieldName of searchFields) {
18922
+ if (exactMatch) {
18923
+ const key = `${resourceName}:${fieldName}:${word.toLowerCase()}`;
18924
+ const indexData = this.indexes.get(key);
18925
+ if (indexData) {
18926
+ for (const recordId of indexData.recordIds) {
18927
+ const currentScore = results.get(recordId) || 0;
18928
+ results.set(recordId, currentScore + 1);
18929
+ }
18930
+ }
18931
+ } else {
18932
+ for (const [key, indexData] of this.indexes.entries()) {
18933
+ if (key.startsWith(`${resourceName}:${fieldName}:${word.toLowerCase()}`)) {
18934
+ for (const recordId of indexData.recordIds) {
18935
+ const currentScore = results.get(recordId) || 0;
18936
+ results.set(recordId, currentScore + 1);
18937
+ }
18938
+ }
18939
+ }
18940
+ }
18941
+ }
18942
+ }
18943
+ const sortedResults = Array.from(results.entries()).map(([recordId, score]) => ({ recordId, score })).sort((a, b) => b.score - a.score).slice(offset, offset + limit);
18944
+ return sortedResults;
18945
+ }
18946
+ // Search and return full records
18947
+ async searchRecords(resourceName, query, options = {}) {
18948
+ const searchResults = await this.search(resourceName, query, options);
18949
+ if (searchResults.length === 0) {
18950
+ return [];
18951
+ }
18952
+ const resource = this.database.resources[resourceName];
18953
+ if (!resource) {
18954
+ throw new Error(`Resource '${resourceName}' not found`);
18955
+ }
18956
+ const recordIds = searchResults.map((result) => result.recordId);
18957
+ const records = await resource.getMany(recordIds);
18958
+ return records.map((record) => {
18959
+ const searchResult = searchResults.find((sr) => sr.recordId === record.id);
18960
+ return {
18961
+ ...record,
18962
+ _searchScore: searchResult ? searchResult.score : 0
18963
+ };
18964
+ }).sort((a, b) => b._searchScore - a._searchScore);
18965
+ }
18966
+ // Utility methods
18967
+ async rebuildIndex(resourceName) {
18968
+ const resource = this.database.resources[resourceName];
18969
+ if (!resource) {
18970
+ throw new Error(`Resource '${resourceName}' not found`);
18971
+ }
18972
+ for (const [key] of this.indexes.entries()) {
18973
+ if (key.startsWith(`${resourceName}:`)) {
18974
+ this.indexes.delete(key);
18975
+ }
18976
+ }
18977
+ const allRecords = await resource.getAll();
18978
+ const batchSize = 100;
18979
+ for (let i = 0; i < allRecords.length; i += batchSize) {
18980
+ const batch = allRecords.slice(i, i + batchSize);
18981
+ for (const record of batch) {
18982
+ await this.indexRecord(resourceName, record.id, record);
18983
+ }
18984
+ }
18985
+ await this.saveIndexes();
18986
+ }
18987
+ async getIndexStats() {
18988
+ const stats = {
18989
+ totalIndexes: this.indexes.size,
18990
+ resources: {},
18991
+ totalWords: 0
18992
+ };
18993
+ for (const [key, data] of this.indexes.entries()) {
18994
+ const [resourceName, fieldName] = key.split(":");
18995
+ if (!stats.resources[resourceName]) {
18996
+ stats.resources[resourceName] = {
18997
+ fields: {},
18998
+ totalRecords: /* @__PURE__ */ new Set(),
18999
+ totalWords: 0
19000
+ };
19001
+ }
19002
+ if (!stats.resources[resourceName].fields[fieldName]) {
19003
+ stats.resources[resourceName].fields[fieldName] = {
19004
+ words: 0,
19005
+ totalOccurrences: 0
19006
+ };
19007
+ }
19008
+ stats.resources[resourceName].fields[fieldName].words++;
19009
+ stats.resources[resourceName].fields[fieldName].totalOccurrences += data.count;
19010
+ stats.resources[resourceName].totalWords++;
19011
+ for (const recordId of data.recordIds) {
19012
+ stats.resources[resourceName].totalRecords.add(recordId);
19013
+ }
19014
+ stats.totalWords++;
19015
+ }
19016
+ for (const resourceName in stats.resources) {
19017
+ stats.resources[resourceName].totalRecords = stats.resources[resourceName].totalRecords.size;
19018
+ }
19019
+ return stats;
19020
+ }
19021
+ async rebuildAllIndexes({ timeout } = {}) {
19022
+ if (timeout) {
19023
+ return Promise.race([
19024
+ this._rebuildAllIndexesInternal(),
19025
+ new Promise((_, reject) => setTimeout(() => reject(new Error("Timeout")), timeout))
19026
+ ]);
19027
+ }
19028
+ return this._rebuildAllIndexesInternal();
19029
+ }
19030
+ async _rebuildAllIndexesInternal() {
19031
+ const resourceNames = Object.keys(this.database.resources).filter((name) => name !== "fulltext_indexes");
19032
+ for (const resourceName of resourceNames) {
19033
+ try {
19034
+ await this.rebuildIndex(resourceName);
19035
+ } catch (error) {
19036
+ console.warn(`Failed to rebuild index for resource ${resourceName}:`, error.message);
19037
+ }
19038
+ }
19039
+ }
19040
+ async clearIndex(resourceName) {
19041
+ for (const [key] of this.indexes.entries()) {
19042
+ if (key.startsWith(`${resourceName}:`)) {
19043
+ this.indexes.delete(key);
19044
+ }
19045
+ }
19046
+ await this.saveIndexes();
19047
+ }
19048
+ async clearAllIndexes() {
19049
+ this.indexes.clear();
19050
+ await this.saveIndexes();
19051
+ }
19052
+ }
19053
+
19054
+ class MetricsPlugin extends Plugin {
19055
+ constructor(options = {}) {
19056
+ super();
19057
+ this.config = {
19058
+ enabled: options.enabled !== false,
19059
+ collectPerformance: options.collectPerformance !== false,
19060
+ collectErrors: options.collectErrors !== false,
19061
+ collectUsage: options.collectUsage !== false,
19062
+ retentionDays: options.retentionDays || 30,
19063
+ flushInterval: options.flushInterval || 6e4,
19064
+ // 1 minute
19065
+ ...options
19066
+ };
19067
+ this.metrics = {
19068
+ operations: {
19069
+ insert: { count: 0, totalTime: 0, errors: 0 },
19070
+ update: { count: 0, totalTime: 0, errors: 0 },
19071
+ delete: { count: 0, totalTime: 0, errors: 0 },
19072
+ get: { count: 0, totalTime: 0, errors: 0 },
19073
+ list: { count: 0, totalTime: 0, errors: 0 },
19074
+ count: { count: 0, totalTime: 0, errors: 0 }
19075
+ },
19076
+ resources: {},
19077
+ errors: [],
19078
+ performance: [],
19079
+ startTime: (/* @__PURE__ */ new Date()).toISOString()
19080
+ };
19081
+ this.flushTimer = null;
19082
+ }
19083
+ async setup(database) {
19084
+ this.database = database;
19085
+ if (!this.config.enabled || process.env.NODE_ENV === "test") return;
19086
+ try {
19087
+ this.metricsResource = await database.createResource({
19088
+ name: "metrics",
19089
+ attributes: {
19090
+ id: "string|required",
19091
+ type: "string|required",
19092
+ // 'operation', 'error', 'performance'
19093
+ resourceName: "string",
19094
+ operation: "string",
19095
+ count: "number|required",
19096
+ totalTime: "number|required",
19097
+ errors: "number|required",
19098
+ avgTime: "number|required",
19099
+ timestamp: "string|required",
19100
+ metadata: "json"
19101
+ }
19102
+ });
19103
+ this.errorsResource = await database.createResource({
19104
+ name: "error_logs",
19105
+ attributes: {
19106
+ id: "string|required",
19107
+ resourceName: "string|required",
19108
+ operation: "string|required",
19109
+ error: "string|required",
19110
+ timestamp: "string|required",
19111
+ metadata: "json"
19112
+ }
19113
+ });
19114
+ this.performanceResource = await database.createResource({
19115
+ name: "performance_logs",
19116
+ attributes: {
19117
+ id: "string|required",
19118
+ resourceName: "string|required",
19119
+ operation: "string|required",
19120
+ duration: "number|required",
19121
+ timestamp: "string|required",
19122
+ metadata: "json"
19123
+ }
19124
+ });
19125
+ } catch (error) {
19126
+ this.metricsResource = database.resources.metrics;
19127
+ this.errorsResource = database.resources.error_logs;
19128
+ this.performanceResource = database.resources.performance_logs;
19129
+ }
19130
+ this.installMetricsHooks();
19131
+ if (process.env.NODE_ENV !== "test") {
19132
+ this.startFlushTimer();
19133
+ }
19134
+ }
19135
+ async start() {
19136
+ }
19137
+ async stop() {
19138
+ if (this.flushTimer) {
19139
+ clearInterval(this.flushTimer);
19140
+ this.flushTimer = null;
19141
+ }
19142
+ if (process.env.NODE_ENV !== "test") {
19143
+ await this.flushMetrics();
19144
+ }
19145
+ }
19146
+ installMetricsHooks() {
19147
+ for (const resource of Object.values(this.database.resources)) {
19148
+ if (["metrics", "error_logs", "performance_logs"].includes(resource.name)) {
19149
+ continue;
19150
+ }
19151
+ this.installResourceHooks(resource);
19152
+ }
19153
+ this.database._createResource = this.database.createResource;
19154
+ this.database.createResource = async function(...args) {
19155
+ const resource = await this._createResource(...args);
19156
+ if (this.plugins?.metrics && !["metrics", "error_logs", "performance_logs"].includes(resource.name)) {
19157
+ this.plugins.metrics.installResourceHooks(resource);
19158
+ }
19159
+ return resource;
19160
+ };
19161
+ }
19162
+ installResourceHooks(resource) {
19163
+ resource._insert = resource.insert;
19164
+ resource._update = resource.update;
19165
+ resource._delete = resource.delete;
19166
+ resource._deleteMany = resource.deleteMany;
19167
+ resource._get = resource.get;
19168
+ resource._getMany = resource.getMany;
19169
+ resource._getAll = resource.getAll;
19170
+ resource._list = resource.list;
19171
+ resource._listIds = resource.listIds;
19172
+ resource._count = resource.count;
19173
+ resource._page = resource.page;
19174
+ resource.insert = async function(...args) {
19175
+ const startTime = Date.now();
19176
+ try {
19177
+ const result = await resource._insert(...args);
19178
+ this.recordOperation(resource.name, "insert", Date.now() - startTime, false);
19179
+ return result;
19180
+ } catch (error) {
19181
+ this.recordOperation(resource.name, "insert", Date.now() - startTime, true);
19182
+ this.recordError(resource.name, "insert", error);
19183
+ throw error;
19184
+ }
19185
+ }.bind(this);
19186
+ resource.update = async function(...args) {
19187
+ const startTime = Date.now();
19188
+ try {
19189
+ const result = await resource._update(...args);
19190
+ this.recordOperation(resource.name, "update", Date.now() - startTime, false);
19191
+ return result;
19192
+ } catch (error) {
19193
+ this.recordOperation(resource.name, "update", Date.now() - startTime, true);
19194
+ this.recordError(resource.name, "update", error);
19195
+ throw error;
19196
+ }
19197
+ }.bind(this);
19198
+ resource.delete = async function(...args) {
19199
+ const startTime = Date.now();
19200
+ try {
19201
+ const result = await resource._delete(...args);
19202
+ this.recordOperation(resource.name, "delete", Date.now() - startTime, false);
19203
+ return result;
19204
+ } catch (error) {
19205
+ this.recordOperation(resource.name, "delete", Date.now() - startTime, true);
19206
+ this.recordError(resource.name, "delete", error);
19207
+ throw error;
19208
+ }
19209
+ }.bind(this);
19210
+ resource.deleteMany = async function(...args) {
19211
+ const startTime = Date.now();
19212
+ try {
19213
+ const result = await resource._deleteMany(...args);
19214
+ this.recordOperation(resource.name, "delete", Date.now() - startTime, false);
19215
+ return result;
19216
+ } catch (error) {
19217
+ this.recordOperation(resource.name, "delete", Date.now() - startTime, true);
19218
+ this.recordError(resource.name, "delete", error);
19219
+ throw error;
19220
+ }
19221
+ }.bind(this);
19222
+ resource.get = async function(...args) {
19223
+ const startTime = Date.now();
19224
+ try {
19225
+ const result = await resource._get(...args);
19226
+ this.recordOperation(resource.name, "get", Date.now() - startTime, false);
19227
+ return result;
19228
+ } catch (error) {
19229
+ this.recordOperation(resource.name, "get", Date.now() - startTime, true);
19230
+ this.recordError(resource.name, "get", error);
19231
+ throw error;
19232
+ }
19233
+ }.bind(this);
19234
+ resource.getMany = async function(...args) {
19235
+ const startTime = Date.now();
19236
+ try {
19237
+ const result = await resource._getMany(...args);
19238
+ this.recordOperation(resource.name, "get", Date.now() - startTime, false);
19239
+ return result;
19240
+ } catch (error) {
19241
+ this.recordOperation(resource.name, "get", Date.now() - startTime, true);
19242
+ this.recordError(resource.name, "get", error);
19243
+ throw error;
19244
+ }
19245
+ }.bind(this);
19246
+ resource.getAll = async function(...args) {
19247
+ const startTime = Date.now();
19248
+ try {
19249
+ const result = await resource._getAll(...args);
19250
+ this.recordOperation(resource.name, "list", Date.now() - startTime, false);
19251
+ return result;
19252
+ } catch (error) {
19253
+ this.recordOperation(resource.name, "list", Date.now() - startTime, true);
19254
+ this.recordError(resource.name, "list", error);
19255
+ throw error;
19256
+ }
19257
+ }.bind(this);
19258
+ resource.list = async function(...args) {
19259
+ const startTime = Date.now();
19260
+ try {
19261
+ const result = await resource._list(...args);
19262
+ this.recordOperation(resource.name, "list", Date.now() - startTime, false);
19263
+ return result;
19264
+ } catch (error) {
19265
+ this.recordOperation(resource.name, "list", Date.now() - startTime, true);
19266
+ this.recordError(resource.name, "list", error);
19267
+ throw error;
19268
+ }
19269
+ }.bind(this);
19270
+ resource.listIds = async function(...args) {
19271
+ const startTime = Date.now();
19272
+ try {
19273
+ const result = await resource._listIds(...args);
19274
+ this.recordOperation(resource.name, "list", Date.now() - startTime, false);
19275
+ return result;
19276
+ } catch (error) {
19277
+ this.recordOperation(resource.name, "list", Date.now() - startTime, true);
19278
+ this.recordError(resource.name, "list", error);
19279
+ throw error;
19280
+ }
19281
+ }.bind(this);
19282
+ resource.count = async function(...args) {
19283
+ const startTime = Date.now();
19284
+ try {
19285
+ const result = await resource._count(...args);
19286
+ this.recordOperation(resource.name, "count", Date.now() - startTime, false);
19287
+ return result;
19288
+ } catch (error) {
19289
+ this.recordOperation(resource.name, "count", Date.now() - startTime, true);
19290
+ this.recordError(resource.name, "count", error);
19291
+ throw error;
19292
+ }
19293
+ }.bind(this);
19294
+ resource.page = async function(...args) {
19295
+ const startTime = Date.now();
19296
+ try {
19297
+ const result = await resource._page(...args);
19298
+ this.recordOperation(resource.name, "list", Date.now() - startTime, false);
19299
+ return result;
19300
+ } catch (error) {
19301
+ this.recordOperation(resource.name, "list", Date.now() - startTime, true);
19302
+ this.recordError(resource.name, "list", error);
19303
+ throw error;
19304
+ }
19305
+ }.bind(this);
19306
+ }
19307
+ recordOperation(resourceName, operation, duration, isError) {
19308
+ if (this.metrics.operations[operation]) {
19309
+ this.metrics.operations[operation].count++;
19310
+ this.metrics.operations[operation].totalTime += duration;
19311
+ if (isError) {
19312
+ this.metrics.operations[operation].errors++;
19313
+ }
19314
+ }
19315
+ if (!this.metrics.resources[resourceName]) {
19316
+ this.metrics.resources[resourceName] = {
19317
+ insert: { count: 0, totalTime: 0, errors: 0 },
19318
+ update: { count: 0, totalTime: 0, errors: 0 },
19319
+ delete: { count: 0, totalTime: 0, errors: 0 },
19320
+ get: { count: 0, totalTime: 0, errors: 0 },
19321
+ list: { count: 0, totalTime: 0, errors: 0 },
19322
+ count: { count: 0, totalTime: 0, errors: 0 }
19323
+ };
19324
+ }
19325
+ if (this.metrics.resources[resourceName][operation]) {
19326
+ this.metrics.resources[resourceName][operation].count++;
19327
+ this.metrics.resources[resourceName][operation].totalTime += duration;
19328
+ if (isError) {
19329
+ this.metrics.resources[resourceName][operation].errors++;
19330
+ }
19331
+ }
19332
+ if (this.config.collectPerformance) {
19333
+ this.metrics.performance.push({
19334
+ resourceName,
19335
+ operation,
19336
+ duration,
19337
+ timestamp: (/* @__PURE__ */ new Date()).toISOString()
19338
+ });
19339
+ }
19340
+ }
19341
+ recordError(resourceName, operation, error) {
19342
+ if (!this.config.collectErrors) return;
19343
+ this.metrics.errors.push({
19344
+ resourceName,
19345
+ operation,
19346
+ error: error.message,
19347
+ stack: error.stack,
19348
+ timestamp: (/* @__PURE__ */ new Date()).toISOString()
19349
+ });
19350
+ }
19351
+ startFlushTimer() {
19352
+ if (this.flushTimer) {
19353
+ clearInterval(this.flushTimer);
19354
+ }
19355
+ if (this.config.flushInterval > 0) {
19356
+ this.flushTimer = setInterval(() => {
19357
+ this.flushMetrics().catch(console.error);
19358
+ }, this.config.flushInterval);
19359
+ }
19360
+ }
19361
+ async flushMetrics() {
19362
+ if (!this.metricsResource) return;
19363
+ try {
19364
+ const metadata = process.env.NODE_ENV === "test" ? {} : { global: "true" };
19365
+ const perfMetadata = process.env.NODE_ENV === "test" ? {} : { perf: "true" };
19366
+ const errorMetadata = process.env.NODE_ENV === "test" ? {} : { error: "true" };
19367
+ const resourceMetadata = process.env.NODE_ENV === "test" ? {} : { resource: "true" };
19368
+ for (const [operation, data] of Object.entries(this.metrics.operations)) {
19369
+ if (data.count > 0) {
19370
+ await this.metricsResource.insert({
19371
+ id: `metrics-${Date.now()}-${Math.random().toString(36).substr(2, 9)}`,
19372
+ type: "operation",
19373
+ resourceName: "global",
19374
+ operation,
19375
+ count: data.count,
19376
+ totalTime: data.totalTime,
19377
+ errors: data.errors,
19378
+ avgTime: data.count > 0 ? data.totalTime / data.count : 0,
19379
+ timestamp: (/* @__PURE__ */ new Date()).toISOString(),
19380
+ metadata
19381
+ });
19382
+ }
19383
+ }
19384
+ for (const [resourceName, operations] of Object.entries(this.metrics.resources)) {
19385
+ for (const [operation, data] of Object.entries(operations)) {
19386
+ if (data.count > 0) {
19387
+ await this.metricsResource.insert({
19388
+ id: `metrics-${Date.now()}-${Math.random().toString(36).substr(2, 9)}`,
19389
+ type: "operation",
19390
+ resourceName,
19391
+ operation,
19392
+ count: data.count,
19393
+ totalTime: data.totalTime,
19394
+ errors: data.errors,
19395
+ avgTime: data.count > 0 ? data.totalTime / data.count : 0,
19396
+ timestamp: (/* @__PURE__ */ new Date()).toISOString(),
19397
+ metadata: resourceMetadata
19398
+ });
19399
+ }
19400
+ }
19401
+ }
19402
+ if (this.config.collectPerformance && this.metrics.performance.length > 0) {
19403
+ for (const perf of this.metrics.performance) {
19404
+ await this.performanceResource.insert({
19405
+ id: `perf-${Date.now()}-${Math.random().toString(36).substr(2, 9)}`,
19406
+ resourceName: perf.resourceName,
19407
+ operation: perf.operation,
19408
+ duration: perf.duration,
19409
+ timestamp: perf.timestamp,
19410
+ metadata: perfMetadata
19411
+ });
19412
+ }
19413
+ }
19414
+ if (this.config.collectErrors && this.metrics.errors.length > 0) {
19415
+ for (const error of this.metrics.errors) {
19416
+ await this.errorsResource.insert({
19417
+ id: `error-${Date.now()}-${Math.random().toString(36).substr(2, 9)}`,
19418
+ resourceName: error.resourceName,
19419
+ operation: error.operation,
19420
+ error: error.error,
19421
+ stack: error.stack,
19422
+ timestamp: error.timestamp,
19423
+ metadata: errorMetadata
19424
+ });
19425
+ }
19426
+ }
19427
+ this.resetMetrics();
19428
+ } catch (error) {
19429
+ console.error("Failed to flush metrics:", error);
19430
+ }
19431
+ }
19432
+ resetMetrics() {
19433
+ for (const operation of Object.keys(this.metrics.operations)) {
19434
+ this.metrics.operations[operation] = { count: 0, totalTime: 0, errors: 0 };
19435
+ }
19436
+ for (const resourceName of Object.keys(this.metrics.resources)) {
19437
+ for (const operation of Object.keys(this.metrics.resources[resourceName])) {
19438
+ this.metrics.resources[resourceName][operation] = { count: 0, totalTime: 0, errors: 0 };
19439
+ }
19440
+ }
19441
+ this.metrics.performance = [];
19442
+ this.metrics.errors = [];
19443
+ }
19444
+ // Utility methods
19445
+ async getMetrics(options = {}) {
19446
+ const {
19447
+ type = "operation",
19448
+ resourceName,
19449
+ operation,
19450
+ startDate,
19451
+ endDate,
19452
+ limit = 100,
19453
+ offset = 0
19454
+ } = options;
19455
+ if (!this.metricsResource) return [];
19456
+ const allMetrics = await this.metricsResource.getAll();
19457
+ let filtered = allMetrics.filter((metric) => {
19458
+ if (type && metric.type !== type) return false;
19459
+ if (resourceName && metric.resourceName !== resourceName) return false;
19460
+ if (operation && metric.operation !== operation) return false;
19461
+ if (startDate && new Date(metric.timestamp) < new Date(startDate)) return false;
19462
+ if (endDate && new Date(metric.timestamp) > new Date(endDate)) return false;
19463
+ return true;
19464
+ });
19465
+ filtered.sort((a, b) => new Date(b.timestamp) - new Date(a.timestamp));
19466
+ return filtered.slice(offset, offset + limit);
19467
+ }
19468
+ async getErrorLogs(options = {}) {
19469
+ if (!this.errorsResource) return [];
19470
+ const {
19471
+ resourceName,
19472
+ operation,
19473
+ startDate,
19474
+ endDate,
19475
+ limit = 100,
19476
+ offset = 0
19477
+ } = options;
19478
+ const allErrors = await this.errorsResource.getAll();
19479
+ let filtered = allErrors.filter((error) => {
19480
+ if (resourceName && error.resourceName !== resourceName) return false;
19481
+ if (operation && error.operation !== operation) return false;
19482
+ if (startDate && new Date(error.timestamp) < new Date(startDate)) return false;
19483
+ if (endDate && new Date(error.timestamp) > new Date(endDate)) return false;
19484
+ return true;
19485
+ });
19486
+ filtered.sort((a, b) => new Date(b.timestamp) - new Date(a.timestamp));
19487
+ return filtered.slice(offset, offset + limit);
19488
+ }
19489
+ async getPerformanceLogs(options = {}) {
19490
+ if (!this.performanceResource) return [];
19491
+ const {
19492
+ resourceName,
19493
+ operation,
19494
+ startDate,
19495
+ endDate,
19496
+ limit = 100,
19497
+ offset = 0
19498
+ } = options;
19499
+ const allPerformance = await this.performanceResource.getAll();
19500
+ let filtered = allPerformance.filter((perf) => {
19501
+ if (resourceName && perf.resourceName !== resourceName) return false;
19502
+ if (operation && perf.operation !== operation) return false;
19503
+ if (startDate && new Date(perf.timestamp) < new Date(startDate)) return false;
19504
+ if (endDate && new Date(perf.timestamp) > new Date(endDate)) return false;
19505
+ return true;
19506
+ });
19507
+ filtered.sort((a, b) => new Date(b.timestamp) - new Date(a.timestamp));
19508
+ return filtered.slice(offset, offset + limit);
19509
+ }
19510
+ async getStats() {
19511
+ const now = /* @__PURE__ */ new Date();
19512
+ const startDate = new Date(now.getTime() - 24 * 60 * 60 * 1e3);
19513
+ const [metrics, errors, performance] = await Promise.all([
19514
+ this.getMetrics({ startDate: startDate.toISOString() }),
19515
+ this.getErrorLogs({ startDate: startDate.toISOString() }),
19516
+ this.getPerformanceLogs({ startDate: startDate.toISOString() })
19517
+ ]);
19518
+ const stats = {
19519
+ period: "24h",
19520
+ totalOperations: 0,
19521
+ totalErrors: errors.length,
19522
+ avgResponseTime: 0,
19523
+ operationsByType: {},
19524
+ resources: {},
19525
+ uptime: {
19526
+ startTime: this.metrics.startTime,
19527
+ duration: now.getTime() - new Date(this.metrics.startTime).getTime()
19528
+ }
19529
+ };
19530
+ for (const metric of metrics) {
19531
+ if (metric.type === "operation") {
19532
+ stats.totalOperations += metric.count;
19533
+ if (!stats.operationsByType[metric.operation]) {
19534
+ stats.operationsByType[metric.operation] = {
19535
+ count: 0,
19536
+ errors: 0,
19537
+ avgTime: 0
19538
+ };
19539
+ }
19540
+ stats.operationsByType[metric.operation].count += metric.count;
19541
+ stats.operationsByType[metric.operation].errors += metric.errors;
19542
+ const current = stats.operationsByType[metric.operation];
19543
+ const totalCount2 = current.count;
19544
+ const newAvg = (current.avgTime * (totalCount2 - metric.count) + metric.totalTime) / totalCount2;
19545
+ current.avgTime = newAvg;
19546
+ }
19547
+ }
19548
+ const totalTime = metrics.reduce((sum, m) => sum + m.totalTime, 0);
19549
+ const totalCount = metrics.reduce((sum, m) => sum + m.count, 0);
19550
+ stats.avgResponseTime = totalCount > 0 ? totalTime / totalCount : 0;
19551
+ return stats;
19552
+ }
19553
+ async cleanupOldData() {
19554
+ const cutoffDate = /* @__PURE__ */ new Date();
19555
+ cutoffDate.setDate(cutoffDate.getDate() - this.config.retentionDays);
19556
+ if (this.metricsResource) {
19557
+ const oldMetrics = await this.getMetrics({ endDate: cutoffDate.toISOString() });
19558
+ for (const metric of oldMetrics) {
19559
+ await this.metricsResource.delete(metric.id);
19560
+ }
19561
+ }
19562
+ if (this.errorsResource) {
19563
+ const oldErrors = await this.getErrorLogs({ endDate: cutoffDate.toISOString() });
19564
+ for (const error of oldErrors) {
19565
+ await this.errorsResource.delete(error.id);
19566
+ }
19567
+ }
19568
+ if (this.performanceResource) {
19569
+ const oldPerformance = await this.getPerformanceLogs({ endDate: cutoffDate.toISOString() });
19570
+ for (const perf of oldPerformance) {
19571
+ await this.performanceResource.delete(perf.id);
19572
+ }
19573
+ }
19574
+ console.log(`Cleaned up data older than ${this.config.retentionDays} days`);
19575
+ }
19576
+ }
19577
+
19578
+ class BaseReplicator extends EventEmitter {
19579
+ constructor(config = {}) {
19580
+ super();
19581
+ this.config = config;
19582
+ this.name = this.constructor.name;
19583
+ this.enabled = config.enabled !== false;
19584
+ }
19585
+ /**
19586
+ * Initialize the replicator
19587
+ * @param {Object} database - The s3db database instance
19588
+ * @returns {Promise<void>}
19589
+ */
19590
+ async initialize(database) {
19591
+ this.database = database;
19592
+ this.emit("initialized", { replicator: this.name });
19593
+ }
19594
+ /**
19595
+ * Replicate data to the target
19596
+ * @param {string} resourceName - Name of the resource being replicated
19597
+ * @param {string} operation - Operation type (insert, update, delete)
19598
+ * @param {Object} data - The data to replicate
19599
+ * @param {string} id - Record ID
19600
+ * @returns {Promise<Object>} Replication result
19601
+ */
19602
+ async replicate(resourceName, operation, data, id) {
19603
+ throw new Error(`replicate() method must be implemented by ${this.name}`);
19604
+ }
19605
+ /**
19606
+ * Replicate multiple records in batch
19607
+ * @param {string} resourceName - Name of the resource being replicated
19608
+ * @param {Array} records - Array of records to replicate
19609
+ * @returns {Promise<Object>} Batch replication result
19610
+ */
19611
+ async replicateBatch(resourceName, records) {
19612
+ throw new Error(`replicateBatch() method must be implemented by ${this.name}`);
19613
+ }
19614
+ /**
19615
+ * Test the connection to the target
19616
+ * @returns {Promise<boolean>} True if connection is successful
19617
+ */
19618
+ async testConnection() {
19619
+ throw new Error(`testConnection() method must be implemented by ${this.name}`);
19620
+ }
19621
+ /**
19622
+ * Get replicator status and statistics
19623
+ * @returns {Promise<Object>} Status information
19624
+ */
19625
+ async getStatus() {
19626
+ return {
19627
+ name: this.name,
19628
+ enabled: this.enabled,
19629
+ config: this.config,
19630
+ connected: false
19631
+ };
19632
+ }
19633
+ /**
19634
+ * Cleanup resources
19635
+ * @returns {Promise<void>}
19636
+ */
19637
+ async cleanup() {
19638
+ this.emit("cleanup", { replicator: this.name });
19639
+ }
19640
+ /**
19641
+ * Validate replicator configuration
19642
+ * @returns {Object} Validation result
19643
+ */
19644
+ validateConfig() {
19645
+ return { isValid: true, errors: [] };
19646
+ }
19647
+ }
19648
+
19649
+ class S3dbReplicator extends BaseReplicator {
19650
+ constructor(config = {}, resources = []) {
19651
+ super(config);
19652
+ this.resources = resources;
19653
+ this.connectionString = config.connectionString;
19654
+ this.region = config.region;
19655
+ this.bucket = config.bucket;
19656
+ this.keyPrefix = config.keyPrefix;
19657
+ }
19658
+ validateConfig() {
19659
+ const errors = [];
19660
+ if (!this.connectionString && !this.bucket) {
19661
+ errors.push("Either connectionString or bucket must be provided");
19662
+ }
19663
+ return {
19664
+ isValid: errors.length === 0,
19665
+ errors
19666
+ };
19667
+ }
19668
+ async initialize(database) {
19669
+ await super.initialize(database);
19670
+ const targetConfig = {
19671
+ connectionString: this.connectionString,
19672
+ region: this.region,
19673
+ bucket: this.bucket,
19674
+ keyPrefix: this.keyPrefix,
19675
+ verbose: this.config.verbose || false
19676
+ };
19677
+ this.targetDatabase = new S3db(targetConfig);
19678
+ await this.targetDatabase.connect();
19679
+ this.emit("connected", {
19680
+ replicator: this.name,
19681
+ target: this.connectionString || this.bucket
19682
+ });
19683
+ }
19684
+ async replicate(resourceName, operation, data, id) {
19685
+ if (!this.enabled || !this.shouldReplicateResource(resourceName)) {
19686
+ return { skipped: true, reason: "resource_not_included" };
19687
+ }
19688
+ try {
19689
+ let result;
19690
+ switch (operation) {
19691
+ case "insert":
19692
+ result = await this.targetDatabase.resources[resourceName]?.insert(data);
19693
+ break;
19694
+ case "update":
19695
+ result = await this.targetDatabase.resources[resourceName]?.update(id, data);
19696
+ break;
19697
+ case "delete":
19698
+ result = await this.targetDatabase.resources[resourceName]?.delete(id);
19699
+ break;
19700
+ default:
19701
+ throw new Error(`Unsupported operation: ${operation}`);
19702
+ }
19703
+ this.emit("replicated", {
19704
+ replicator: this.name,
19705
+ resourceName,
19706
+ operation,
19707
+ id,
19708
+ success: true
19709
+ });
19710
+ return { success: true, result };
19711
+ } catch (error) {
19712
+ this.emit("replication_error", {
19713
+ replicator: this.name,
19714
+ resourceName,
19715
+ operation,
19716
+ id,
19717
+ error: error.message
19718
+ });
19719
+ return { success: false, error: error.message };
19720
+ }
19721
+ }
19722
+ async replicateBatch(resourceName, records) {
19723
+ if (!this.enabled || !this.shouldReplicateResource(resourceName)) {
19724
+ return { skipped: true, reason: "resource_not_included" };
19725
+ }
19726
+ try {
19727
+ const results = [];
19728
+ const errors = [];
19729
+ for (const record of records) {
19730
+ try {
19731
+ const result = await this.replicate(
19732
+ resourceName,
19733
+ record.operation,
19734
+ record.data,
19735
+ record.id
19736
+ );
19737
+ results.push(result);
19738
+ } catch (error) {
19739
+ errors.push({ id: record.id, error: error.message });
19740
+ }
19741
+ }
19742
+ this.emit("batch_replicated", {
19743
+ replicator: this.name,
19744
+ resourceName,
19745
+ total: records.length,
19746
+ successful: results.filter((r) => r.success).length,
19747
+ errors: errors.length
19748
+ });
19749
+ return {
19750
+ success: errors.length === 0,
19751
+ results,
19752
+ errors,
19753
+ total: records.length
19754
+ };
19755
+ } catch (error) {
19756
+ this.emit("batch_replication_error", {
19757
+ replicator: this.name,
19758
+ resourceName,
19759
+ error: error.message
19760
+ });
19761
+ return { success: false, error: error.message };
19762
+ }
19763
+ }
19764
+ async testConnection() {
19765
+ try {
19766
+ if (!this.targetDatabase) {
19767
+ await this.initialize(this.database);
19768
+ }
19769
+ await this.targetDatabase.listResources();
19770
+ return true;
19771
+ } catch (error) {
19772
+ this.emit("connection_error", {
19773
+ replicator: this.name,
19774
+ error: error.message
19775
+ });
19776
+ return false;
19777
+ }
19778
+ }
19779
+ async getStatus() {
19780
+ const baseStatus = await super.getStatus();
19781
+ return {
19782
+ ...baseStatus,
19783
+ connected: !!this.targetDatabase,
19784
+ targetDatabase: this.connectionString || this.bucket,
19785
+ resources: this.resources,
19786
+ totalReplications: this.listenerCount("replicated"),
19787
+ totalErrors: this.listenerCount("replication_error")
19788
+ };
19789
+ }
19790
+ async cleanup() {
19791
+ if (this.targetDatabase) {
19792
+ this.targetDatabase.removeAllListeners();
19793
+ }
19794
+ await super.cleanup();
19795
+ }
19796
+ shouldReplicateResource(resourceName) {
19797
+ return this.resources.length === 0 || this.resources.includes(resourceName);
19798
+ }
19799
+ }
19800
+
19801
+ class SqsReplicator extends BaseReplicator {
19802
+ constructor(config = {}, resources = []) {
19803
+ super(config);
19804
+ this.resources = resources;
19805
+ this.queueUrl = config.queueUrl;
19806
+ this.queues = config.queues || {};
19807
+ this.defaultQueueUrl = config.defaultQueueUrl;
19808
+ this.region = config.region || "us-east-1";
19809
+ this.sqsClient = null;
19810
+ this.messageGroupId = config.messageGroupId;
19811
+ this.deduplicationId = config.deduplicationId;
19812
+ }
19813
+ validateConfig() {
19814
+ const errors = [];
19815
+ if (!this.queueUrl && Object.keys(this.queues).length === 0 && !this.defaultQueueUrl) {
19816
+ errors.push("Either queueUrl, queues object, or defaultQueueUrl must be provided");
19817
+ }
19818
+ return {
19819
+ isValid: errors.length === 0,
19820
+ errors
19821
+ };
19822
+ }
19823
+ /**
19824
+ * Get the appropriate queue URL for a resource
19825
+ */
19826
+ getQueueUrlForResource(resourceName) {
19827
+ if (this.queues[resourceName]) {
19828
+ return this.queues[resourceName];
19829
+ }
19830
+ if (this.queueUrl) {
19831
+ return this.queueUrl;
19832
+ }
19833
+ if (this.defaultQueueUrl) {
19834
+ return this.defaultQueueUrl;
19835
+ }
19836
+ throw new Error(`No queue URL found for resource '${resourceName}'`);
19837
+ }
19838
+ /**
19839
+ * Create standardized message structure
19840
+ */
19841
+ createMessage(resourceName, operation, data, id, beforeData = null) {
19842
+ const baseMessage = {
19843
+ resource: resourceName,
19844
+ action: operation,
19845
+ timestamp: (/* @__PURE__ */ new Date()).toISOString(),
19846
+ source: "s3db-replication"
19847
+ };
19848
+ switch (operation) {
19849
+ case "insert":
19850
+ return {
19851
+ ...baseMessage,
19852
+ data
19853
+ };
19854
+ case "update":
19855
+ return {
19856
+ ...baseMessage,
19857
+ before: beforeData,
19858
+ data
19859
+ };
19860
+ case "delete":
19861
+ return {
19862
+ ...baseMessage,
19863
+ data
19864
+ };
19865
+ default:
19866
+ return {
19867
+ ...baseMessage,
19868
+ data
19869
+ };
19870
+ }
19871
+ }
19872
+ async initialize(database) {
19873
+ await super.initialize(database);
19874
+ try {
19875
+ const { SQSClient, SendMessageCommand, SendMessageBatchCommand } = await import('@aws-sdk/client-sqs');
19876
+ this.sqsClient = new SQSClient({
19877
+ region: this.region,
19878
+ credentials: this.config.credentials
19879
+ });
19880
+ this.emit("initialized", {
19881
+ replicator: this.name,
19882
+ queueUrl: this.queueUrl,
19883
+ queues: this.queues,
19884
+ defaultQueueUrl: this.defaultQueueUrl
19885
+ });
19886
+ } catch (error) {
19887
+ this.emit("initialization_error", {
19888
+ replicator: this.name,
19889
+ error: error.message
19890
+ });
19891
+ throw error;
19892
+ }
19893
+ }
19894
+ async replicate(resourceName, operation, data, id, beforeData = null) {
19895
+ if (!this.enabled || !this.shouldReplicateResource(resourceName)) {
19896
+ return { skipped: true, reason: "resource_not_included" };
19897
+ }
19898
+ try {
19899
+ const { SendMessageCommand } = await import('@aws-sdk/client-sqs');
19900
+ const queueUrl = this.getQueueUrlForResource(resourceName);
19901
+ const message = this.createMessage(resourceName, operation, data, id, beforeData);
19902
+ const command = new SendMessageCommand({
19903
+ QueueUrl: queueUrl,
19904
+ MessageBody: JSON.stringify(message),
19905
+ MessageGroupId: this.messageGroupId,
19906
+ MessageDeduplicationId: this.deduplicationId ? `${resourceName}:${operation}:${id}` : void 0
19907
+ });
19908
+ const result = await this.sqsClient.send(command);
19909
+ this.emit("replicated", {
19910
+ replicator: this.name,
19911
+ resourceName,
19912
+ operation,
19913
+ id,
19914
+ queueUrl,
19915
+ messageId: result.MessageId,
19916
+ success: true
19917
+ });
19918
+ return { success: true, messageId: result.MessageId, queueUrl };
19919
+ } catch (error) {
19920
+ this.emit("replication_error", {
19921
+ replicator: this.name,
19922
+ resourceName,
19923
+ operation,
19924
+ id,
19925
+ error: error.message
19926
+ });
19927
+ return { success: false, error: error.message };
19928
+ }
19929
+ }
19930
+ async replicateBatch(resourceName, records) {
19931
+ if (!this.enabled || !this.shouldReplicateResource(resourceName)) {
19932
+ return { skipped: true, reason: "resource_not_included" };
19933
+ }
19934
+ try {
19935
+ const { SendMessageBatchCommand } = await import('@aws-sdk/client-sqs');
19936
+ const queueUrl = this.getQueueUrlForResource(resourceName);
19937
+ const batchSize = 10;
19938
+ const batches = [];
19939
+ for (let i = 0; i < records.length; i += batchSize) {
19940
+ batches.push(records.slice(i, i + batchSize));
19941
+ }
19942
+ const results = [];
19943
+ const errors = [];
19944
+ for (const batch of batches) {
19945
+ try {
19946
+ const entries = batch.map((record, index) => ({
19947
+ Id: `${record.id}-${index}`,
19948
+ MessageBody: JSON.stringify(this.createMessage(
19949
+ resourceName,
19950
+ record.operation,
19951
+ record.data,
19952
+ record.id,
19953
+ record.beforeData
19954
+ )),
19955
+ MessageGroupId: this.messageGroupId,
19956
+ MessageDeduplicationId: this.deduplicationId ? `${resourceName}:${record.operation}:${record.id}` : void 0
19957
+ }));
19958
+ const command = new SendMessageBatchCommand({
19959
+ QueueUrl: queueUrl,
19960
+ Entries: entries
19961
+ });
19962
+ const result = await this.sqsClient.send(command);
19963
+ results.push(result);
19964
+ } catch (error) {
19965
+ errors.push({ batch: batch.length, error: error.message });
19966
+ }
19967
+ }
19968
+ this.emit("batch_replicated", {
19969
+ replicator: this.name,
19970
+ resourceName,
19971
+ queueUrl,
19972
+ total: records.length,
19973
+ successful: results.length,
19974
+ errors: errors.length
19975
+ });
19976
+ return {
19977
+ success: errors.length === 0,
19978
+ results,
19979
+ errors,
19980
+ total: records.length,
19981
+ queueUrl
19982
+ };
19983
+ } catch (error) {
19984
+ this.emit("batch_replication_error", {
19985
+ replicator: this.name,
19986
+ resourceName,
19987
+ error: error.message
19988
+ });
19989
+ return { success: false, error: error.message };
19990
+ }
19991
+ }
19992
+ async testConnection() {
19993
+ try {
19994
+ if (!this.sqsClient) {
19995
+ await this.initialize(this.database);
19996
+ }
19997
+ const { GetQueueAttributesCommand } = await import('@aws-sdk/client-sqs');
19998
+ const command = new GetQueueAttributesCommand({
19999
+ QueueUrl: this.queueUrl,
20000
+ AttributeNames: ["QueueArn"]
20001
+ });
20002
+ await this.sqsClient.send(command);
20003
+ return true;
20004
+ } catch (error) {
20005
+ this.emit("connection_error", {
20006
+ replicator: this.name,
20007
+ error: error.message
20008
+ });
20009
+ return false;
20010
+ }
20011
+ }
20012
+ async getStatus() {
20013
+ const baseStatus = await super.getStatus();
20014
+ return {
20015
+ ...baseStatus,
20016
+ connected: !!this.sqsClient,
20017
+ queueUrl: this.queueUrl,
20018
+ region: this.region,
20019
+ resources: this.resources,
20020
+ totalReplications: this.listenerCount("replicated"),
20021
+ totalErrors: this.listenerCount("replication_error")
20022
+ };
20023
+ }
20024
+ async cleanup() {
20025
+ if (this.sqsClient) {
20026
+ this.sqsClient.destroy();
20027
+ }
20028
+ await super.cleanup();
20029
+ }
20030
+ shouldReplicateResource(resourceName) {
20031
+ return this.resources.length === 0 || this.resources.includes(resourceName);
20032
+ }
20033
+ }
20034
+
20035
+ class BigqueryReplicator extends BaseReplicator {
20036
+ constructor(config = {}, resources = []) {
20037
+ super(config);
20038
+ this.resources = resources;
20039
+ this.projectId = config.projectId;
20040
+ this.datasetId = config.datasetId;
20041
+ this.tableId = config.tableId;
20042
+ this.tableMap = config.tableMap || {};
20043
+ this.bigqueryClient = null;
20044
+ this.credentials = config.credentials;
20045
+ this.location = config.location || "US";
20046
+ this.logOperations = config.logOperations !== false;
20047
+ }
20048
+ validateConfig() {
20049
+ const errors = [];
20050
+ if (!this.projectId) errors.push("projectId is required");
20051
+ if (!this.datasetId) errors.push("datasetId is required");
20052
+ if (!this.tableId) errors.push("tableId is required");
20053
+ return { isValid: errors.length === 0, errors };
20054
+ }
20055
+ async initialize(database) {
20056
+ await super.initialize(database);
20057
+ try {
20058
+ const { BigQuery } = await import('@google-cloud/bigquery');
20059
+ this.bigqueryClient = new BigQuery({
20060
+ projectId: this.projectId,
20061
+ credentials: this.credentials,
20062
+ location: this.location
20063
+ });
20064
+ this.emit("initialized", {
20065
+ replicator: this.name,
20066
+ projectId: this.projectId,
20067
+ datasetId: this.datasetId,
20068
+ tableId: this.tableId
20069
+ });
20070
+ } catch (error) {
20071
+ this.emit("initialization_error", { replicator: this.name, error: error.message });
20072
+ throw error;
20073
+ }
20074
+ }
20075
+ getTableForResource(resourceName) {
20076
+ return this.tableMap[resourceName] || this.tableId;
20077
+ }
20078
+ async replicate(resourceName, operation, data, id, beforeData = null) {
20079
+ if (!this.enabled || !this.shouldReplicateResource(resourceName)) {
20080
+ return { skipped: true, reason: "resource_not_included" };
20081
+ }
20082
+ try {
20083
+ const dataset = this.bigqueryClient.dataset(this.datasetId);
20084
+ const tableId = this.getTableForResource(resourceName);
20085
+ const table = dataset.table(tableId);
20086
+ let job;
20087
+ if (operation === "insert") {
20088
+ const row = { ...data };
20089
+ job = await table.insert([row]);
20090
+ } else if (operation === "update") {
20091
+ const keys = Object.keys(data).filter((k) => k !== "id");
20092
+ const setClause = keys.map((k) => `
20093
+ ${k}=@${k}
20094
+ `).join(", ");
20095
+ const params = { id };
20096
+ keys.forEach((k) => {
20097
+ params[k] = data[k];
20098
+ });
20099
+ const query = `UPDATE \`${this.projectId}.${this.datasetId}.${tableId}\`
20100
+ SET ${setClause}
20101
+ WHERE id=@id`;
20102
+ const [updateJob] = await this.bigqueryClient.createQueryJob({
20103
+ query,
20104
+ params
20105
+ });
20106
+ await updateJob.getQueryResults();
20107
+ job = [updateJob];
20108
+ } else if (operation === "delete") {
20109
+ const query = `DELETE FROM \`${this.projectId}.${this.datasetId}.${tableId}\`
20110
+ WHERE id=@id`;
20111
+ const [deleteJob] = await this.bigqueryClient.createQueryJob({
20112
+ query,
20113
+ params: { id }
20114
+ });
20115
+ await deleteJob.getQueryResults();
20116
+ job = [deleteJob];
20117
+ } else {
20118
+ throw new Error(`Unsupported operation: ${operation}`);
20119
+ }
20120
+ if (this.logOperations) {
20121
+ const logTable = dataset.table(this.tableId);
20122
+ await logTable.insert([{
20123
+ resource_name: resourceName,
20124
+ operation,
20125
+ record_id: id,
20126
+ data: JSON.stringify(data),
20127
+ timestamp: (/* @__PURE__ */ new Date()).toISOString(),
20128
+ source: "s3db-replication"
20129
+ }]);
20130
+ }
20131
+ this.emit("replicated", {
20132
+ replicator: this.name,
20133
+ resourceName,
20134
+ operation,
20135
+ id,
20136
+ jobId: job[0]?.id,
20137
+ success: true
20138
+ });
20139
+ return { success: true, jobId: job[0]?.id };
20140
+ } catch (error) {
20141
+ this.emit("replication_error", {
20142
+ replicator: this.name,
20143
+ resourceName,
20144
+ operation,
20145
+ id,
20146
+ error: error.message
20147
+ });
20148
+ return { success: false, error: error.message };
20149
+ }
20150
+ }
20151
+ async replicateBatch(resourceName, records) {
20152
+ const results = [];
20153
+ const errors = [];
20154
+ for (const record of records) {
20155
+ try {
20156
+ const res = await this.replicate(resourceName, record.operation, record.data, record.id, record.beforeData);
20157
+ results.push(res);
20158
+ } catch (err) {
20159
+ errors.push({ id: record.id, error: err.message });
20160
+ }
20161
+ }
20162
+ return { success: errors.length === 0, results, errors };
20163
+ }
20164
+ async testConnection() {
20165
+ try {
20166
+ if (!this.bigqueryClient) await this.initialize();
20167
+ const dataset = this.bigqueryClient.dataset(this.datasetId);
20168
+ await dataset.getMetadata();
20169
+ return true;
20170
+ } catch (error) {
20171
+ this.emit("connection_error", { replicator: this.name, error: error.message });
20172
+ return false;
20173
+ }
20174
+ }
20175
+ async cleanup() {
20176
+ }
20177
+ shouldReplicateResource(resourceName) {
20178
+ if (!this.resources || this.resources.length === 0) return true;
20179
+ return this.resources.includes(resourceName);
20180
+ }
20181
+ }
20182
+
20183
+ class PostgresReplicator extends BaseReplicator {
20184
+ constructor(config = {}, resources = []) {
20185
+ super(config);
20186
+ this.resources = resources;
20187
+ this.connectionString = config.connectionString;
20188
+ this.host = config.host;
20189
+ this.port = config.port || 5432;
20190
+ this.database = config.database;
20191
+ this.user = config.user;
20192
+ this.password = config.password;
20193
+ this.tableName = config.tableName || "s3db_replication";
20194
+ this.tableMap = config.tableMap || {};
20195
+ this.client = null;
20196
+ this.ssl = config.ssl;
20197
+ this.logOperations = config.logOperations !== false;
20198
+ }
20199
+ validateConfig() {
20200
+ const errors = [];
20201
+ if (!this.connectionString && (!this.host || !this.database)) {
20202
+ errors.push("Either connectionString or host+database must be provided");
20203
+ }
20204
+ return {
20205
+ isValid: errors.length === 0,
20206
+ errors
20207
+ };
20208
+ }
20209
+ async initialize(database) {
20210
+ await super.initialize(database);
20211
+ try {
20212
+ const { Client } = await import('pg');
20213
+ const config = this.connectionString ? {
20214
+ connectionString: this.connectionString,
20215
+ ssl: this.ssl
20216
+ } : {
20217
+ host: this.host,
20218
+ port: this.port,
20219
+ database: this.database,
20220
+ user: this.user,
20221
+ password: this.password,
20222
+ ssl: this.ssl
20223
+ };
20224
+ this.client = new Client(config);
20225
+ await this.client.connect();
20226
+ if (this.logOperations) await this.createTableIfNotExists();
20227
+ this.emit("initialized", {
20228
+ replicator: this.name,
20229
+ database: this.database || "postgres",
20230
+ table: this.tableName
20231
+ });
20232
+ } catch (error) {
20233
+ this.emit("initialization_error", {
20234
+ replicator: this.name,
20235
+ error: error.message
20236
+ });
20237
+ throw error;
20238
+ }
20239
+ }
20240
+ async createTableIfNotExists() {
20241
+ const createTableQuery = `
20242
+ CREATE TABLE IF NOT EXISTS ${this.tableName} (
20243
+ id SERIAL PRIMARY KEY,
20244
+ resource_name VARCHAR(255) NOT NULL,
20245
+ operation VARCHAR(50) NOT NULL,
20246
+ record_id VARCHAR(255) NOT NULL,
20247
+ data JSONB,
20248
+ timestamp TIMESTAMP WITH TIME ZONE DEFAULT NOW(),
20249
+ source VARCHAR(100) DEFAULT 's3db-replication',
20250
+ created_at TIMESTAMP WITH TIME ZONE DEFAULT NOW()
20251
+ );
20252
+ CREATE INDEX IF NOT EXISTS idx_${this.tableName}_resource_name ON ${this.tableName}(resource_name);
20253
+ CREATE INDEX IF NOT EXISTS idx_${this.tableName}_operation ON ${this.tableName}(operation);
20254
+ CREATE INDEX IF NOT EXISTS idx_${this.tableName}_record_id ON ${this.tableName}(record_id);
20255
+ CREATE INDEX IF NOT EXISTS idx_${this.tableName}_timestamp ON ${this.tableName}(timestamp);
20256
+ `;
20257
+ await this.client.query(createTableQuery);
20258
+ }
20259
+ getTableForResource(resourceName) {
20260
+ return this.tableMap[resourceName] || resourceName;
20261
+ }
20262
+ async replicate(resourceName, operation, data, id, beforeData = null) {
20263
+ if (!this.enabled || !this.shouldReplicateResource(resourceName)) {
20264
+ return { skipped: true, reason: "resource_not_included" };
20265
+ }
20266
+ try {
20267
+ const table = this.getTableForResource(resourceName);
20268
+ let result;
20269
+ if (operation === "insert") {
20270
+ const keys = Object.keys(data);
20271
+ const values = keys.map((k) => data[k]);
20272
+ const columns = keys.map((k) => `"${k}"`).join(", ");
20273
+ const params = keys.map((_, i) => `$${i + 1}`).join(", ");
20274
+ const sql = `INSERT INTO ${table} (${columns}) VALUES (${params}) ON CONFLICT (id) DO NOTHING RETURNING *`;
20275
+ result = await this.client.query(sql, values);
20276
+ } else if (operation === "update") {
20277
+ const keys = Object.keys(data).filter((k) => k !== "id");
20278
+ const setClause = keys.map((k, i) => `"${k}"=$${i + 1}`).join(", ");
20279
+ const values = keys.map((k) => data[k]);
20280
+ values.push(id);
20281
+ const sql = `UPDATE ${table} SET ${setClause} WHERE id=$${keys.length + 1} RETURNING *`;
20282
+ result = await this.client.query(sql, values);
20283
+ } else if (operation === "delete") {
20284
+ const sql = `DELETE FROM ${table} WHERE id=$1 RETURNING *`;
20285
+ result = await this.client.query(sql, [id]);
20286
+ } else {
20287
+ throw new Error(`Unsupported operation: ${operation}`);
20288
+ }
20289
+ if (this.logOperations) {
20290
+ await this.client.query(
20291
+ `INSERT INTO ${this.tableName} (resource_name, operation, record_id, data, timestamp, source) VALUES ($1, $2, $3, $4, $5, $6)`,
20292
+ [resourceName, operation, id, JSON.stringify(data), (/* @__PURE__ */ new Date()).toISOString(), "s3db-replication"]
20293
+ );
20294
+ }
20295
+ this.emit("replicated", {
20296
+ replicator: this.name,
20297
+ resourceName,
20298
+ operation,
20299
+ id,
20300
+ result: result.rows,
20301
+ success: true
20302
+ });
20303
+ return { success: true, rows: result.rows };
20304
+ } catch (error) {
20305
+ this.emit("replication_error", {
20306
+ replicator: this.name,
20307
+ resourceName,
20308
+ operation,
20309
+ id,
20310
+ error: error.message
20311
+ });
20312
+ return { success: false, error: error.message };
20313
+ }
20314
+ }
20315
+ async replicateBatch(resourceName, records) {
20316
+ const results = [];
20317
+ const errors = [];
20318
+ for (const record of records) {
20319
+ try {
20320
+ const res = await this.replicate(resourceName, record.operation, record.data, record.id, record.beforeData);
20321
+ results.push(res);
20322
+ } catch (err) {
20323
+ errors.push({ id: record.id, error: err.message });
20324
+ }
20325
+ }
20326
+ return { success: errors.length === 0, results, errors };
20327
+ }
20328
+ async testConnection() {
20329
+ try {
20330
+ if (!this.client) await this.initialize();
20331
+ await this.client.query("SELECT 1");
20332
+ return true;
20333
+ } catch (error) {
20334
+ this.emit("connection_error", { replicator: this.name, error: error.message });
20335
+ return false;
20336
+ }
20337
+ }
20338
+ async cleanup() {
20339
+ if (this.client) await this.client.end();
20340
+ }
20341
+ shouldReplicateResource(resourceName) {
20342
+ if (!this.resources || this.resources.length === 0) return true;
20343
+ return this.resources.includes(resourceName);
20344
+ }
20345
+ }
20346
+
20347
+ const REPLICATOR_DRIVERS = {
20348
+ s3db: S3dbReplicator,
20349
+ sqs: SqsReplicator,
20350
+ bigquery: BigqueryReplicator,
20351
+ postgres: PostgresReplicator
20352
+ };
20353
+ function createReplicator(driver, config = {}, resources = []) {
20354
+ const ReplicatorClass = REPLICATOR_DRIVERS[driver];
20355
+ if (!ReplicatorClass) {
20356
+ throw new Error(`Unknown replicator driver: ${driver}. Available drivers: ${Object.keys(REPLICATOR_DRIVERS).join(", ")}`);
20357
+ }
20358
+ return new ReplicatorClass(config, resources);
20359
+ }
20360
+ function validateReplicatorConfig(driver, config, resources = []) {
20361
+ const replicator = createReplicator(driver, config, resources);
20362
+ return replicator.validateConfig();
20363
+ }
20364
+
20365
+ const gzipAsync = promisify(gzip);
20366
+ const gunzipAsync = promisify(gunzip);
20367
+ class ReplicationPlugin extends Plugin {
20368
+ constructor(options = {}) {
20369
+ super();
20370
+ this.config = {
20371
+ enabled: options.enabled !== false,
20372
+ replicators: options.replicators || [],
20373
+ syncMode: options.syncMode || "async",
20374
+ // 'sync' or 'async'
20375
+ retryAttempts: options.retryAttempts || 3,
20376
+ retryDelay: options.retryDelay || 1e3,
20377
+ // ms
20378
+ batchSize: options.batchSize || 10,
20379
+ compression: options.compression || false,
20380
+ // Enable compression
20381
+ compressionLevel: options.compressionLevel || 6,
20382
+ // 0-9
20383
+ ...options
20384
+ };
20385
+ this.replicators = [];
20386
+ this.queue = [];
20387
+ this.isProcessing = false;
20388
+ this.stats = {
20389
+ totalOperations: 0,
20390
+ successfulOperations: 0,
20391
+ failedOperations: 0,
20392
+ lastSync: null
20393
+ };
20394
+ }
20395
+ /**
20396
+ * Process data according to replication mode
20397
+ */
20398
+ processDataForReplication(data, metadata = {}) {
20399
+ switch (this.config.replicationMode) {
20400
+ case "exact-copy":
20401
+ return {
20402
+ body: data,
20403
+ metadata
20404
+ };
20405
+ case "just-metadata":
20406
+ return {
20407
+ body: null,
20408
+ metadata
20409
+ };
20410
+ case "all-in-body":
20411
+ return {
20412
+ body: {
20413
+ data,
20414
+ metadata,
20415
+ replicationMode: this.config.replicationMode,
20416
+ timestamp: (/* @__PURE__ */ new Date()).toISOString()
20417
+ },
20418
+ metadata: {
20419
+ replicationMode: this.config.replicationMode,
20420
+ timestamp: (/* @__PURE__ */ new Date()).toISOString()
20421
+ }
20422
+ };
20423
+ default:
20424
+ return {
20425
+ body: data,
20426
+ metadata
20427
+ };
20428
+ }
20429
+ }
20430
+ /**
20431
+ * Compress data if compression is enabled
20432
+ */
20433
+ async compressData(data) {
20434
+ if (!this.config.compression || !data) {
20435
+ return data;
20436
+ }
20437
+ try {
20438
+ const jsonString = JSON.stringify(data);
20439
+ const compressed = await gzipAsync(jsonString, { level: this.config.compressionLevel });
20440
+ return compressed.toString("base64");
20441
+ } catch (error) {
20442
+ this.emit("replication.compression.failed", { error, data });
20443
+ return data;
20444
+ }
20445
+ }
20446
+ /**
20447
+ * Decompress data if it was compressed
20448
+ */
20449
+ async decompressData(data) {
20450
+ if (!this.config.compression || !data) {
20451
+ return data;
20452
+ }
20453
+ try {
20454
+ if (typeof data === "string" && data.startsWith("H4sI")) {
20455
+ const buffer = Buffer.from(data, "base64");
20456
+ const decompressed = await gunzipAsync(buffer);
20457
+ return JSON.parse(decompressed.toString());
20458
+ }
20459
+ return data;
20460
+ } catch (error) {
20461
+ this.emit("replication.decompression.failed", { error, data });
20462
+ return data;
20463
+ }
20464
+ }
20465
+ async setup(database) {
20466
+ this.database = database;
20467
+ if (!this.config.enabled) {
20468
+ return;
20469
+ }
20470
+ if (this.config.replicators && this.config.replicators.length > 0) {
20471
+ await this.initializeReplicators();
20472
+ }
20473
+ if (!database.resources.replication_logs) {
20474
+ this.replicationLog = await database.createResource({
20475
+ name: "replication_logs",
20476
+ attributes: {
20477
+ id: "string|required",
20478
+ resourceName: "string|required",
20479
+ operation: "string|required",
20480
+ recordId: "string|required",
20481
+ replicatorId: "string|required",
20482
+ status: "string|required",
20483
+ attempts: "number|required",
20484
+ lastAttempt: "string|required",
20485
+ error: "string|required",
20486
+ data: "object|required",
20487
+ timestamp: "string|required"
20488
+ }
20489
+ });
20490
+ } else {
20491
+ this.replicationLog = database.resources.replication_logs;
20492
+ }
20493
+ for (const resourceName in database.resources) {
20494
+ if (resourceName !== "replication_logs") {
20495
+ this.installHooks(database.resources[resourceName]);
20496
+ }
20497
+ }
20498
+ const originalCreateResource = database.createResource.bind(database);
20499
+ database.createResource = async (config) => {
20500
+ const resource = await originalCreateResource(config);
20501
+ if (resource && resource.name !== "replication_logs") {
20502
+ this.installHooks(resource);
20503
+ }
20504
+ return resource;
20505
+ };
20506
+ this.startQueueProcessor();
20507
+ }
20508
+ async initializeReplicators() {
20509
+ for (const replicatorConfig of this.config.replicators) {
20510
+ try {
20511
+ const { driver, config: replicatorConfigData, resources = [] } = replicatorConfig;
20512
+ const validation = validateReplicatorConfig(driver, replicatorConfigData, resources);
20513
+ if (!validation.isValid) {
20514
+ this.emit("replicator.validation.failed", {
20515
+ driver,
20516
+ errors: validation.errors
20517
+ });
20518
+ continue;
20519
+ }
20520
+ const replicator = createReplicator(driver, replicatorConfigData, resources);
20521
+ await replicator.initialize(this.database);
20522
+ replicator.on("replicated", (data) => {
20523
+ this.emit("replication.success", data);
20524
+ });
20525
+ replicator.on("replication_error", (data) => {
20526
+ this.emit("replication.failed", data);
20527
+ });
20528
+ this.replicators.push({
20529
+ id: `${driver}-${Date.now()}`,
20530
+ driver,
20531
+ config: replicatorConfigData,
20532
+ resources,
20533
+ instance: replicator
20534
+ });
20535
+ this.emit("replicator.initialized", {
20536
+ driver,
20537
+ config: replicatorConfigData,
20538
+ resources
20539
+ });
20540
+ } catch (error) {
20541
+ this.emit("replicator.initialization.failed", {
20542
+ driver: replicatorConfig.driver,
20543
+ error: error.message
20544
+ });
20545
+ }
20546
+ }
20547
+ }
20548
+ async start() {
20549
+ }
20550
+ async stop() {
20551
+ this.isProcessing = false;
20552
+ await this.processQueue();
20553
+ }
20554
+ installHooks(resource) {
20555
+ if (!resource || resource.name === "replication_logs") return;
20556
+ const originalDataMap = /* @__PURE__ */ new Map();
20557
+ resource.addHook("afterInsert", async (data) => {
20558
+ await this.queueReplication(resource.name, "insert", data.id, data);
20559
+ return data;
20560
+ });
20561
+ resource.addHook("preUpdate", async (data) => {
20562
+ if (data.id) {
20563
+ try {
20564
+ const originalData = await resource.get(data.id);
20565
+ originalDataMap.set(data.id, originalData);
20566
+ } catch (error) {
20567
+ originalDataMap.set(data.id, { id: data.id });
20568
+ }
20569
+ }
20570
+ return data;
20571
+ });
20572
+ resource.addHook("afterUpdate", async (data) => {
20573
+ const beforeData = originalDataMap.get(data.id);
20574
+ await this.queueReplication(resource.name, "update", data.id, data, beforeData);
20575
+ originalDataMap.delete(data.id);
20576
+ return data;
20577
+ });
20578
+ resource.addHook("afterDelete", async (data) => {
20579
+ await this.queueReplication(resource.name, "delete", data.id, data);
20580
+ return data;
20581
+ });
20582
+ const originalDeleteMany = resource.deleteMany.bind(resource);
20583
+ resource.deleteMany = async (ids) => {
20584
+ const result = await originalDeleteMany(ids);
20585
+ if (result && result.length > 0) {
20586
+ for (const id of ids) {
20587
+ await this.queueReplication(resource.name, "delete", id, { id });
20588
+ }
20589
+ }
20590
+ return result;
20591
+ };
20592
+ }
20593
+ async queueReplication(resourceName, operation, recordId, data, beforeData = null) {
20594
+ if (!this.config.enabled) {
20595
+ return;
20596
+ }
20597
+ if (this.replicators.length === 0) {
20598
+ return;
20599
+ }
20600
+ const applicableReplicators = this.replicators.filter(
20601
+ (replicator) => replicator.instance.shouldReplicateResource(resourceName)
20602
+ );
20603
+ if (applicableReplicators.length === 0) {
20604
+ return;
20605
+ }
20606
+ const item = {
20607
+ id: `repl-${Date.now()}-${Math.random().toString(36).substr(2, 9)}`,
20608
+ resourceName,
20609
+ operation,
20610
+ recordId,
20611
+ data: lodashEs.isPlainObject(data) ? data : { raw: data },
20612
+ beforeData: beforeData ? lodashEs.isPlainObject(beforeData) ? beforeData : { raw: beforeData } : null,
20613
+ timestamp: (/* @__PURE__ */ new Date()).toISOString(),
20614
+ attempts: 0
20615
+ };
20616
+ const logId = await this.logReplication(item);
20617
+ if (this.config.syncMode === "sync") {
20618
+ try {
20619
+ const result = await this.processReplicationItem(item);
20620
+ if (logId) {
20621
+ await this.updateReplicationLog(logId, {
20622
+ status: result.success ? "success" : "failed",
20623
+ attempts: 1,
20624
+ error: result.success ? "" : JSON.stringify(result.results)
20625
+ });
20626
+ }
20627
+ this.stats.totalOperations++;
20628
+ if (result.success) {
20629
+ this.stats.successfulOperations++;
20630
+ } else {
20631
+ this.stats.failedOperations++;
20632
+ }
20633
+ } catch (error) {
20634
+ if (logId) {
20635
+ await this.updateReplicationLog(logId, {
20636
+ status: "failed",
20637
+ attempts: 1,
20638
+ error: error.message
20639
+ });
20640
+ }
20641
+ this.stats.failedOperations++;
20642
+ }
20643
+ } else {
20644
+ this.queue.push(item);
20645
+ this.emit("replication.queued", { item, queueLength: this.queue.length });
20646
+ }
20647
+ }
20648
+ async processReplicationItem(item) {
20649
+ const { resourceName, operation, recordId, data, beforeData } = item;
20650
+ const applicableReplicators = this.replicators.filter(
20651
+ (replicator) => replicator.instance.shouldReplicateResource(resourceName)
20652
+ );
20653
+ if (applicableReplicators.length === 0) {
20654
+ return { success: true, skipped: true, reason: "no_applicable_replicators" };
20655
+ }
20656
+ const results = [];
20657
+ for (const replicator of applicableReplicators) {
20658
+ try {
20659
+ const result = await replicator.instance.replicate(resourceName, operation, data, recordId, beforeData);
20660
+ results.push({
20661
+ replicatorId: replicator.id,
20662
+ driver: replicator.driver,
20663
+ success: result.success,
20664
+ error: result.error,
20665
+ skipped: result.skipped
20666
+ });
20667
+ } catch (error) {
20668
+ results.push({
20669
+ replicatorId: replicator.id,
20670
+ driver: replicator.driver,
20671
+ success: false,
20672
+ error: error.message
20673
+ });
20674
+ }
20675
+ }
20676
+ return {
20677
+ success: results.every((r) => r.success || r.skipped),
20678
+ results
20679
+ };
20680
+ }
20681
+ async logReplication(item) {
20682
+ if (!this.replicationLog) return;
20683
+ try {
20684
+ const logId = `log-${Date.now()}-${Math.random().toString(36).substr(2, 9)}`;
20685
+ await this.replicationLog.insert({
20686
+ id: logId,
20687
+ resourceName: item.resourceName,
20688
+ operation: item.operation,
20689
+ recordId: item.recordId,
20690
+ replicatorId: "all",
20691
+ // Will be updated with specific replicator results
20692
+ status: "queued",
20693
+ attempts: 0,
20694
+ lastAttempt: (/* @__PURE__ */ new Date()).toISOString(),
20695
+ error: "",
20696
+ data: lodashEs.isPlainObject(item.data) ? item.data : { raw: item.data },
20697
+ timestamp: (/* @__PURE__ */ new Date()).toISOString()
20698
+ });
20699
+ return logId;
20700
+ } catch (error) {
20701
+ this.emit("replication.log.failed", { error: error.message, item });
20702
+ return null;
20703
+ }
20704
+ }
20705
+ async updateReplicationLog(logId, updates) {
20706
+ if (!this.replicationLog) return;
20707
+ try {
20708
+ await this.replicationLog.update(logId, {
20709
+ ...updates,
20710
+ lastAttempt: (/* @__PURE__ */ new Date()).toISOString()
20711
+ });
20712
+ } catch (error) {
20713
+ this.emit("replication.updateLog.failed", { error: error.message, logId, updates });
20714
+ }
20715
+ }
20716
+ startQueueProcessor() {
20717
+ if (this.isProcessing) return;
20718
+ this.isProcessing = true;
20719
+ this.processQueueLoop();
20720
+ }
20721
+ async processQueueLoop() {
20722
+ while (this.isProcessing) {
20723
+ if (this.queue.length > 0) {
20724
+ const batch = this.queue.splice(0, this.config.batchSize);
20725
+ for (const item of batch) {
20726
+ await this.processReplicationItem(item);
20727
+ }
20728
+ } else {
20729
+ await new Promise((resolve) => setTimeout(resolve, 1e3));
20730
+ }
20731
+ }
20732
+ }
20733
+ async processQueue() {
20734
+ if (this.queue.length === 0) return;
20735
+ const item = this.queue.shift();
20736
+ let attempts = 0;
20737
+ let lastError = null;
20738
+ while (attempts < this.config.retryAttempts) {
20739
+ try {
20740
+ attempts++;
20741
+ this.emit("replication.retry.started", {
20742
+ item,
20743
+ attempt: attempts,
20744
+ maxAttempts: this.config.retryAttempts
20745
+ });
20746
+ const result = await this.processReplicationItem(item);
20747
+ if (result.success) {
20748
+ this.stats.successfulOperations++;
20749
+ this.emit("replication.success", {
20750
+ item,
20751
+ attempts,
20752
+ results: result.results,
20753
+ stats: this.stats
20754
+ });
20755
+ return;
20756
+ } else {
20757
+ lastError = result.results;
20758
+ if (attempts < this.config.retryAttempts) {
20759
+ await new Promise((resolve) => setTimeout(resolve, this.config.retryDelay * attempts));
20760
+ }
20761
+ }
20762
+ } catch (error) {
20763
+ lastError = error.message;
20764
+ if (attempts < this.config.retryAttempts) {
20765
+ await new Promise((resolve) => setTimeout(resolve, this.config.retryDelay * attempts));
20766
+ } else {
20767
+ this.emit("replication.retry.exhausted", {
20768
+ attempts,
20769
+ lastError,
20770
+ item
20771
+ });
20772
+ }
20773
+ }
20774
+ }
20775
+ this.stats.failedOperations++;
20776
+ this.emit("replication.failed", {
20777
+ attempts,
20778
+ lastError,
20779
+ item,
20780
+ stats: this.stats
20781
+ });
20782
+ }
20783
+ // Utility methods
20784
+ async getReplicationStats() {
20785
+ const replicatorStats = await Promise.all(
20786
+ this.replicators.map(async (replicator) => {
20787
+ const status = await replicator.instance.getStatus();
20788
+ return {
20789
+ id: replicator.id,
20790
+ driver: replicator.driver,
20791
+ config: replicator.config,
20792
+ status
20793
+ };
20794
+ })
20795
+ );
20796
+ return {
20797
+ enabled: this.config.enabled,
20798
+ replicators: replicatorStats,
20799
+ queue: {
20800
+ length: this.queue.length,
20801
+ isProcessing: this.isProcessing
20802
+ },
20803
+ stats: this.stats,
20804
+ lastSync: this.stats.lastSync
20805
+ };
20806
+ }
20807
+ async getReplicationLogs(options = {}) {
20808
+ if (!this.replicationLog) {
20809
+ return [];
20810
+ }
20811
+ const {
20812
+ resourceName,
20813
+ operation,
20814
+ status,
20815
+ limit = 100,
20816
+ offset = 0
20817
+ } = options;
20818
+ let query = {};
20819
+ if (resourceName) {
20820
+ query.resourceName = resourceName;
20821
+ }
20822
+ if (operation) {
20823
+ query.operation = operation;
20824
+ }
20825
+ if (status) {
20826
+ query.status = status;
20827
+ }
20828
+ const logs = await this.replicationLog.list(query);
20829
+ return logs.slice(offset, offset + limit);
20830
+ }
20831
+ async retryFailedReplications() {
20832
+ if (!this.replicationLog) {
20833
+ return { retried: 0 };
20834
+ }
20835
+ const failedLogs = await this.replicationLog.list({
20836
+ status: "failed"
20837
+ });
20838
+ let retried = 0;
20839
+ for (const log of failedLogs) {
20840
+ try {
20841
+ await this.queueReplication(
20842
+ log.resourceName,
20843
+ log.operation,
20844
+ log.recordId,
20845
+ log.data
20846
+ );
20847
+ retried++;
20848
+ } catch (error) {
20849
+ console.error("Failed to retry replication:", error);
20850
+ }
20851
+ }
20852
+ return { retried };
20853
+ }
20854
+ async syncAllData(replicatorId) {
20855
+ const replicator = this.replicators.find((r) => r.id === replicatorId);
20856
+ if (!replicator) {
20857
+ throw new Error(`Replicator not found: ${replicatorId}`);
20858
+ }
20859
+ this.stats.lastSync = (/* @__PURE__ */ new Date()).toISOString();
20860
+ for (const resourceName in this.database.resources) {
20861
+ if (resourceName === "replication_logs") continue;
20862
+ if (replicator.instance.shouldReplicateResource(resourceName)) {
20863
+ this.emit("replication.sync.resource", { resourceName, replicatorId });
20864
+ const resource = this.database.resources[resourceName];
20865
+ const allRecords = await resource.getAll();
20866
+ for (const record of allRecords) {
20867
+ await replicator.instance.replicate(resourceName, "insert", record, record.id);
20868
+ }
20869
+ }
20870
+ }
20871
+ this.emit("replication.sync.completed", { replicatorId, stats: this.stats });
17819
20872
  }
17820
20873
  }
17821
20874
 
17822
20875
  exports.AVAILABLE_BEHAVIORS = AVAILABLE_BEHAVIORS;
20876
+ exports.AuditPlugin = AuditPlugin;
17823
20877
  exports.AuthenticationError = AuthenticationError;
17824
20878
  exports.BaseError = BaseError;
17825
20879
  exports.Cache = Cache;
@@ -17832,8 +20886,10 @@ ${validation.errors.join("\n")}`);
17832
20886
  exports.DatabaseError = DatabaseError;
17833
20887
  exports.EncryptionError = EncryptionError;
17834
20888
  exports.ErrorMap = ErrorMap;
20889
+ exports.FullTextPlugin = FullTextPlugin;
17835
20890
  exports.InvalidResourceItem = InvalidResourceItem;
17836
20891
  exports.MemoryCache = MemoryCache;
20892
+ exports.MetricsPlugin = MetricsPlugin;
17837
20893
  exports.MissingMetadata = MissingMetadata;
17838
20894
  exports.NoSuchBucket = NoSuchBucket;
17839
20895
  exports.NoSuchKey = NoSuchKey;
@@ -17841,6 +20897,7 @@ ${validation.errors.join("\n")}`);
17841
20897
  exports.PermissionError = PermissionError;
17842
20898
  exports.Plugin = Plugin;
17843
20899
  exports.PluginObject = PluginObject;
20900
+ exports.ReplicationPlugin = ReplicationPlugin;
17844
20901
  exports.Resource = Resource;
17845
20902
  exports.ResourceIdsPageReader = ResourceIdsPageReader;
17846
20903
  exports.ResourceIdsReader = ResourceIdsReader;