Quick links:
- Permissions
- Operations on behalf of your users
- Create a document
- Create documents in bulk
- List documents
- Get a document
- Query for documents
- Update a document
- Update documents in bulk
- Delete document
- Delete documents in bulk
- Count documents
- Create database index
At its core, StaticBackend’s primary offering is a database as a service allowing you to perform CRUD operations. Here’s how to manage your user’s data.
Indexed per account by default
Each repository (collection, “table”) you’ll create will always have an
accountId field, which is an index for performance reasons and security.
This accountId is automatically set for you from the authenticated user’s
information.
Public repository
Sometimes you need repositories that can be read by all your users. Editing and deleting a record is only allowed for the record owner.
Prefixing the name of the repository with pub_ will turn a repository as
public. Note that users are not required to be authenticated to read public
repositories.
Use public repositories only in scenario where you need to display data to users that are not signed up yet.
Permissions
We’ve borrowed the same permission concept as Unix, where you have three levels of permissions:
The owner, the account, and everyone else.
Each permission level has three access possible.
Read, write, and execute.
We use an octal value to define the permissions. For instance, giving full
permission to the owner, reading permission to the account, and no permission
for everyone else defines as 740.
For full access to owner, read and write access to account and read access for
everyone: 764.
Read access is 4. Write access is 2 and execute access is 1. You add all
needed access together to form the right octal value.
You can tag your repositories with specifics permissions by using the suffix
_perm_. For instance, posts_764_.
The default permissions are 740 so you don’t need to specify that one. Note
that everyone else means authenticated users. To allow non-authenticated users
the read access, you must use the pub_ prefix.
Make sure you plan ahead and choose your permissions carefully as they cannot be changed at this moment. Once a repository is created you cannot change its permissions.
Operations on behalf of your users
Pieces of your application will need to impersonate users to perform database operations. Think, for instance, of a daily job that processes your trial expiration. You might want to remove data on behalf of the expire user.
Due to this, we have introduced Sudo actions that can only be called from a
server-side environment. For example, the following database operations can be
executed from a specific route using the ROOT_TOKEN authentication. Refer to
the root token page for more detail.
Create a document
Adds a document to a repository.
HTTP request:
POST /db/{repository-name}
Format: JSON
Body:
Your JSON will be stored as-is with the addition of an id and accountId
fields.
Example:
curl -H "Content-Type: application/json" \
-H "SB-PUBLIC-KEY: your-pub-key" \
-H "Authorization: Bearer user-token" \
-X POST \
-d '{"name": "task name", "done": false}' \
https://na1.staticbackend.com/db/tasks
const doc = {
name: "task name",
done: false
}
const result = await bkn.create(session_token, "tasks", doc);
if (!result.ok) {
console.error(result.content);
return;
}
console.log(result.content);
task := Task{
Name: "task name",
Done: false,
}
err := backend.Create(token, "tasks", task, &task)
Response:
{
"accountId":"5e184d95b1374eaf8b994bf3",
"done":false,
"id":"5e185aceb1374eaf8b994bf6",
"name":"task name"
}
Create documents in bulk
Adds multiple documents to a repository.
This is recommended vs. looping and calling the single create document endpoint.
HTTP request:
POST /db/{repository-name}?bulk=1
Format: JSON
Body:
An array of documents.
Example:
curl -H "Content-Type: application/json" \
-H "SB-PUBLIC-KEY: your-pub-key" \
-H "Authorization: Bearer user-token" \
-X POST \
-d '[{"name": "task 1", "done": false}, {"name": "task 2", "done": true}]' \
https://na1.staticbackend.com/db/tasks?bulk=1
const docs = [{
name: "task 1",
done: false
}, {
name: "task 2",
done: true
}];
const result = await bkn.createBulk(session_token, "tasks", docs);
if (!result.ok) {
console.error(result.content);
return;
}
// true or false
console.log(result.content);
tasks := []Task{Task{
Name: "task 1",
Done: false,
},
Task{
Name: "task 2",
Done: true,
}}
ok, err := backend.CreateBulk(token, "tasks", tasks)
Response:
true
List documents
List documents for a repository.
HTTP request:
GET /db/{repository-name}
Querystring parameters:
| name | type | description |
|---|---|---|
| page | number |
Result page (starting at 1, default to 1) |
| size | number |
How many document per page (maximum 100, default to 25) |
| desc | bool |
Get result by descending order of creation (default to ascending) |
Example:
curl -H "Content-Type: application/json" \
-H "SB-PUBLIC-KEY: your-pub-key" \
-H "Authorization: Bearer user-token" \
https://na1.staticbackend.com/db/tasks?size=2&desc=true
const optionalParams = {
page: 1,
size: 2,
descending: true
}
const result = await bkn.list(session_token, "tasks", optionalParams);
if (!result.ok) {
console.error(result.content);
return;
}
console.log(result.content);
params := &backend.ListParams{
Page: 1,
Size: 20,
Descending: true,
}
var tasks []Task
result, err := backend.List(token, "tasks", &tasks, params)
fmt.Println("tasks hold the result", tasks)
Response:
{
"page":1,
"size":2,
"total":223,
"results":[{
"accountId":"5e184d95b1374eaf8b994bf3",
"done":true,
"id":"5e185bdcb1374eaf8b994bf7",
"name":"2nd task here"
},{
"accountId":"5e184d95b1374eaf8b994bf3",
"done":false,
"id":"5e185aceb1374eaf8b994bf6",
"name":"task name here"
}]
}
Get a document
Fetch for a specific document.
HTTP request:
GET /db/{repository-name}/{doc-id}
Example:
curl -H "Content-Type: application/json" \
-H "SB-PUBLIC-KEY: your-pub-key" \
-H "Authorization: Bearer user-token" \
https://na1.staticbackend.com/db/tasks/5e185aceb1374eaf8b994bf6
const id = "5e185aceb1374eaf8b994bf6";
const result = await bkn.getById(session_token, "tasks", id);
if (!result.ok) {
console.error(result.content);
return;
}
console.log(result.content);
id := "5e185aceb1374eaf8b994bf6";
var task Task
err := backend.GetByID(token, "tasks", id, &task)
fmt.Println(task)
Response:
{
"accountId":"5e184d95b1374eaf8b994bf3",
"done":false,
"id":"5e185aceb1374eaf8b994bf6",
"name":"task name here"
}
Query for documents
Get specific documents by supplying criterias.
HTTP request:
POST /query/{repository-name}
Format: JSON
Querystring parameters:
| name | type | description |
|---|---|---|
| page | number |
Result page (starting at 1, default to 1) |
| size | number |
How many document per page (maximum 100, default to 25) |
| desc | bool |
Get result by descending order of creation (default to ascending) |
Body:
| name | type | description |
|---|---|---|
| field | string |
The field name. |
| op | string |
Operator, one of (==, !=, >, <, >=, <=, in, !in) |
| value | any | Filter field on that value based on operator. |
This should be formatted like this:
[
["done", "==", true],
["field", "!=", "value"]
]
Supported operations: ==, !=, <, >, <=, >=, in, !in.
Only AND are supported for now.
Example:
curl -H "Content-Type: application/json" \
-H "SB-PUBLIC-KEY: your-pub-key" \
-H "Authorization: Bearer user-token" \
-X POST
-d '[["done", "==", true]]'
https://na1.staticbackend.com/query/tasks
const filters = [
["done", "==", true]
];
const result = await bkn.query(session_token, "tasks", filters);
if (!result.ok) {
console.error(result.content);
return;
}
console.log(result.content);
var filters []backend.QueryItem
filters = append(filters, backend.QueryItem{Field: "done", Op: backend.QueryEqual, Value: true})
var tasks []Task
result, err := backend.Find(token, "tasks", filters, &tasks)
fmt.Println(tasks)
Response:
{
"page":1,
"size":25,
"total":1,
"results":[{
"accountId":"5e184d95b1374eaf8b994bf3",
"done":true,
"id":"5e185bdcb1374eaf8b994bf7",
"name":"2nd task here"
}]
}
Update a document
Update a repository document.
HTTP request:
PUT /db/{repository-name}/{doc-id}
Format: JSON
Body:
The JSON of fields you want updated only. No need to pass back the entire document.
Note that the development server will replace a document and not just update the fields.
Example:
curl -H "Content-Type: application/json" \
-H "SB-PUBLIC-KEY: your-pub-key" \
-H "Authorization: Bearer user-token" \
-X PUT
-d '{"done": false, "assignedTo": "dominic"}'
https://na1.staticbackend.com/db/tasks/5e185bdcb1374eaf8b994bf7
const doc = {
done: false,
assignedTo: "dominic"
};
const id = "5e185bdcb1374eaf8b994bf7";
const result = await bkn.update(session_token, "tasks", id, doc);
if (!result.ok) {
console.error(result.content);
return;
}
console.log(result.content);
partialUpdate := new(struct{
Done bool `json:"done"`
AssignedTo string `json:"assignedTo"`
})
var task Task
err := backend.Update(token, "tasks", id, partialUpdate, &task)
fmt.Println(task)
Note that you may add new field when updating a document.
Response:
true
Update documents in bulk
Update multiple documents at the same time matching filters.
HTTP request:
PUT /db/{repository-name}?bulk=1
Format: JSON
Body:
| name | type | description |
|---|---|---|
| update | object |
The update fields to apply |
| clauses | array |
The filters to target documents |
The clauses is exactly the same as the Query endpoint:
| name | type | description |
|---|---|---|
| field | string |
The field name. |
| op | string |
Operator, one of (==, !=, >, <, >=, <=, in, !in) |
| value | any | Filter field on that value based on operator. |
This should be formatted like this:
[
["done", "==", true],
["field", "!=", "value"]
]
Example:
curl -H "Content-Type: application/json" \
-H "SB-PUBLIC-KEY: your-pub-key" \
-H "Authorization: Bearer user-token" \
-X PUT
-d '{"update": {"done": true}, "clauses": [["assignTo", "==", "dominic"]]}'
https://na1.staticbackend.com/db/tasks?bulk=1
const data = {
update: {
done: true
},
clauses: [
["assignTo", "==", "dominic"]
]
};
const result = await bkn.updateBulk(session_token, "tasks", data);
if (!result.ok) {
console.error(result.content);
return;
}
// prints number of document updated
console.log(result.content);
data := struct {
Update: struct {
Done: true,
} `json:"update"`
Clauses: []backend.QueryItem{
backend.QueryItem{"assignTo", backend.QueryEqual, "dominic"},
} `json:"clauses"`
}
updated, err := backend.UpdateBulk(token, "tasks", data)
fmt.Printf("%d document updated", updated)
Response:
15
Delete document
Delete a document from a repository.
HTTP request
DELETE /db/{repository-name}/{doc-id}
Example:
curl -H "Content-Type: application/json" \
-H "SB-PUBLIC-KEY: your-pub-key" \
-H "Authorization: Bearer user-token" \
-X DELETE
https://na1.staticbackend.com/db/tasks/5e185bdcb1374eaf8b994bf7
const id = "5e185bdcb1374eaf8b994bf7";
const result = await bkn.delete(session_token, "tasks", id);
if (!result.ok) {
console.error(result.content);
return;
}
console.log(result.content);
id := "5e185bdcb1374eaf8b994bf7";
err := backend.Delete(token, "tasks", id)
Response:
1
Returns the number of document deleted.
Delete documents in bulk
Delete multiple documents matching filters.
HTTP request:
DELETE /db/{repository-name}?bulk=1&x=filters-as-base64
Format: JSON
Querystring parameters:
| name | type | description |
|---|---|---|
| bulk | number |
1 to indicate it’s a buld delete |
| x | string |
A base64 encoded JSON of the filters array (see Query for documents) |
Example:
curl -H "Content-Type: application/json" \
-H "SB-PUBLIC-KEY: your-pub-key" \
-H "Authorization: Bearer user-token" \
-X DELETE
"https://na1.staticbackend.com/db/tasks?bulk=1&x=base64-here"
const filters = [["done", "=", true]];
const result = await bkn.deleteBulk(session_token, "tasks", filters);
if (!result.ok) {
console.error(result.content);
return;
}
console.log(result.content);
filters := []backend.QueryItem{
{Field: "done", Op: "=", Value: true},
}
err := backend.DeleteBulk(token, "tasks", filters)
Response:
5
Returns the number of document deleted.
Count documents
Count numbers of document in a repository with optional filters.
HTTP request:
POST /db/count/{repository-name}
Format: JSON
Body:
Array of filters.
Exactly the same as the Query endpoint:
| name | type | description |
|---|---|---|
| field | string |
The field name. |
| op | string |
Operator, one of (==, !=, >, <, >=, <=, in, !in) |
| value | any | Filter field on that value based on operator. |
This should be formatted like this:
[
["done", "==", true],
["field", "!=", "value"]
]
Example:
curl -H "Content-Type: application/json" \
-H "SB-PUBLIC-KEY: your-pub-key" \
-H "Authorization: Bearer user-token" \
-X POST \
-d '[["done", "=", true]]' \
https://na1.staticbackend.com/db/count/tasks
const filters = [["assignTo", "=", "dominic", "done", "=", false]];
const result = await bkn.count(session_token, "tasks", filters);
if (!result.ok) {
console.error(result.content);
return;
}
// prints numbers of documents
console.log(result.content.count);
filters := []backend.QueryItem{
backend.QueryItem{"assignTo", backend.QueryEqual, "dominic"},
backend.QueryItem{"done", backend.QueryEqual, false},
}
n, err := backend.Count(token, "tasks", filters)
fmt.Printf("%d document(s) matches", n)
Response:
{
"count": 123
}
Create database index
Requires a root token: Create database indexes
HTTP request:
POST /sudo/index
Format: JSON
Query string:
| name | type | description |
|---|---|---|
| col | string |
The collection / repository ex: tasks |
| field | string |
Top-level field to index |
Example:
curl -H "Content-Type: application/json" \
-H "SB-PUBLIC-KEY: your-pub-key" \
-H "Authorization: Bearer root-token" \
-X POST \
https://na1.staticbackend.com/sudo/index?col=tasks&field=done
const res = await bkn.sudoAddIndex(rootToken, "tasks", "done");
err := backend.SudoAddIndex(rootToken, "tasks", "done")
Response:
HTTP status > 299 means error.