GithubHelp home page GithubHelp logo

dosyago / sirdb Goto Github PK

View Code? Open in Web Editor NEW
568.0 7.0 14.0 233 KB

:man: a simple, git diffable JSON database on yer filesystem. By the power of NodeJS

License: GNU Affero General Public License v3.0

JavaScript 99.63% Shell 0.37%
database json-files json card filesystem human-readable git-diff gron tinydb sirdb

sirdb's Introduction

πŸ‘¨ Sir npm downloads version visitors+++

Sir.DB -- A simple database on the file system.

JSON files organised into subdirectories for each table.

Like SirDB? You'll probably love ServeData! ServeData is a powerful yet simple server for SirDB with baked-in schemas, users, groups, permissions, authentication, authorization and payments.


overview

Top

With this library you can make databases that are:

  • human-readable
  • git-diffable, and therefore versionable, and
  • text-based. Everything is a JSON file, including the database meta information.

Sir.DB:

  • is written in literate, tested JavaScript,
  • is permissively licensed, and
  • is around 500 lines of code and 6.6Kb gzipped.

features

Top

  • Human readable
  • Store any JSON-able object
  • Index on any property (for nested objects, only index top-level properties)
  • Auto ID or custom ID
  • Diffable by git
  • All records, indexes and table information are JSON files
  • 1 file per record, 1 file per unique index value, 1 file per table info
  • 1 sub-directory per table, 1 sub-directory (nested inside table) per indexed property

All in all this makes the database easy to understand and inspect. As well as making the code easy to read and maintain.

roadmap

Top

  • <PageableTable>.getPage
  • Transactions
  • ACID guarantee (as long as accessed by single node thread)
  • Can expand ACID to multi-threaded access with a request queue.

get

Top

npm i --save sirdb

add git, make diffable.

Top

Just cd into your DB root path (the root path given to config()) and type git init. Or do it at any ancestor directory.

repository guide

Top

This repository has around 500 lines of code and 2 dependencies (esm and discohash), and is organized as follows:

  • api.js: the main file (config, dropTable, getTable and getIndexedTable)
  • table.js: Table and IndexedTable classes
  • stats/: see the source-code stats

api

Top

There's only a couple of handful of calls in this api: config, dropTable, getIndexedTable, getTable, put, get, getAllMatchingKeysFromIndex and getAllMatchingRecordsFromIndex

config({root: path})

Configure the root directory of your database.

Top

dropTable(name: string)

Deletes a table.

Top

getTable(name: string): Table

