wallet-core/packages/idb-bridge/src/MemoryBackend.ts

1138 lines
33 KiB
TypeScript
Raw Normal View History

2019-06-15 22:44:54 +02:00
import {
Backend,
DatabaseConnection,
DatabaseTransaction,
Schema,
RecordStoreRequest,
IndexProperties,
2019-06-21 19:18:36 +02:00
RecordGetRequest,
RecordGetResponse,
ResultLevel,
2019-06-15 22:44:54 +02:00
} from "./backend-interface";
import structuredClone from "./util/structuredClone";
2019-06-21 19:18:36 +02:00
import {
InvalidStateError,
InvalidAccessError,
ConstraintError,
} from "./util/errors";
2019-06-15 22:44:54 +02:00
import BTree, { ISortedMap, ISortedMapF } from "./tree/b+tree";
import BridgeIDBFactory from "./BridgeIDBFactory";
import compareKeys from "./util/cmp";
import extractKey from "./util/extractKey";
import { Key, Value, KeyPath } from "./util/types";
2019-06-21 19:18:36 +02:00
import { StoreKeyResult, makeStoreKeyValue } from "./util/makeStoreKeyValue";
import getIndexKeys from "./util/getIndexKeys";
import openPromise from "./util/openPromise";
import BridgeIDBKeyRange from "./BridgeIDBKeyRange";
import { resetWarningCache } from "prop-types";
2019-06-15 22:44:54 +02:00
enum TransactionLevel {
Disconnected = 0,
Connected = 1,
Read = 2,
Write = 3,
VersionChange = 4,
}
interface ObjectStore {
originalName: string;
modifiedName: string | undefined;
2019-06-21 19:18:36 +02:00
originalData: ISortedMapF<Key, ObjectStoreRecord>;
modifiedData: ISortedMapF<Key, ObjectStoreRecord> | undefined;
2019-06-15 22:44:54 +02:00
deleted: boolean;
originalKeyGenerator: number;
modifiedKeyGenerator: number | undefined;
}
interface Index {
originalName: string;
modifiedName: string | undefined;
2019-06-21 19:18:36 +02:00
originalData: ISortedMapF<Key, IndexRecord>;
modifiedData: ISortedMapF<Key, IndexRecord> | undefined;
2019-06-15 22:44:54 +02:00
deleted: boolean;
}
interface Database {
committedObjectStores: { [name: string]: ObjectStore };
modifiedObjectStores: { [name: string]: ObjectStore };
committedIndexes: { [name: string]: Index };
modifiedIndexes: { [name: string]: Index };
committedSchema: Schema;
/**
* Was the transaction deleted during the running transaction?
*/
deleted: boolean;
txLevel: TransactionLevel;
connectionCookie: string | undefined;
}
interface Connection {
dbName: string;
modifiedSchema: Schema | undefined;
/**
* Has the underlying database been deleted?
*/
deleted: boolean;
/**
* Map from the effective name of an object store during
* the transaction to the real name.
*/
objectStoreMap: { [currentName: string]: ObjectStore };
indexMap: { [currentName: string]: Index };
}
2019-06-21 19:18:36 +02:00
interface IndexRecord {
indexKey: Key;
primaryKeys: Key[];
}
2019-06-15 22:44:54 +02:00
2019-06-21 19:18:36 +02:00
interface ObjectStoreRecord {
primaryKey: Key;
value: Value;
2019-06-15 22:44:54 +02:00
}
2019-06-21 19:18:36 +02:00
class AsyncCondition {
_waitPromise: Promise<void>;
_resolveWaitPromise: () => void;
constructor() {
const op = openPromise<void>();
this._waitPromise = op.promise;
this._resolveWaitPromise = op.resolve;
}
2019-06-15 22:44:54 +02:00
2019-06-21 19:18:36 +02:00
wait(): Promise<void> {
return this._waitPromise;
}
2019-06-15 22:44:54 +02:00
2019-06-21 19:18:36 +02:00
trigger(): void {
this._resolveWaitPromise();
const op = openPromise<void>();
this._waitPromise = op.promise;
this._resolveWaitPromise = op.resolve;
}
}
2019-06-15 22:44:54 +02:00
2019-06-21 19:18:36 +02:00
function nextStoreKey<T>(
forward: boolean,
data: ISortedMapF<Key, ObjectStoreRecord>,
k: Key | undefined,
2019-06-15 22:44:54 +02:00
) {
2019-06-21 19:18:36 +02:00
if (k === undefined || k === null) {
return undefined;
}
const res = forward ? data.nextHigherPair(k) : data.nextLowerPair(k);
if (!res) {
return undefined;
}
return res[1].primaryKey;
}
2019-06-15 22:44:54 +02:00
2019-06-23 22:16:03 +02:00
function furthestKey(
forward: boolean,
key1: Key | undefined,
key2: Key | undefined,
) {
2019-06-21 19:18:36 +02:00
if (key1 === undefined) {
return key2;
}
if (key2 === undefined) {
return key1;
}
const cmpResult = compareKeys(key1, key2);
if (cmpResult === 0) {
// Same result
return key1;
}
if (forward && cmpResult === 1) {
return key1;
}
if (forward && cmpResult === -1) {
return key2;
}
if (!forward && cmpResult === 1) {
return key2;
}
if (!forward && cmpResult === -1) {
return key1;
2019-06-15 22:44:54 +02:00
}
}
/**
* Primitive in-memory backend.
*/
export class MemoryBackend implements Backend {
databases: { [name: string]: Database } = {};
connectionIdCounter = 1;
transactionIdCounter = 1;
/**
* Connections by connection cookie.
*/
connections: { [name: string]: Connection } = {};
/**
* Connections by transaction (!!) cookie. In this implementation,
* at most one transaction can run at the same time per connection.
*/
connectionsByTransaction: { [tx: string]: Connection } = {};
/**
* Condition that is triggered whenever a client disconnects.
*/
disconnectCond: AsyncCondition = new AsyncCondition();
/**
* Conditation that is triggered whenever a transaction finishes.
*/
transactionDoneCond: AsyncCondition = new AsyncCondition();
2019-06-21 19:18:36 +02:00
enableTracing: boolean = true;
2019-06-15 22:44:54 +02:00
async getDatabases(): Promise<{ name: string; version: number }[]> {
2019-06-21 19:18:36 +02:00
if (this.enableTracing) {
console.log("TRACING: getDatabase");
}
2019-06-15 22:44:54 +02:00
const dbList = [];
for (const name in this.databases) {
dbList.push({
name,
version: this.databases[name].committedSchema.databaseVersion,
});
}
return dbList;
}
async deleteDatabase(tx: DatabaseTransaction, name: string): Promise<void> {
2019-06-21 19:18:36 +02:00
if (this.enableTracing) {
console.log("TRACING: deleteDatabase");
}
2019-06-15 22:44:54 +02:00
const myConn = this.connectionsByTransaction[tx.transactionCookie];
if (!myConn) {
throw Error("no connection associated with transaction");
}
const myDb = this.databases[name];
if (!myDb) {
throw Error("db not found");
}
if (myDb.committedSchema.databaseName !== name) {
throw Error("name does not match");
}
if (myDb.txLevel < TransactionLevel.VersionChange) {
throw new InvalidStateError();
}
if (myDb.connectionCookie !== tx.transactionCookie) {
throw new InvalidAccessError();
}
myDb.deleted = true;
}
async connectDatabase(name: string): Promise<DatabaseConnection> {
2019-06-21 19:18:36 +02:00
if (this.enableTracing) {
console.log(`TRACING: connectDatabase(${name})`);
}
2019-06-15 22:44:54 +02:00
const connectionId = this.connectionIdCounter++;
const connectionCookie = `connection-${connectionId}`;
let database = this.databases[name];
if (!database) {
const schema: Schema = {
databaseName: name,
indexes: {},
databaseVersion: 0,
objectStores: {},
};
database = {
committedSchema: schema,
deleted: false,
modifiedIndexes: {},
committedIndexes: {},
committedObjectStores: {},
modifiedObjectStores: {},
txLevel: TransactionLevel.Disconnected,
connectionCookie: undefined,
};
this.databases[name] = database;
}
while (database.txLevel !== TransactionLevel.Disconnected) {
await this.disconnectCond.wait();
}
database.txLevel = TransactionLevel.Connected;
database.connectionCookie = connectionCookie;
2019-06-21 19:18:36 +02:00
const myConn: Connection = {
dbName: name,
deleted: false,
indexMap: Object.assign({}, database.committedIndexes),
objectStoreMap: Object.assign({}, database.committedObjectStores),
modifiedSchema: structuredClone(database.committedSchema),
};
this.connections[connectionCookie] = myConn;
2019-06-15 22:44:54 +02:00
return { connectionCookie };
}
async beginTransaction(
conn: DatabaseConnection,
objectStores: string[],
mode: import("./util/types").TransactionMode,
): Promise<DatabaseTransaction> {
2019-06-21 19:18:36 +02:00
if (this.enableTracing) {
console.log(`TRACING: beginTransaction`);
}
2019-06-15 22:44:54 +02:00
const transactionCookie = `tx-${this.transactionIdCounter++}`;
const myConn = this.connections[conn.connectionCookie];
if (!myConn) {
throw Error("connection not found");
}
const myDb = this.databases[myConn.dbName];
if (!myDb) {
throw Error("db not found");
}
while (myDb.txLevel !== TransactionLevel.Connected) {
2019-06-21 19:18:36 +02:00
if (this.enableTracing) {
console.log(`TRACING: beginTransaction -- waiting for others to close`);
}
2019-06-15 22:44:54 +02:00
await this.transactionDoneCond.wait();
}
if (mode === "readonly") {
myDb.txLevel = TransactionLevel.Read;
} else if (mode === "readwrite") {
myDb.txLevel = TransactionLevel.Write;
} else {
throw Error("unsupported transaction mode");
}
this.connectionsByTransaction[transactionCookie] = myConn;
return { transactionCookie };
}
async enterVersionChange(
conn: DatabaseConnection,
newVersion: number,
): Promise<DatabaseTransaction> {
2019-06-21 19:18:36 +02:00
if (this.enableTracing) {
console.log(`TRACING: enterVersionChange`);
}
2019-06-15 22:44:54 +02:00
const transactionCookie = `tx-vc-${this.transactionIdCounter++}`;
const myConn = this.connections[conn.connectionCookie];
if (!myConn) {
throw Error("connection not found");
}
const myDb = this.databases[myConn.dbName];
if (!myDb) {
throw Error("db not found");
}
while (myDb.txLevel !== TransactionLevel.Connected) {
await this.transactionDoneCond.wait();
}
myDb.txLevel = TransactionLevel.VersionChange;
this.connectionsByTransaction[transactionCookie] = myConn;
return { transactionCookie };
}
async close(conn: DatabaseConnection): Promise<void> {
2019-06-21 19:18:36 +02:00
if (this.enableTracing) {
console.log(`TRACING: close`);
}
2019-06-15 22:44:54 +02:00
const myConn = this.connections[conn.connectionCookie];
if (!myConn) {
throw Error("connection not found - already closed?");
}
if (!myConn.deleted) {
const myDb = this.databases[myConn.dbName];
if (myDb.txLevel != TransactionLevel.Connected) {
throw Error("invalid state");
}
myDb.txLevel = TransactionLevel.Disconnected;
}
delete this.connections[conn.connectionCookie];
2019-06-21 19:18:36 +02:00
this.disconnectCond.trigger();
2019-06-15 22:44:54 +02:00
}
getSchema(dbConn: DatabaseConnection): Schema {
2019-06-21 19:18:36 +02:00
if (this.enableTracing) {
console.log(`TRACING: getSchema`);
}
2019-06-15 22:44:54 +02:00
const myConn = this.connections[dbConn.connectionCookie];
if (!myConn) {
throw Error("unknown connection");
}
const db = this.databases[myConn.dbName];
if (!db) {
throw Error("db not found");
}
if (myConn.modifiedSchema) {
return myConn.modifiedSchema;
}
return db.committedSchema;
}
renameIndex(
btx: DatabaseTransaction,
oldName: string,
newName: string,
): void {
2019-06-21 19:18:36 +02:00
if (this.enableTracing) {
console.log(`TRACING: renameIndex(?, ${oldName}, ${newName})`);
}
const myConn = this.connectionsByTransaction[btx.transactionCookie];
2019-06-15 22:44:54 +02:00
if (!myConn) {
throw Error("unknown connection");
}
const db = this.databases[myConn.dbName];
if (!db) {
throw Error("db not found");
}
if (db.txLevel < TransactionLevel.VersionChange) {
throw Error("only allowed in versionchange transaction");
}
let schema = myConn.modifiedSchema;
if (!schema) {
throw Error();
}
if (schema.indexes[newName]) {
throw new Error("new index name already used");
}
if (!schema.indexes[oldName]) {
throw new Error("new index name already used");
}
const index: Index = myConn.indexMap[oldName];
if (!index) {
throw Error("old index missing in connection's index map");
}
schema.indexes[newName] = schema.indexes[newName];
delete schema.indexes[oldName];
for (const storeName in schema.objectStores) {
const store = schema.objectStores[storeName];
store.indexes = store.indexes.map(x => {
if (x == oldName) {
return newName;
} else {
return x;
}
});
}
myConn.indexMap[newName] = index;
delete myConn.indexMap[oldName];
index.modifiedName = newName;
}
deleteIndex(btx: DatabaseTransaction, indexName: string): void {
2019-06-21 19:18:36 +02:00
if (this.enableTracing) {
console.log(`TRACING: deleteIndex(${indexName})`);
}
2019-06-15 22:44:54 +02:00
const myConn = this.connections[btx.transactionCookie];
if (!myConn) {
throw Error("unknown connection");
}
const db = this.databases[myConn.dbName];
if (!db) {
throw Error("db not found");
}
if (db.txLevel < TransactionLevel.VersionChange) {
throw Error("only allowed in versionchange transaction");
}
let schema = myConn.modifiedSchema;
if (!schema) {
throw Error();
}
if (!schema.indexes[indexName]) {
throw new Error("index does not exist");
}
const index: Index = myConn.indexMap[indexName];
if (!index) {
throw Error("old index missing in connection's index map");
}
index.deleted = true;
delete schema.indexes[indexName];
delete myConn.indexMap[indexName];
for (const storeName in schema.objectStores) {
const store = schema.objectStores[storeName];
store.indexes = store.indexes.filter(x => {
return x !== indexName;
});
}
}
deleteObjectStore(btx: DatabaseTransaction, name: string): void {
2019-06-21 19:18:36 +02:00
if (this.enableTracing) {
console.log(`TRACING: deleteObjectStore(${name})`);
}
2019-06-15 22:44:54 +02:00
const myConn = this.connections[btx.transactionCookie];
if (!myConn) {
throw Error("unknown connection");
}
const db = this.databases[myConn.dbName];
if (!db) {
throw Error("db not found");
}
if (db.txLevel < TransactionLevel.VersionChange) {
throw Error("only allowed in versionchange transaction");
}
const schema = myConn.modifiedSchema;
if (!schema) {
throw Error();
}
const objectStoreProperties = schema.objectStores[name];
if (!objectStoreProperties) {
throw Error("object store not found");
}
const objectStore = myConn.objectStoreMap[name];
if (!objectStore) {
throw Error("object store not found in map");
}
const indexNames = objectStoreProperties.indexes;
for (const indexName of indexNames) {
this.deleteIndex(btx, indexName);
}
objectStore.deleted = true;
delete myConn.objectStoreMap[name];
delete schema.objectStores[name];
}
renameObjectStore(
btx: DatabaseTransaction,
oldName: string,
newName: string,
): void {
2019-06-21 19:18:36 +02:00
if (this.enableTracing) {
console.log(`TRACING: renameObjectStore(?, ${oldName}, ${newName})`);
}
2019-06-15 22:44:54 +02:00
const myConn = this.connections[btx.transactionCookie];
if (!myConn) {
throw Error("unknown connection");
}
const db = this.databases[myConn.dbName];
if (!db) {
throw Error("db not found");
}
if (db.txLevel < TransactionLevel.VersionChange) {
throw Error("only allowed in versionchange transaction");
}
const schema = myConn.modifiedSchema;
if (!schema) {
throw Error();
}
if (!schema.objectStores[oldName]) {
throw Error("object store not found");
}
if (schema.objectStores[newName]) {
throw Error("new object store already exists");
}
const objectStore = myConn.objectStoreMap[oldName];
if (!objectStore) {
throw Error("object store not found in map");
}
objectStore.modifiedName = newName;
schema.objectStores[newName] = schema.objectStores[oldName];
delete schema.objectStores[oldName];
delete myConn.objectStoreMap[oldName];
myConn.objectStoreMap[newName] = objectStore;
}
createObjectStore(
btx: DatabaseTransaction,
name: string,
keyPath: string | string[] | null,
autoIncrement: boolean,
): void {
2019-06-21 19:18:36 +02:00
if (this.enableTracing) {
console.log(
`TRACING: createObjectStore(${btx.transactionCookie}, ${name})`,
);
}
const myConn = this.connectionsByTransaction[btx.transactionCookie];
2019-06-15 22:44:54 +02:00
if (!myConn) {
throw Error("unknown connection");
}
const db = this.databases[myConn.dbName];
if (!db) {
throw Error("db not found");
}
if (db.txLevel < TransactionLevel.VersionChange) {
throw Error("only allowed in versionchange transaction");
}
const newObjectStore: ObjectStore = {
deleted: false,
modifiedName: undefined,
originalName: name,
modifiedData: undefined,
originalData: new BTree([], compareKeys),
modifiedKeyGenerator: undefined,
originalKeyGenerator: 1,
};
const schema = myConn.modifiedSchema;
if (!schema) {
throw Error("no schema for versionchange tx");
}
schema.objectStores[name] = {
autoIncrement,
keyPath,
indexes: [],
};
myConn.objectStoreMap[name] = newObjectStore;
db.modifiedObjectStores[name] = newObjectStore;
}
createIndex(
btx: DatabaseTransaction,
indexName: string,
objectStoreName: string,
keyPath: import("./util/types").KeyPath,
multiEntry: boolean,
unique: boolean,
): void {
2019-06-21 19:18:36 +02:00
if (this.enableTracing) {
console.log(`TRACING: createIndex(${indexName})`);
}
const myConn = this.connectionsByTransaction[btx.transactionCookie];
2019-06-15 22:44:54 +02:00
if (!myConn) {
throw Error("unknown connection");
}
const db = this.databases[myConn.dbName];
if (!db) {
throw Error("db not found");
}
if (db.txLevel < TransactionLevel.VersionChange) {
throw Error("only allowed in versionchange transaction");
}
const indexProperties: IndexProperties = {
keyPath,
multiEntry,
unique,
};
const newIndex: Index = {
deleted: false,
modifiedData: undefined,
modifiedName: undefined,
originalData: new BTree([], compareKeys),
originalName: indexName,
};
myConn.indexMap[indexName] = newIndex;
db.modifiedIndexes[indexName] = newIndex;
const schema = myConn.modifiedSchema;
if (!schema) {
throw Error("no schema in versionchange tx");
}
const objectStoreProperties = schema.objectStores[objectStoreName];
if (!objectStoreProperties) {
throw Error("object store not found");
}
objectStoreProperties.indexes.push(indexName);
schema.indexes[indexName] = indexProperties;
// FIXME: build index from existing object store!
}
async deleteRecord(
btx: DatabaseTransaction,
objectStoreName: string,
range: import("./BridgeIDBKeyRange").default,
): Promise<void> {
2019-06-21 19:18:36 +02:00
if (this.enableTracing) {
console.log(`TRACING: deleteRecord`);
}
const myConn = this.connectionsByTransaction[btx.transactionCookie];
2019-06-15 22:44:54 +02:00
if (!myConn) {
throw Error("unknown connection");
}
const db = this.databases[myConn.dbName];
if (!db) {
throw Error("db not found");
}
if (db.txLevel < TransactionLevel.Write) {
throw Error("only allowed in write transaction");
}
2019-06-21 19:18:36 +02:00
throw Error("not implemented");
2019-06-15 22:44:54 +02:00
}
async getRecords(
btx: DatabaseTransaction,
2019-06-21 19:18:36 +02:00
req: RecordGetRequest,
): Promise<RecordGetResponse> {
if (this.enableTracing) {
console.log(`TRACING: getRecords`);
2019-06-23 22:16:03 +02:00
console.log("query", req);
2019-06-21 19:18:36 +02:00
}
const myConn = this.connectionsByTransaction[btx.transactionCookie];
2019-06-15 22:44:54 +02:00
if (!myConn) {
throw Error("unknown connection");
}
const db = this.databases[myConn.dbName];
if (!db) {
throw Error("db not found");
}
2019-06-21 19:18:36 +02:00
if (db.txLevel < TransactionLevel.Read) {
2019-06-15 22:44:54 +02:00
throw Error("only allowed while running a transaction");
}
2019-06-21 19:18:36 +02:00
const objectStore = myConn.objectStoreMap[req.objectStoreName];
if (!objectStore) {
throw Error("object store not found");
}
let range;
if (req.range == null || req.range === undefined) {
2019-06-23 22:16:03 +02:00
range = new BridgeIDBKeyRange(undefined, undefined, true, true);
2019-06-21 19:18:36 +02:00
} else {
range = req.range;
}
let numResults = 0;
let indexKeys: Key[] = [];
2019-06-23 22:16:03 +02:00
let primaryKeys: Key[] = [];
let values: Value[] = [];
2019-06-21 19:18:36 +02:00
const forward: boolean =
req.direction === "next" || req.direction === "nextunique";
const unique: boolean =
req.direction === "prevunique" || req.direction === "nextunique";
const storeData = objectStore.modifiedData || objectStore.originalData;
const haveIndex = req.indexName !== undefined;
if (haveIndex) {
const index = myConn.indexMap[req.indexName!];
const indexData = index.modifiedData || index.originalData;
let indexPos = req.lastIndexPosition;
if (indexPos === undefined) {
// First time we iterate! So start at the beginning (lower/upper)
// of our allowed range.
indexPos = forward ? range.lower : range.upper;
}
let primaryPos = req.lastObjectStorePosition;
// We might have to advance the index key further!
if (req.advanceIndexKey !== undefined) {
const compareResult = compareKeys(req.advanceIndexKey, indexPos);
if ((forward && compareResult > 0) || (!forward && compareResult > 0)) {
indexPos = req.advanceIndexKey;
} else if (compareResult == 0 && req.advancePrimaryKey !== undefined) {
// index keys are the same, so advance the primary key
if (primaryPos === undefined) {
primaryPos = req.advancePrimaryKey;
} else {
const primCompareResult = compareKeys(
req.advancePrimaryKey,
primaryPos,
);
if (
(forward && primCompareResult > 0) ||
(!forward && primCompareResult < 0)
) {
primaryPos = req.advancePrimaryKey;
}
}
}
}
2019-06-25 12:49:43 +02:00
if (indexPos === undefined || indexPos === null) {
indexPos = forward ? indexData.minKey() : indexData.maxKey();
}
let indexEntry: IndexRecord | undefined;
2019-06-21 19:18:36 +02:00
indexEntry = indexData.get(indexPos);
if (!indexEntry) {
const res = indexData.nextHigherPair(indexPos);
if (res) {
indexEntry = res[1];
}
}
let primkeySubPos = 0;
// Sort out the case where the index key is the same, so we have
// to get the prev/next primary key
if (
2019-06-25 12:49:43 +02:00
indexEntry !== undefined &&
2019-06-21 19:18:36 +02:00
req.lastIndexPosition !== undefined &&
compareKeys(indexEntry.indexKey, req.lastIndexPosition) === 0
) {
let pos = forward ? 0 : indexEntry.primaryKeys.length - 1;
2019-06-25 12:49:43 +02:00
console.log("number of primary keys", indexEntry.primaryKeys.length);
2019-06-21 19:18:36 +02:00
// Advance past the lastObjectStorePosition
2019-06-25 12:49:43 +02:00
do {
2019-06-21 19:18:36 +02:00
const cmpResult = compareKeys(
req.lastObjectStorePosition,
indexEntry.primaryKeys[pos],
);
if ((forward && cmpResult < 0) || (!forward && cmpResult > 0)) {
break;
}
pos += forward ? 1 : -1;
2019-06-25 12:49:43 +02:00
} while (pos >= 0 && pos < indexEntry.primaryKeys.length);
2019-06-21 19:18:36 +02:00
// Make sure we're at least at advancedPrimaryPos
while (
primaryPos !== undefined &&
pos >= 0 &&
pos < indexEntry.primaryKeys.length
) {
const cmpResult = compareKeys(
primaryPos,
indexEntry.primaryKeys[pos],
);
if ((forward && cmpResult <= 0) || (!forward && cmpResult >= 0)) {
break;
}
pos += forward ? 1 : -1;
}
primkeySubPos = pos;
2019-06-25 12:49:43 +02:00
} else if (indexEntry !== undefined) {
2019-06-21 19:18:36 +02:00
primkeySubPos = forward ? 0 : indexEntry.primaryKeys.length - 1;
}
2019-06-25 12:49:43 +02:00
console.log("pos=", primkeySubPos);
2019-06-21 19:18:36 +02:00
while (1) {
if (req.limit != 0 && numResults == req.limit) {
break;
}
if (indexPos === undefined) {
break;
}
if (!range.includes(indexPos)) {
break;
}
2019-06-25 12:49:43 +02:00
if (indexEntry === undefined) {
break;
}
2019-06-21 19:18:36 +02:00
if (
primkeySubPos < 0 ||
primkeySubPos >= indexEntry.primaryKeys.length
) {
2019-06-25 12:49:43 +02:00
console.log("moving subkey forward");
2019-06-21 19:18:36 +02:00
primkeySubPos = forward ? 0 : indexEntry.primaryKeys.length - 1;
const res = indexData.nextHigherPair(indexPos);
if (res) {
indexPos = res[1].indexKey;
2019-06-25 12:49:43 +02:00
indexEntry = res[1];
2019-06-21 19:18:36 +02:00
} else {
break;
}
}
2019-06-25 13:18:09 +02:00
// Skip repeated index keys if unique results are requested.
let skip = false;
if (unique) {
if (
indexKeys.length > 0 &&
compareKeys(
indexEntry.indexKey,
indexKeys[indexKeys.length - 1],
) === 0
) {
skip = true;
}
if (
req.lastIndexPosition !== undefined &&
compareKeys(indexPos, req.lastIndexPosition) === 0
) {
skip = true;
}
2019-06-23 22:16:03 +02:00
}
2019-06-25 13:18:09 +02:00
if (!skip) {
indexKeys.push(indexEntry.indexKey);
primaryKeys.push(indexEntry.primaryKeys[primkeySubPos]);
numResults++;
}
primkeySubPos += forward ? 1 : -1;
2019-06-21 19:18:36 +02:00
}
// Now we can collect the values based on the primary keys,
// if requested.
if (req.resultLevel === ResultLevel.Full) {
for (let i = 0; i < numResults; i++) {
const result = storeData.get(primaryKeys[i]);
if (!result) {
throw Error("invariant violated");
}
values.push(result);
}
}
} else {
// only based on object store, no index involved, phew!
let storePos = req.lastObjectStorePosition;
if (storePos === undefined) {
storePos = forward ? range.lower : range.upper;
}
if (req.advanceIndexKey !== undefined) {
throw Error("unsupported request");
}
storePos = furthestKey(forward, req.advancePrimaryKey, storePos);
2019-06-23 22:16:03 +02:00
if (storePos !== null && storePos !== undefined) {
// Advance store position if we are either still at the last returned
// store key, or if we are currently not on a key.
const storeEntry = storeData.get(storePos);
2019-06-25 12:49:43 +02:00
console.log("store entry:", storeEntry);
2019-06-23 22:16:03 +02:00
if (
!storeEntry ||
(req.lastObjectStorePosition !== undefined &&
2019-06-25 12:49:43 +02:00
compareKeys(req.lastObjectStorePosition, storePos) === 0)
2019-06-23 22:16:03 +02:00
) {
storePos = storeData.nextHigherKey(storePos);
}
} else {
storePos = forward ? storeData.minKey() : storeData.maxKey();
console.log("setting starting store store pos to", storePos);
2019-06-21 19:18:36 +02:00
}
2019-06-23 22:16:03 +02:00
while (1) {
if (req.limit != 0 && numResults == req.limit) {
break;
}
if (storePos === null || storePos === undefined) {
break;
}
if (!range.includes(storePos)) {
break;
}
2019-06-21 19:18:36 +02:00
2019-06-23 22:16:03 +02:00
const res = storeData.get(storePos);
2019-06-21 19:18:36 +02:00
2019-06-23 22:16:03 +02:00
if (res === undefined) {
break;
}
2019-06-21 19:18:36 +02:00
2019-06-23 22:16:03 +02:00
if (req.resultLevel >= ResultLevel.OnlyKeys) {
primaryKeys.push(structuredClone(storePos));
}
2019-06-21 19:18:36 +02:00
2019-06-23 22:16:03 +02:00
if (req.resultLevel >= ResultLevel.Full) {
values.push(res);
2019-06-21 19:18:36 +02:00
}
2019-06-23 22:16:03 +02:00
numResults++;
storePos = nextStoreKey(forward, storeData, storePos);
}
2019-06-21 19:18:36 +02:00
}
if (this.enableTracing) {
2019-06-23 22:16:03 +02:00
console.log(`TRACING: getRecords got ${numResults} results`);
2019-06-21 19:18:36 +02:00
}
return {
count: numResults,
indexKeys:
req.resultLevel >= ResultLevel.OnlyKeys && haveIndex
? indexKeys
: undefined,
primaryKeys:
req.resultLevel >= ResultLevel.OnlyKeys ? primaryKeys : undefined,
values: req.resultLevel >= ResultLevel.Full ? values : undefined,
};
2019-06-15 22:44:54 +02:00
}
async storeRecord(
btx: DatabaseTransaction,
storeReq: RecordStoreRequest,
): Promise<void> {
2019-06-21 19:18:36 +02:00
if (this.enableTracing) {
console.log(`TRACING: storeRecord`);
}
const myConn = this.connectionsByTransaction[btx.transactionCookie];
2019-06-15 22:44:54 +02:00
if (!myConn) {
throw Error("unknown connection");
}
const db = this.databases[myConn.dbName];
if (!db) {
throw Error("db not found");
}
if (db.txLevel < TransactionLevel.Write) {
throw Error("only allowed while running a transaction");
}
const schema = myConn.modifiedSchema
? myConn.modifiedSchema
: db.committedSchema;
const objectStore = myConn.objectStoreMap[storeReq.objectStoreName];
2019-06-21 19:18:36 +02:00
const storeKeyResult: StoreKeyResult = makeStoreKeyValue(
2019-06-15 22:44:54 +02:00
storeReq.value,
storeReq.key,
objectStore.modifiedKeyGenerator || objectStore.originalKeyGenerator,
schema.objectStores[storeReq.objectStoreName].autoIncrement,
schema.objectStores[storeReq.objectStoreName].keyPath,
);
let key = storeKeyResult.key;
let value = storeKeyResult.value;
objectStore.modifiedKeyGenerator = storeKeyResult.updatedKeyGenerator;
if (!objectStore.modifiedData) {
objectStore.modifiedData = objectStore.originalData;
}
const modifiedData = objectStore.modifiedData;
const hasKey = modifiedData.has(key);
if (hasKey && !storeReq.overwrite) {
throw Error("refusing to overwrite");
}
objectStore.modifiedData = modifiedData.with(key, value, true);
for (const indexName of schema.objectStores[storeReq.objectStoreName]
.indexes) {
const index = myConn.indexMap[indexName];
if (!index) {
throw Error("index referenced by object store does not exist");
}
const indexProperties = schema.indexes[indexName];
2019-06-21 19:18:36 +02:00
this.insertIntoIndex(index, key, value, indexProperties);
}
}
2019-06-23 22:16:03 +02:00
private insertIntoIndex(
2019-06-21 19:18:36 +02:00
index: Index,
primaryKey: Key,
value: Value,
indexProperties: IndexProperties,
): void {
if (this.enableTracing) {
console.log(
`insertIntoIndex(${index.modifiedName || index.originalName})`,
);
}
let indexData = index.modifiedData || index.originalData;
const indexKeys = getIndexKeys(
value,
indexProperties.keyPath,
indexProperties.multiEntry,
);
for (const indexKey of indexKeys) {
const existingRecord = indexData.get(indexKey);
if (existingRecord) {
if (indexProperties.unique) {
throw new ConstraintError();
} else {
const newIndexRecord = {
indexKey: indexKey,
2019-06-23 22:16:03 +02:00
primaryKeys: [primaryKey]
.concat(existingRecord.primaryKeys)
.sort(compareKeys),
2019-06-21 19:18:36 +02:00
};
index.modifiedData = indexData.with(indexKey, newIndexRecord, true);
}
} else {
const newIndexRecord: IndexRecord = {
indexKey: indexKey,
primaryKeys: [primaryKey],
};
index.modifiedData = indexData.with(indexKey, newIndexRecord, true);
}
2019-06-15 22:44:54 +02:00
}
}
async rollback(btx: DatabaseTransaction): Promise<void> {
2019-06-21 19:18:36 +02:00
if (this.enableTracing) {
console.log(`TRACING: rollback`);
}
const myConn = this.connectionsByTransaction[btx.transactionCookie];
2019-06-15 22:44:54 +02:00
if (!myConn) {
throw Error("unknown connection");
}
const db = this.databases[myConn.dbName];
if (!db) {
throw Error("db not found");
}
if (db.txLevel < TransactionLevel.Read) {
throw Error("only allowed while running a transaction");
}
db.modifiedIndexes = {};
db.modifiedObjectStores = {};
db.txLevel = TransactionLevel.Connected;
myConn.modifiedSchema = structuredClone(db.committedSchema);
myConn.indexMap = Object.assign({}, db.committedIndexes);
myConn.objectStoreMap = Object.assign({}, db.committedObjectStores);
for (const indexName in db.committedIndexes) {
const index = db.committedIndexes[indexName];
index.deleted = false;
index.modifiedData = undefined;
index.modifiedName = undefined;
}
for (const objectStoreName in db.committedObjectStores) {
const objectStore = db.committedObjectStores[objectStoreName];
objectStore.deleted = false;
objectStore.modifiedData = undefined;
objectStore.modifiedName = undefined;
objectStore.modifiedKeyGenerator = undefined;
}
2019-06-21 19:18:36 +02:00
delete this.connectionsByTransaction[btx.transactionCookie];
this.transactionDoneCond.trigger();
2019-06-15 22:44:54 +02:00
}
async commit(btx: DatabaseTransaction): Promise<void> {
2019-06-21 19:18:36 +02:00
if (this.enableTracing) {
console.log(`TRACING: commit`);
}
const myConn = this.connectionsByTransaction[btx.transactionCookie];
2019-06-15 22:44:54 +02:00
if (!myConn) {
throw Error("unknown connection");
}
const db = this.databases[myConn.dbName];
if (!db) {
throw Error("db not found");
}
if (db.txLevel < TransactionLevel.Read) {
throw Error("only allowed while running a transaction");
}
2019-06-21 19:18:36 +02:00
db.committedSchema = myConn.modifiedSchema || db.committedSchema;
db.txLevel = TransactionLevel.Connected;
db.committedIndexes = {};
db.committedObjectStores = {};
db.modifiedIndexes = {};
db.committedObjectStores = {};
for (const indexName in myConn.indexMap) {
const index = myConn.indexMap[indexName];
index.deleted = false;
index.originalData = index.modifiedData || index.originalData;
index.originalName = index.modifiedName || index.originalName;
db.committedIndexes[indexName] = index;
}
for (const objectStoreName in myConn.objectStoreMap) {
const objectStore = myConn.objectStoreMap[objectStoreName];
objectStore.deleted = false;
objectStore.originalData =
objectStore.modifiedData || objectStore.originalData;
objectStore.originalName =
objectStore.modifiedName || objectStore.originalName;
if (objectStore.modifiedKeyGenerator !== undefined) {
objectStore.originalKeyGenerator = objectStore.modifiedKeyGenerator;
}
db.committedObjectStores[objectStoreName] = objectStore;
}
myConn.indexMap = Object.assign({}, db.committedIndexes);
myConn.objectStoreMap = Object.assign({}, db.committedObjectStores);
delete this.connectionsByTransaction[btx.transactionCookie];
this.transactionDoneCond.trigger();
2019-06-15 22:44:54 +02:00
}
}
export default MemoryBackend;