Security News
GitHub Removes Malicious Pull Requests Targeting Open Source Repositories
GitHub removed 27 malicious pull requests attempting to inject harmful code across multiple open source repositories, in another round of low-effort attacks.
Firearch has moved to gcloud/firestore library to keep in line with Google's own internal movement away from Firebase and into the Google Cloud Platform
A Google Cloud Firestore object modeling library. Built with influences of the Mongoose modeling and access paradigms.
THIS PACKAGE IS NOT PRODUCTION READY
Firearch can be installed using NPM:
npm install firearch
FireArch can be imported via standard Node.js require:
const firearch = require('firearch');
FireArch creates a connection to Firestore in much the same way Mongoose connects to MongoDB:
firearch.connect(firestoreSettings, storageBucketName?); // storageBucketName is only required if the upload or model-generated upload methods are used
It is recommended to use keyfile authorization and environment variable setup using the dotenv
NPM package. Simply include the package in your project, download the keyfile from Google Cloud Console and set the following environment variable in a .env
file at the root of your project.
GOOGLE_APPLICATION_CREDENTIALS="./path/to/keyfile.json"
Model definitions are also much the same as Mongoose:
const firearch = require('firearch');
const Schema = firearch.Schema;
const PostSchema = new Schema({
title: String,
subtitle: String,
description: String,
dateAdded: Date,
published: Boolean,
type: { ref: 'PostType' },
tags: [{ ref: 'Tag' }],
categories: [{ ref: 'Category' }]
});
PostSchema.virtual('subArticles', {
ref: 'Article',
localField: '_id',
foreignField: 'post'
});
const autoPopulate = function(next) {
this.populate({ path: 'type', model: 'PostType' });
this.populate({ path: 'tags', model: 'Tag' });
this.populate({ path: 'categories', model: 'Category' });
next();
};
PostSchema.pre('findById', autoPopulate);
PostSchema.pre('find', autoPopulate);
module.exports = firearch.model('Post', PostSchema);
_id
)FireArch will automatically replicate the Firebase id of a given document as the _id
property when saving a document. It is unnecessary to define it within the model.
Limited data type support is available for schema definitions at this time. It is currently limited to:
String
const PostSchema = new Schema({
title: String
});
Usage
const PostSchema = new Schema({
title: 'A sweet postime story'
});
Date
Dates will be automatically validated and removed if not valid. Supports Firebase Timestamp parsing automatically.
const PostSchema = new Schema({
dateAdded: Date
});
Usage
Only timestamps are currently supported.
const PostSchema = new Schema({
dateAdded: 1545527985177
});
Boolean
const PostSchema = new Schema({
published: Boolean
});
Usage
const PostSchema = new Schema({
published: true
});
Document Reference
Document references can be defined in the following way. Ref should be the string name given for another model included in the consuming package.
const PostSchema = new Schema({
type: { ref: 'PostType' }
});
Usage This should be a string formatted ID used to reference another document.
const PostSchema = new Schema({
type: 'PdE5NhE0cPzl3ZfMWPB0'
});
Document Reference Array
Document reference arrays can be defined in the following way. Ref should be the string name given for another model included in the consuming package.
const PostSchema = new Schema({
tags: [{ ref: 'Tag' }]
});
Usage This should be an array of string formatted IDs used to reference other documents.
const PostSchema = new Schema({
tags: [
'cRax97tMdRDkfp1b9kRR',
'pSROERvj1RKxsbNByzzP',
'KwUrCUDweOjZIY8a5Fxz'
]
});
Firearch supports virtual field definitions following again in the paradigms used by Mongoose. Virtual Fields will be populated following the given definitions and do not persist within Firebase. The mechanism will use the given definition to populate the field with documents meeting it.
Currently Virtual Fields will always result in an array.
Example
The following example will add a property to the object named subArticles
which will be an array of documents which are from the Article
model and have a property post
that equals the _id
of the current document.
PostSchema.virtual('subArticles', {
ref: 'Article',
localField: '_id',
foreignField: 'post'
});
FireArch currently supports ONLY Pre
hooks for models. Hooks can be used to allow for common function registration for models. The callback function will be provided a next function to be used at completion of the registered callback. The callback function will also have the this
context of the model's schema. This is generally helpful for setting up autopopulation of model fields on find
and findById
. In fact, that is the only supported use at this time.
(:shrug)
const autoPopulate = function(next) {
this.populate({ path: 'type', model: 'PostType' });
this.populate({ path: 'tags', model: 'Tag' });
this.populate({ path: 'categories', model: 'Category' });
next();
};
PostSchema.pre('findById', autoPopulate);
PostSchema.pre('find', autoPopulate);
FireArch supports autopopulation of model properties. The method expects a 'path' which refers to the field defined in the Schema. It also expects a model
referring to the string name of another model in the consuming package. The populate
method can be called via this
only within a Hook at this time. This will be extended to other use-cases in the future.
IMPORTANT: Population will only occur up to 1 level deep at this time, in order to protect against infinite loop population scenarios!
No bully ples.
const autoPopulate = function(next) {
this.populate({ path: 'type', model: 'PostType' });
this.populate({ path: 'tags', model: 'Tag' });
this.populate({ path: 'categories', model: 'Category' });
next();
};
FireArch supports Google Cloud Storage uploads. Uploading files is supported in two ways:
Using the upload method in schema definition
Registers an upload definition for a given schema. fullStoragePath
can contain {id}
and {fileName}
placeholders which will be populated when the generated method is called.
PostSchema.upload(fullStoragePath, field);
// usage
PostSchema.upload('model/{id}/images/{fileName}', 'imageUrl');
Firearch will automatically make available an upload method based on the given inputs. It can then be used as such:
Post.imageUrlUpload(filename, file, documentId); // file should be a File Stream object
//usage
Post.imageUrlUpload('image-name.jpg', file, 'SY4a5mm8wXBU03DvvH8U');
These generated methods will simultaneously upload the given file to Google Cloud Storage as well as update the given Document's field with the uploaded file's url.
Using model upload()
method
Upload file to a given path in Google Cloud Storage and return the uploaded file's url.
Post.upload(fullStoragePath, file); // file should be a File Stream object
// usage
Post.upload('images/file-name.jpg', file);
.save(object)
The save method will validate the given object against the Schema and save the document to Firebase. Returns a Promise.
const post = {
title: 'A sweet postime story'
};
Post.save(post)
// result
{
_id: '0rWZiCXFQyfSQGkhI5Ay',
title: 'A sweet postime story'
}
.findById(id)
The findById method retrieves a Document by id. Returns a Promise.
Post.findById('IRjTSGf2VqTZbn1HVen9');
.find(field, operator, value)
The find method accepts the same fields as as Firestore queries, essentially acting as an interface for them. field
should be the field to filter on (:eye-roll). operator
should be a Firestore-supported operator: <
, <=
, ==
, >
, >=
, or array_contains
. value
should be....well, the value to look for. These parameters are optional and FireArch will fall back to returning all documents for a model. Returns a Promise.
// Perform Firestore query
Post.find('title', '==', 'A sweet postime story');
// Return all Posts
Post.find();
.removeById(id)
The removeById method deletes a Document by id. Returns a Promise.
Post.removeById('IRjTSGf2VqTZbn1HVen9');
.remove(field, operator, value)
The remove method accepts the same fields as as Firestore queries, essentially acting as an interface for them. field
should be the field to filter on (:eye-roll). operator
should be a Firestore-supported operator: <
, <=
, ==
, >
, >=
, or array_contains
. value
should be....well, the value to look for. These parameters are all required. Returns a Promise.
// Perform Firestore query
Post.remove('title', '==', 'A sweet postime story');
.updateById(id, updateObject)
The updateById method updates a Document by id. Uses { merge: true }
to only update the properties given in the updateObject. Returns a Promise.
Post.updateById('IRjTSGf2VqTZbn1HVen9', { title: 'Some other title' });
.update(field, operator, value, updateObj)
The update method accepts the same fields as as Firestore queries, essentially acting as an interface for them. field
should be the field to filter on (:eye-roll). operator
should be a Firestore-supported operator: <
, <=
, ==
, >
, >=
, or array_contains
. value
should be....well, the value to look for. These parameters are all required. Uses { merge: true }
to only update the properties given in the updateObject. Updates all matching Documents. Returns a Promise.
// Perform Firestore query
Post.update('title', '==', 'A sweet postime story', { title: 'Some other title });
Given that there aren't any other good, simple Mongoose-like libraries out there for Firebase someone had to start one. This is it.
Contributing
FireArch is at a very initial stage and is welcome to help from contributors. Fork and create a Pull Request!
Contributors
Steven Halase (email) You? ....maybe?
FAQs
Schema modeling for Firestore
The npm package firearch receives a total of 1 weekly downloads. As such, firearch popularity was classified as not popular.
We found that firearch demonstrated a not healthy version release cadence and project activity because the last version was released a year ago. It has 1 open source maintainer collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Security News
GitHub removed 27 malicious pull requests attempting to inject harmful code across multiple open source repositories, in another round of low-effort attacks.
Security News
RubyGems.org has added a new "maintainer" role that allows for publishing new versions of gems. This new permission type is aimed at improving security for gem owners and the service overall.
Security News
Node.js will be enforcing stricter semver-major PR policies a month before major releases to enhance stability and ensure reliable release candidates.