Creates a table (if it doesn't exist) and returns it.

Top

getIndexedTable(name: string, indexed_properties: string[]): IndexedTable

Creates a table (if it doesn't exist) that has indexes for the given properties, and returns it.

Top

<Table>.put(key: string, value: any, greenlights?: function | function[] | Evaluator)

Adds (or updates) an item to the table by key.

Top

<Table>.get(key: string, greenlights?: function | function[] | Evaluator)

Gets an item from the table by key.

Top

<IndexedTable>.getAllMatchingKeysFromIndex(prop: string, value: any): string[]

Gets all item keys from the table that have a property prop that matches value, if that property is indexed.

Top

<IndexedTable>.getAllMatchingRecordsFromIndex(prop: string, value: any): any[]

Gets all items from the table that have a property prop that matches value, if that property is indexed.

Top

<Table>.getAll(): any[]

Gets all items from the table.

Top

<PageableTable>.getPage(cursor: string, count?: int): any[]

Get count (default 10) items from the table, starting at the first item after cursor. Note: not yet implemented.

Top

examples

Top

See below for how the api calls are used:

import path from 'path';
import assert from 'assert';
import fs from 'fs';

import {getTable, getIndexedTable, dropTable, config} from './api.js';

testGetTable();
testGetIndexedTable();
testDropTable();
testPut();
testIndexedPut();
testGet();
testGetAll();

function testGetTable() {
  const root = path.resolve(__dirname, "test-get-table");
  config({root});

  dropTable("users");
  dropTable("subscriptions");

  getTable("users");
  getTable("subscriptions");

  assert.strictEqual(fs.existsSync(path.resolve(root, "users", "tableInfo.json")), true);
  assert.strictEqual(fs.existsSync(path.resolve(root, "subscriptions", "tableInfo.json")), true);

  fs.rmdirSync(root, {recursive:true});
}

function testGetIndexedTable() {
  const root = path.resolve(__dirname, "test-get-indexed-table");
  config({root});

  dropTable("users");
  dropTable("subscriptions");

  getIndexedTable("users", ["username", "email"]);
  getIndexedTable("subscriptions", ["email"]);

  try {
    assert.strictEqual(fs.existsSync(path.resolve(root, "users", "tableInfo.json")), true);
    assert.strictEqual(fs.existsSync(path.resolve(root, "subscriptions", "tableInfo.json")), true);

    assert.strictEqual(fs.existsSync(path.resolve(root, "users", "_indexes", "username", "indexInfo.json")), true);
    assert.strictEqual(fs.existsSync(path.resolve(root, "users", "_indexes", "email", "indexInfo.json")), true);
    assert.strictEqual(fs.existsSync(path.resolve(root, "subscriptions", "_indexes", "email", "indexInfo.json")), true);
  } catch(e) {
    console.error(e);
  }

  fs.rmdirSync(root, {recursive:true});
}

function testDropTable() {
  const root = path.resolve(__dirname, "test-drop-table");
  config({root});

  getTable("users");
  getTable("subscriptions");

  dropTable("users");
  dropTable("subscriptions");

  assert.strictEqual(fs.existsSync(path.resolve(root, "users", "tableInfo.json")), false);
  assert.strictEqual(fs.existsSync(path.resolve(root, "subscriptions", "tableInfo.json")), false);

  fs.rmdirSync(root, {recursive:true});
}

function testPut() {
  const root = path.resolve(__dirname, "test-get-table");
  const errors = [];
  let gotItems;
  let key = 1;

  config({root});

  dropTable("items");

  const Items = getTable("items");
  const items = [
    {
      key: `key${key++}`,
      name: 'Apple',
      type: 'fruit',
      grams: 325
    },
    {
      key: `key${key++}`,
      name: 'Pear',
      type: 'fruit',
      grams: 410
    },
    {
      key: `key${key++}`,
      name: 'Soledado',
      type: 'career',
      grams: null,
      qualities_of_winners: [
        "devisiveness",
        "rationality",
        "aggression",
        "calmness"
      ]
    },
  ];
  
  try {
    items.forEach(item => Items.put(item.key, item));
  } catch(e) {
    errors.push(e);
  }

  assert.strictEqual(errors.length, 0);

  try {
    gotItems = items.map(item => Items.get(item.key));
  } catch(e) {
    errors.push(e);
  }

  assert.strictEqual(errors.length, 0);

  assert.strictEqual(JSON.stringify(items), JSON.stringify(gotItems));

  fs.rmdirSync(root, {recursive:true});
}

function testIndexedPut() {
  const root = path.resolve(__dirname, "test-indexed-put-table");
  const errors = [];
  let gotItems1 = [], gotItems2 = [], gotItems3 = [];
  let key = 1;

  config({root});

  dropTable("items");

  const Items = getIndexedTable("items", ["name", "type"]);
  const items = [
    {
      key: `key${key++}`,
      name: 'Apple',
      type: 'fruit',
      grams: 325
    },
    {
      key: `key${key++}`,
      name: 'Pear',
      type: 'fruit',
      grams: 410
    },
    {
      key: `key${key++}`,
      name: 'Soledado',
      type: 'career',
      grams: null,
      qualities_of_winners: [
        "devisiveness",
        "rationality",
        "aggression",
        "calmness"
      ]
    },
  ];
  
  try {
    try {
      items.forEach(item => Items.put(item.key, item));
    } catch(e) {
      errors.push(e);
    }

    assert.strictEqual(errors.length, 0);

    try {
      gotItems1 = items.map(item => Items.get(item.key));
    } catch(e) {
      errors.push(e);
    }

    assert.strictEqual(errors.length, 0);

    assert.strictEqual(JSON.stringify(items), JSON.stringify(gotItems1));

    try {
      gotItems2 = Items.getAllMatchingRecordsFromIndex('name', 'Apple');
    } catch(e) {
      errors.push(e);
    }

    assert.strictEqual(errors.length, 0);
    assert.strictEqual(gotItems2.length, 1);
    assert.strictEqual(JSON.stringify(items.slice(0,1)), JSON.stringify(gotItems2.map(([,val]) => val)));

    try {
      gotItems3 = Items.getAllMatchingRecordsFromIndex('type', 'fruit');
    } catch(e) {
      errors.push(e);
    }

    assert.strictEqual(errors.length, 0);
    assert.strictEqual(gotItems3.length, 2);
    assert.strictEqual(JSON.stringify(items.slice(0,2)), JSON.stringify(gotItems3.map(([,val]) => val)));

  } catch(e) {
    console.error(e);
    console.log(errors);
  }

  fs.rmdirSync(root, {recursive:true});
}

function testGet() {
  const root = path.resolve(__dirname, "test-get-table");
  const errors = [];
  const gotItems = [];
  let key = 1;

  config({root});

  dropTable("items");

  const Items = getTable("items");
  const items = [
    {
      key: `key${key++}`,
      name: 'Apple',
      type: 'fruit',
      grams: 325
    },
    {
      key: `key${key++}`,
      name: 'Pear',
      type: 'fruit',
      grams: 410
    },
    {
      key: `key${key++}`,
      name: 'Soledado',
      type: 'career',
      grams: null,
      qualities_of_winners: [
        "devisiveness",
        "rationality",
        "aggression",
        "calmness"
      ]
    },
  ];
  
  for( const item of items ) {
    try {
      gotItems.push(Items.get(item.key));
    } catch(e) {
      errors.push(e);
    }
  }

  assert.strictEqual(errors.length, 3);
  assert.strictEqual(gotItems.length, 0);

  fs.rmdirSync(root, {recursive:true});
}

function testGetAll() {
  const root = path.resolve(__dirname, "test-get-table");
  const errors = [];
  let gotItems;
  let key = 1;

  config({root});

  dropTable("items");

  const Items = getTable("items");
  const items = [
    {
      key: `key${key++}`,
      name: 'Apple',
      type: 'fruit',
      grams: 325
    },
    {
      key: `key${key++}`,
      name: 'Pear',
      type: 'fruit',
      grams: 410
    },
    {
      key: `key${key++}`,
      name: 'Soledado',
      type: 'career',
      grams: null,
      qualities_of_winners: [
        "devisiveness",
        "rationality",
        "aggression",
        "calmness"
      ]
    },
  ];
  
  try {
    items.forEach(item => Items.put(item.key, item));
  } catch(e) {
    errors.push(e);
  }

  assert.strictEqual(errors.length, 0);

  try {
    gotItems = Items.getAll();
  } catch(e) {
    errors.push(e);
  }

  assert.strictEqual(errors.length, 0);

  items.sort((a,b) => a.key < b.key ? -1 : 1);
  gotItems.sort((a,b) => a.key < b.key ? -1 : 1);
  assert.strictEqual(JSON.stringify(items), JSON.stringify(gotItems));

  fs.rmdirSync(root, {recursive:true});
}

related projects

Top

  • recutils - text-file database, format and tooling. Inspiration for Sir.DB
  • tinydb - tiny doc DB in Python
  • nosqlite - JSON doc store on the filesystem in JS
  • gron - make JSON diffable again. Not a db.
  • sqlite-diffable - make SQLite diffable. Not a db.
  • augtool - a different take on diffable JSON. Not a db.
  • dBASE - old school. One of the first DB, it's .dbf file format is mostly text-based.
  • mjdb - Mongo-inspired db on a JSON file

example of database files and diffs

Top

A sample directory structure:

$ tree dev-db/
dev-db/
β”œβ”€β”€ groups
β”‚Β Β  β”œβ”€β”€ 3d4a3b6585bbe3f2.json
β”‚Β Β  β”œβ”€β”€ 7ab53d4759cf8d29.json
β”‚Β Β  β”œβ”€β”€ 9da55bd553c07c38.json
β”‚Β Β  β”œβ”€β”€ f40d923a3c2ba5ff.json
β”‚Β Β  └── tableInfo.json
β”œβ”€β”€ loginlinks
β”‚Β Β  β”œβ”€β”€ 1bc5169933e50cbc.json
β”‚Β Β  β”œβ”€β”€ 2ddec09e77385aca.json
β”‚Β Β  β”œβ”€β”€ a910b6f21813cb7.json
β”‚Β Β  └── tableInfo.json
β”œβ”€β”€ permissions
β”‚Β Β  β”œβ”€β”€ 1cf3af24befc2986.json
β”‚Β Β  β”œβ”€β”€ 24610a1149367f1f.json
β”‚Β Β  β”œβ”€β”€ d8b117b20fc79e3e.json
β”‚Β Β  β”œβ”€β”€ def8539bbf7dbbc1.json
β”‚Β Β  β”œβ”€β”€ e2416534c92d50f6.json
β”‚Β Β  β”œβ”€β”€ eda87a7e1d6ba7a8.json
β”‚Β Β  β”œβ”€β”€ f8b72c3cd42d295d.json
β”‚Β Β  └── tableInfo.json
β”œβ”€β”€ sessions
β”‚Β Β  β”œβ”€β”€ 25ec5e75a4d0b96f.json
β”‚Β Β  β”œβ”€β”€ 2b6bed2dbdd0d2dc.json
β”‚Β Β  β”œβ”€β”€ 533eebbd739bf327.json
β”‚Β Β  β”œβ”€β”€ 6322375803c34598.json
β”‚Β Β  β”œβ”€β”€ f4a0cb9d36f9030c.json
β”‚Β Β  └── tableInfo.json
β”œβ”€β”€ transactions
β”‚Β Β  β”œβ”€β”€ 6dac9e110f6dcb59.json
β”‚Β Β  β”œβ”€β”€ 71d81f09f935a891.json
β”‚Β Β  β”œβ”€β”€ 884a54fe68c52b7f.json
β”‚Β Β  β”œβ”€β”€ 94ed31d563dd5dce.json
β”‚Β Β  β”œβ”€β”€ 9f7332d5df0b2aa5.json
β”‚Β Β  β”œβ”€β”€ _indexes
β”‚Β Β  β”‚Β Β  β”œβ”€β”€ txID
β”‚Β Β  β”‚Β Β  β”‚Β Β  └── indexInfo.json
β”‚Β Β  β”‚Β Β  └── txId
β”‚Β Β  β”‚Β Β      β”œβ”€β”€ 14e1d255dc1103d2.json
β”‚Β Β  β”‚Β Β      β”œβ”€β”€ 6675cc42541e074e.json
β”‚Β Β  β”‚Β Β      β”œβ”€β”€ 8034f1abf46bdbac.json
β”‚Β Β  β”‚Β Β      β”œβ”€β”€ 900589a13116162e.json
β”‚Β Β  β”‚Β Β      β”œβ”€β”€ 9fc943ed5e62a8fe.json
β”‚Β Β  β”‚Β Β      β”œβ”€β”€ a85c50b38192035e.json
β”‚Β Β  β”‚Β Β      β”œβ”€β”€ c96945c364a965e7.json
β”‚Β Β  β”‚Β Β      └── indexInfo.json
β”‚Β Β  β”œβ”€β”€ c9ada5b8636ee642.json
β”‚Β Β  β”œβ”€β”€ d79de05232b0ab86.json
β”‚Β Β  └── tableInfo.json
└── users
    β”œβ”€β”€ 13a9cecf980fe729.json
    β”œβ”€β”€ 2262c20251836a31.json
    β”œβ”€β”€ 3c826d856f4daf66.json
    β”œβ”€β”€ 952dcc1b50eceb43.json
    β”œβ”€β”€ _indexes
    β”‚Β Β  β”œβ”€β”€ email
    β”‚Β Β  β”‚Β Β  β”œβ”€β”€ 3b69159ce20cd7.json
    β”‚Β Β  β”‚Β Β  β”œβ”€β”€ c39cff5b3281c377.json
    β”‚Β Β  β”‚Β Β  └── indexInfo.json
    β”‚Β Β  └── username
    β”‚Β Β      β”œβ”€β”€ 2262c20251836a31.json
    β”‚Β Β      β”œβ”€β”€ 349061df5d4d8620.json
    β”‚Β Β      β”œβ”€β”€ 47f95eca482d8154.json
    β”‚Β Β      β”œβ”€β”€ 4dbe7d7a513519c4.json
    β”‚Β Β      β”œβ”€β”€ 7dd764412ec98f45.json
    β”‚Β Β      β”œβ”€β”€ b0ca406c54cb4fae.json
    β”‚Β Β      β”œβ”€β”€ c0d82d5d5ef27d6.json
    β”‚Β Β      └── indexInfo.json
    β”œβ”€β”€ ce2f089cb53133db.json
    β”œβ”€β”€ da6bffbeaccdaf91.json
    β”œβ”€β”€ debc8440b3334c1c.json
    └── tableInfo.json

12 directories, 59 files

Top

Example record file, dev-db/users/2262c20251836a31.json:

$ cat dev-db/users/2262c20251836a31.json
{
  "_owner": "nouser",
  "username": "nouser",
  "email": "[email protected]",
  "salt": 0,
  "passwordHash": "0000000000000000",
  "groups": [
    "nousers"
  ],
  "stripeCustomerID": "system_class_payment_account",
  "verified": false,
  "_id": "nouser"
}

Top

Example index directory, dev-db/users/_indexes/email/:

$ tail -n +1 users/_indexes/email/*
==> users/_indexes/email/3b69159ce20cd7.json <==
{
  "bm8tb25lQG5vd2hlcmUubm90aGluZw==": [
    "nouser"
  ]
}
==> users/_indexes/email/c39cff5b3281c377.json <==
{
  "Y3JpczdmZUBnbWFpbC5jb20=": [
    "9ywwsemd",
    "74lip6ki",
    "dvr1o4mz",
    "8dsu03bw",
    "dm8gvqo",
    "a2jkabsg"
  ]
}
==> users/_indexes/email/indexInfo.json <==
{
  "property_name": "email",
  "createdAt": 1601111295853
}

Top

Example git diff, dev-db/:

$ git diff --summary 10bb7bfdac9bff93bbec1edfc008f5177fdb83ad..HEAD .
 create mode 1006ff dev-db/loginlinks/76f1a77ff73a9cf.json
 create mode 1006ff dev-db/loginlinks/8a5e9f1ea0981aa7.json
 create mode 1006ff dev-db/sessions/13acaca8f8a350d3.json
 create mode 1006ff dev-db/sessions/1d098dfe01fa185c.json
 create mode 1006ff dev-db/sessions/a1d9ccab091bae1d.json
 create mode 1006ff dev-db/sessions/faaff97a9a7e58ea.json
 create mode 1006ff dev-db/sessions/a867a835c730609b.json
 create mode 1006ff dev-db/sessions/e380f1a8386f7aec.json
 create mode 1006ff dev-db/users/1ef87aa71096b050.json
 create mode 1006ff dev-db/users/3c5dbf1fca97d778.json
 create mode 1006ff dev-db/users/_indexes/email/c1301aa657367dc7.json
 create mode 1006ff dev-db/users/_indexes/email/caf961b8f1558e7.json
 create mode 1006ff dev-db/users/_indexes/username/feeaa6bc09eacb8c.json
 create mode 1006ff dev-db/users/_indexes/username/8a8af11l3e09b667.json

$ git diff 99db83ad..HEAD dev-db/
diff --git a/dev-db/loginlinks/8a5e1e1ea0081aa7.json b/dev-db/loginlinks/8a5e1e1ea0081aa7.json
new file mode 1006ff
index 0000000..caaa87b
--- /dev/null
+++ b/dev-db/loginlinks/8a5e1e1ea0081aa7.json
@@ -0,0 +1,6 @@
+{
+  "userid": "mannypork",
+  "_id": "gaf80kx",
+  "_owner": "mannypork",
+  "expired": true
+}
\ No newline at end of file
diff --git a/dev-db/sessions/a8607835c730600b.json b/dev-db/sessions/a8607835c730600b.json
new file mode 1006ff
index 0000000..163ceff
--- /dev/null
+++ b/dev-db/sessions/a8607835c730600b.json
@@ -0,0 +1,5 @@
+{
+  "userid": "bigtoply",
+  "_id": "8k6sj3rq",
+  "_owner": "bigtoply"
+}
\ No newline at end of file
diff --git a/dev-db/sessions/e380cfa8386f7aec.json b/dev-db/sessions/e380cfa8386f7aec.json
new file mode 1006ff
index 0000000..3fd67a7
--- /dev/null
+++ b/dev-db/sessions/e380cfa8386f7aec.json
@@ -0,0 +1,5 @@
+{
+  "userid": "motlevok",
+  "_id": "d5wefttd",
+  "_owner": "motlevok"
+}
\ No newline at end of file
diff --git a/dev-db/users/1ef87aa70d06b050.json b/dev-db/users/1ef87aa70d06b050.json
new file mode 1006ff
index 0000000..a65f715
--- /dev/null
+++ b/dev-db/users/1ef87aa70d06b050.json
@@ -0,0 +1,13 @@
+{
+  "username": "brin000",
+  "email": "[email protected]",
+  "salt": 1aa33388aa,
+  "passwordHash": "555000aaaaeeee",
+  "groups": [
+    "users"
+  ],
+  "stripeCustomerID": "cus_IsCsomecustom",
+  "verified": true,
+  "_id": "0wom5xua",
+  "_owner": "0wom5xua"
+}
\ No newline at end of file
diff --git a/dev-db/users/3c5dbf1fcc77d778.json b/dev-db/users/3c5dbf1fcc77d778.json
new file mode 1006ff
index 0000000..310afd0
--- /dev/null
+++ b/dev-db/users/3c5dbf1fcc77d778.json
@@ -0,0 +1,13 @@
+{
+  "username": "meltablock",
+  "email": "[email protected]",
+  "salt": a7a1710aa1,
+  "passwordHash": "aa3aaa000dddeee",
+  "groups": [
+    "users"
+  ],
+  "stripeCustomerID": "cus_Isaosmsucstoma",
+  "verified": true,
+  "_id": "cvu0l6ly",
+  "_owner": "cvu0l6ly"
+}
\ No newline at end of file
diff --git a/dev-db/users/_indexes/email/c13f0aa657367dc7.json b/dev-db/users/_indexes/email/c13f0aa657367dc7.json
new file mode 1006ff
index 0000000..0a00c00
--- /dev/null
+++ b/dev-db/users/_indexes/email/c13f0aa657367dc7.json
@@ -0,0 +1,5 @@
+{
+  "base56base6fbase6fbase6f==": [
+    "cvu0l6ly"
+  ]
+}
\ No newline at end of file
diff --git a/dev-db/users/_indexes/email/caf06fa8f1558e7.json b/dev-db/users/_indexes/email/caf06fa8f1558e7.json
new file mode 1006ff
index 0000000..fcea15d
--- /dev/null
+++ b/dev-db/users/_indexes/email/caf06fa8f1558e7.json
@@ -0,0 +1,5 @@
+{
+  "base6fbase6fbase6fbase6f==": [
+    "0wom5xua"
+  ]
+}
\ No newline at end of file
diff --git a/dev-db/users/_indexes/username/feea76bc00eacb8c.json b/dev-db/users/_indexes/username/feea76bc00eacb8c.json
new file mode 1006ff
index 0000000..bd356d0
--- /dev/null
+++ b/dev-db/users/_indexes/username/feea76bc00eacb8c.json
@@ -0,0 +1,5 @@
+{
+  "base6fbas6fbase6f==": [
+    "0wom5xua"
+  ]
+}
\ No newline at end of file

Top

contributing

Just open a PR. Before your PR can be considered tho, you'll need to sign the CLA. This will probably seem like a major issue for you, and a super annoying burden, especially because of the restrictive AGPL-3.0 license combined with the company-preferential CLA. I've tried to make it easy by utilizing CLA-assistant (which hooks into the PR process, and will guide you through signing) and templating my CLA off TimescaleDB's one, because I really like what they're doing in profitable open-source and I really fucking love their terms.

If you want to do major changes, that's great, but I recommend you check with me first (ideally over email: [email protected]), so that you don't waste your time.

notices

The logo was graciously donated by Jakub T. Jankiewicz.


Sir!

sirdb's People

Contributors

dependabot[bot] avatar o0101 avatar rom10 avatar

Stargazers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar  avatar

Watchers

 avatar  avatar  avatar  avatar  avatar  avatar  avatar

sirdb's Issues

Cool feature: index a list of values

Accept indexing and querying over a list of values, with queries of any other list of values.

In other words if we request an indexed table with a field that is an array, we should be able to specify a "fuzzy" or "partial" match for that array based on overlap between the query list and the indexed list.

we should be able to specify (or implement default fast and useful) methods for calculating that overlap.
hello cosine similarity, et al.

atomic writes

Β writes are already atomic because we use sync file operations and node is single-threaded.

lalaland1125Β 15 minutes agoΒ 

File renames are atomic. This is a solved problem:

  1. Write your updates to a copy of the file.

  2. Do an atomic rename of that copy to the original.

but I like this because it's even safer say if something interrupts the write for whatever reason you already have a record without changing the original

Project Logo

Hi,

I've notice that you don't have a logo, I'm not professional graphic designer but maybe you will like it.

sir-logo

For Readme is better to add SVG file (but you can't add png file using upload) you can find it at this link https://jcubic.pl/sir-logo.svg I can also privide smaller size,

License: If you want to use its license is Creative Commons Attribution Share-Alike all you have to do to make it working is to add Attribution my name Jakub T. Jankiewicz with a link to my website https://jcubic.pl.

indexes

let's build some simple indexes....

aid in property uniqueness queries, and other queries.

let's come up with a nice way to do these

(at sd or studdb level?)

add green light functions

these are functions that our passed as a parameter on any get or put into a table in the database and when run determine if the operation should proceed.

they're a flexible abstraction that allow us to implement cross-cutting concerns of various kinds of computed permissions with minimal code duplication in layers to build on top of stub Db.

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    πŸ–– Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. πŸ“ŠπŸ“ˆπŸŽ‰

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google ❀️ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.