@janiscommerce/mongodb
v3.14.1
Published
MongoDB driver for Janis Commerce with advanced querying and bulk operations support
Readme
MongoDB
Installation
npm install --save @janiscommerce/mongodb:new: Changes from v2.0.0
MongoDB Driver v4
Now we are using mongodb ^4.x.x version of the driver (upgraded from v3)
Models
Whenever the Model type is mentioned in this document, it refers to an instance of @janiscommerce/model.
This is used to configure which collection should be used, which unique indexes it has, among other stuff.
API
new MongoDB(config)
Properties:
- connectionString
String(optional): Full connectionString to connect, default:localhost. Since 3.9.0 - host
String(optional): MongoDB host, default:localhost - protocol
String(optional): host protocol, default:mongodb:// - port
Number(optional): host port, default none - user
String(optional): host username, default none - password
String(optional): host user password, default none - database
String(required): MongoDB database - limit
Number(optional): Default limit forget/getTotalsoperations, default:500
Usage:
const MongoDB = require('@janiscommerce/mongodb');
const Model = require('./myModel');
const mongo = new MongoDB({
protocol: 'mongodb://',
host: 'localhost',
port: 27017
user: 'some-user',
password: 'super-secure-password',
database: 'great-database'
});
const model = new Model();
// await mongo.[methodName](model);async insert(model, item)
model:
Model: A model instanceitem:
Object: The item to save in the collectionResolves
String: The ID of the inserted item or rejects on failure.
Usage:
await mongo.insert(model, {
id: 1,
name: 'test'
});
// > '000000054361564751d8516f'async multiInsert(model, items, options)
This methods uses the insertMany() command.
Since 3.0.0. Inserts using MongoDB ordered: false to ensure inserting valid items no matter the order of the items received.
model:
Model: A model instanceitem:
Array<Object>: The items to save in the collectionoptions:
Object:- failOnDuplicateErrors:
Boolean: Since 3.0.0. When truemultiInsert()will reject on 'duplicate key' errors. Default: false.
- failOnDuplicateErrors:
Resolves
Array<Object>: Items inserted, adding theidof every item inserted itemRejects
ErrorWhen something bad occurs
Example:
const itemsInserted = await mongo.multiInsert(model, [
{ id: 1, name: 'Red' },
{ id: 2, name: 'Blue' },
{ id: 3, name: 'Green' }
]);
/**
* itemsInserted: [
* { id: 1, name: 'Red' },
* { id: 2, name: 'Blue' },
* { id: 3, name: 'Green' }
* ]
*/Example when duplicate keys:
const itemsInserted = await mongo.multiInsert(model, [
{ refId: 1, name: 'Red' },
{ refId: 2, name: 'Blue' },
{ refId: 2, name: 'Blue' }, // repeated, assuming refId is associated to an unique index
{ refId: 3, name: 'Green' }
]);
/**
* itemsInserted: [
* { id: '640887ca7371be16d9bda607', refId: 1, name: 'Red' },
* { id: '640887ceb9f381f8ae167f67', refId: 2, name: 'Blue' },
* { id: '640887d5927c84d0cd6d6d72', refId: 3, name: 'Green' }
* ]
*/:warning: When no items were inserted will return an empty array []
async update(model, values, filter, options)
model:
Model: A model instancevalues:
ObjectorArray<Object>: The values to set in the documentsfilter:
Object: Filter criteria to match documentsoptions:
Object: Optional parameters (such as arrayFilters) of the query See moreupdateOne: Boolean. When receive as true,updateOne()operation will be used, otherwiseupdateMany()is used.skipAutomaticSetModifiedData: Boolean. When receive as true, the fielddateModifiedis not updated automatically.
Resolves
Number: The number of modified documentsRejects
ErrorWhen something bad occurs
Usage:
// Updating an item
await mongo.update(
model,
{ name: 'foobar', color: 'red' }, // the values to update
{ id: 1 } // the filter
);
// > 1
// Updating the enire collection...
await mongo.update(
model,
{ status: 'active' }, // the values to update
);
// > Number
// Updating certain elements of an array
/* Sample document to match
{
_id: ObjectID('5df0151dbc1d570011949d86'),
items: [{ name: 'foo', price: 90 },{ name: 'bar', price: 45 }]
}
*/
await mongo.update(
model,
{ $set: { "items.$[elem].price" : 100 } }, // the values to update
{}
{ arrayFilters: [ { "elem.price": { $gte: 85 } } ] }
)
// > Number
/* Output
{
_id: ObjectID('5df0151dbc1d570011949d86'),
items: [{ name: 'foo', price: 100 },{ name: 'bar', price: 45 }]
}
*/async distinct(model, [parameters])
model:
Model: A model instanceparameters:
Object(optional): The query parameters. Default:{}. It only acceptskey(the field name to get distinct values from, andfilters-- described below inget()method)Resolves
Array<Object>: An array of documentsRejects
ErrorWhen something bad occurs
Usage:
await mongo.distinct(model, { key: 'color', filters: { status: 'active' } });
// > ['Red', 'Blue']
async get(model, [parameters])
model:
Model: A model instanceparameters:
Object(optional): The query parameters. Default:{}Resolves
Array<Object>|Cursor: An array of documents (default) or MongoDB cursor whenreturnType: 'cursor'is specifiedRejects
ErrorWhen something bad occurs
Available parameters: (all of them are optional)
- order
Object: Sets the sorting criteria of the matched documents, for example:{ myField: 'asc', myOtherField: 'desc' } - limit
Number: Sets the page size when fetching documents. Defaults to the limit of the constructor. - page
Number: Sets the current page to retrieve. - filters
Object|Array<Object>: Sets the criteria to match documents. An object means AND operation between multiple filters. An array mean an OR operation. See examples below. - fields
Array<String>: Since 2.7.0. Specific fields to be returned in the query for every document. This feature uses MongoDB projections. See more: https://www.mongodb.com/docs/manual/tutorial/project-fields-from-query-results/ - excludeFields
Array<String>: Since 2.7.0. Specific fields to exclude in the query for every document. Available whenfieldswas not received. This feature also uses MongoDB projections. - returnType
String: When set to'cursor', returns the MongoDB cursor directly instead of converting it to an array. This allows for advanced cursor operations and streaming of large datasets.
Parameters example:
{
limit: 1000, // Default 500 from config
page: 2,
order: {
itemField: 'asc'
},
filters: {
itemField: 'foobar',
otherItemField: {
'value': ['foo', 'bar'],
'type' : 'in'
}
},
fields: ['itemField', 'otherItemField'],
returnType: 'cursor' // Returns MongoDB cursor directly
}Filters
The filters have a simpler structure than raw mongo filters, in order to simplify it's usage.
Filter types
The filter types can be defined in the model static getter fields like this:
class MyModel extends Model {
static get fields() {
return {
myField: {
type: 'greaterOrEqual'
}
}
}
}It can also be overriden in each query like this:
mongodb.get(myModel, {
filters: {
myField: {
type: 'lesserOrEqual',
value: 10
}
}
});The mapper option for a field can take three forms:
mongodb.get(myModel, {
filters: {
myField: {
type: 'lesserOrEqual',
mapper: 'toDate'
}
}
});Declare a function: The value will pass through this function as a custom mapper.
string: It will attempt to access existing mappers within the package.
false: This disables any default mapper the field may have.
For specific fields like dateCreated, dateCreatedFrom, dateCreatedTo, dateModified, dateModifiedFrom, and dateModifiedTo, it's important to note that they pass through the default mapper toDate by default.
In all cases, if the mapper does not conform to these specifications, an error will be raised.
The following table shows all the supported filter types, and it's equivalence:
| Type | Mongo equivalence | | -------------- | ----------------- | | equal | $eq | | notEqual | $ne | | greater | $gt | | greaterOrEqual | $gte | | lesser | $lt | | lesserOrEqual | $lte | | in | $in | | notIn | $nin | | search | $regex | | all | $all | | exists | $exists | | text | $text | | elemMatch | $elemMatch | | nearSphere | $nearSphere | | geoIntersects | $geoIntersects |
If the type isn't defined in the model nor in the query, it defaults to equal for single valued filters or in for multivalued filter.
You can also pass an unsupported mongodb type (it must start with the $ character, for example: $mod).
Internal field names
The name of a filter and the field that it will match can differ. To achieve that, you must declare it in the model static getter fields:
class MyModel extends Model {
static get fields() {
return {
externalFieldName: {
field: 'internalFieldName'
}
}
}
}Mongo ObjectIds
The fields of type ObjectId can be defined in the model this way:
class MyModel extends Model {
static get fields() {
return {
someIdField: {
isID: true
}
}
}
}The package will handle the string to ObjectId conversion automatically for you. The id field is also automatically mapped to _id and converted to an ObjectId
It also maps _id field to id when retrieving documents.
Example
Putting it all together, here's a complete example with all possible configurations:
class MyModel extends Model {
static get fields() {
return {
otherIdField: {
isID: true
},
greaterField: {
type: 'greaterOrEqual'
},
overridenField: {
type: 'search'
},
externalFieldName: {
field: 'internalFieldName'
}
}
}
}
mongodb.get(myModel, {
filters: {
id: '5df0151dbc1d570011949d86',
otherIdField: ['5df0151dbc1d570011949d87', '5df0151dbc1d570011949d88'],
greaterField: 15,
overridenField: {
type: 'exists',
value: true
},
externalFieldName: true,
someOtherField: ['foo', 'bar']
}
});
// This is converted to the following mongo filter:
{
id: {
$eq: ObjectId('5df0151dbc1d570011949d86') // Automatically converted to ObjectId, default $eq type
},
otherIdField: {
$in: [ObjectId('5df0151dbc1d570011949d87'), ObjectId('5df0151dbc1d570011949d88')] // Converted to ObjectId by model, default $in type
},
greaterField: {
$gte: 15 // $gte type defined by model
},
overridenField: {
$exists: true // $exists type overriden by query
},
internalFieldName: {
$eq: true // Field name defined by model, default $eq type
},
someOtherField: {
$in: ['foo', 'bar'] // Default $in type
}
}Nested filters
If you want to filter by fields inside objects, you can use nested filters. For example:
{
/* Sample document to match
{
_id: ObjectID('5df0151dbc1d570011949d86'),
someField: {
foo: 'bar'
}
}
*/
mongodb.get(myModel, {
filters: {
'someField.foo': 'bar'
}
});Usage:
await mongo.get(model, {})
// > [ ... ] // Every document in the collection, up to 500 documents.
// finding documents with a specific filter
await mongo.get(model, { filters: { id: 1 } })
// > [{ id: 1, name: 'foobar' }]
// finding the page 2 of elements with value "foo" with a page size of 10 elements.
await mongo.get(model, { limit: 10, page: 2 filters: { name: 'foo' } })
// > [ ... ] // The second page of 10 documents matching name equals to 'foo'.
// finding all entries ordered descendently by id
await mongo.get(model, { order: { id: 'desc' } });
// > [ ... ] // Every document in the collection, ordered by descending id, up to 500 documents.
// returning MongoDB cursor directly for advanced operations
const cursor = await mongo.get(model, { returnType: 'cursor' });
// > MongoDB Cursor object // Allows for streaming, custom iteration, etc.async getPaged(model, parameters, callback)
This method uses cursors with Asynchronous Iteration.
Find and accumulates documents in batch using parameters.limit or default value (500), for each batch calls the callback received.
Returns the total documents quantity, the batchSize used and the number pages found.
Parameters
- model:
Model: A model instance - parameters:
Object: The query parameters. Use{}when no special parameter needed. This parameters are the same defined inget()method - callback:
function: A function to be executed for each page. Receives three arguments: the items found for the page, the current page number and the batch size used.
Response
- response:
Object- total:
Integer: The documents total quantity. - batchSize:
Integer: The batch size used infind()query operations. - pages:
Integer: The totals pages found.
- total:
Example
const { total, batchSize, pages } = await myModel.getPaged(model, { filters: { status: 'active' } }, (items, page, limit) => {
// do some stuff with the "page" items
});
async getTotals(model, filter, params)
model:
Model: A model instance used for the query. IMPORTANT: This must be the same instance.filter
Object|Array<Object>: Sets the criteria to match documents. An object means AND operation between multiple filters. An array mean an OR operation. See examples above.params
Object: Sets the parameters to match documents.Resolves
Object: An object containing the totalizersRejects
ErrorWhen something bad occurs
Available parameters: (all of them are optional)
- limit
Number: Sets the max amount of matching documents to count. Defaults to count all matching documents. This will be ignored if no filter is provided, usingdb.collection.estimatedDocumentCount()light operation.
Return example:
{
total: 140,
pageSize: 60,
pages: 3,
page: 1
}If the last query response was empty, it will just return the total and pages properties with a value of zero.
Since 3.2.0:
- Added filter to params. If no filter param is present it will use last query filters. If no query was executed before, it will return the totals of the whole collection without filters.
Since 2.5.8:
- If no query was executed before, it will return the totals of the whole collection without filters.
Since 3.13.0:
params.limitcan now be used to cap the total amount of documents to count.
Usage:
// getTotals
result = await mongo.getTotals(model);
// > { page: 1, pageSize: 500, pages: 1, total: 4 }
// with filter
result = await mongo.getTotals(model, { name: 'foo' });
// > { page: 1, pageSize: 500, pages: 1, total: 1 }
// with limit
result = await mongo.getTotals(model, {}, { limit: 100 });
// > { page: 1, pageSize: 500, pages: 1, total: 5456 } -> 5456 is the total of documents in the collection, ignoring the limit because estimatedDocumentCount is used.
// with limit and filter
result = await mongo.getTotals(model, { status: 'active' }, { limit: 6000 });
// > { page: 1, pageSize: 500, pages: 12, total: 6000 } -> limit is capped to 100 even if the filter matches more documents.async save(model, item, setOnInsert)
model:
Model: A model instance used for the query.item:
Object: The item to upsert in the collectionsetOnInsert:
Object: Default values to insert on Items.Resolves
Object: An object containing the totalizersRejects
ErrorWhen something bad occurs
This operation uses unique indexes in order to update existing documents. If id is provided in the item, it will be used. Otherwise, it will try to match a unique index defined in the model. If no unique index can be matched by the item, it will reject an error.
Usage:
// save insert
await mongo.save(model, {
unique: 1,
name: 'test'
});
// > '000000054361564751d8516f'
// save update
await mongo.save(model, {
id: '00000058faf66849077316ba',
unique: 1,
name: 'test'
});
// > '00000058faf66849077316ba'
// save update
await mongo.save(model, {
unique: 2,
name: 'test-2'
}, { status: 'active' });
// > '00000058faf66849077316bb'
/* In DB:
{
_id: '00000058faf66849077316bb',
unique: 2,
name: 'test-2',
dateCreated: ISODate("2020-01-14T14:01:29.170Z"),
status: 'active'
}
*/
// save update
await mongo.save(model, {
unique: 2,
name: 'test-2',
status: 'inactive'
}, { status: 'active' });
// > '00000058faf66849077316bb'
/* In DB:
{
_id: '00000058faf66849077316bb',
unique: 2,
name: 'test-2',
dateCreated: ISODate("2020-01-14T14:01:29.170Z"),
status: 'inactive'
}
*/async multiSave(model, items, setOnInsert)
model:
Model: A model instance used for the query.items:
Array<Object>: The items to upsert in the collectionsetOnInsert:
Object: Default values to insert on Items.Resolves
Boolean:trueif items can be upsertedRejects
ErrorWhen something bad occurs
Usage:
await mongo.multiSave(model, [
{ id: 1, name: 'test 1' },
{ id: 2, name: 'test 2' },
{ id: 3, name: 'test 3' }
]);
// > trueasync multiUpdate(model, operations, options)
model:
Model: A model instance used for the query.operations:
Array<Object>: Array of objects, each one defines a filter and the data to update in the documents that match. Each object represents an individual update operation in the database.operations.filter:
Object: Filters used to select the documents to update.operations.data:
Object: Fields and values to update in the documents that match the corresponding filter.operations.options:
Object(optional): Options for each individual operation:updateOne: booleanIftrue, usesupdateOne()operation (updates only the first matching document). Iffalseor not provided, usesupdateMany()operation (updates all matching documents).skipAutomaticSetModifiedData: booleanIftrue, thedateModifiedfield is not automatically updated.
options:
Object(optional): Global options for the entire multiUpdate operation:rawResponse: booleanIftrue, returns an object with detailed information about the bulkWrite operation result (number of modified documents, errors, etc). By default, returnstruefor backward compatibility.
Resolves
Boolean|Object:trueif the operation was successful, or an object with details ifrawResponse: trueis used.Rejects
ErrorWhen something bad occurs
Basic usage (updateMany by default):
await mongo.multiUpdate(model, [
{ filter: { id: [1,2,3] }, data: { name: 'test 1' } },
{ filter: { otherId: 4 }, data: { name: 'test 2' } }
]);
// > trueUsage with updateOne operations:
await mongo.multiUpdate(model, [
{
filter: { status: 'pending' },
data: { status: 'processing' },
options: { updateOne: true } // Only updates the first document found
},
{
filter: { category: 'electronics' },
data: { price: 100 },
options: { updateOne: false } // Updates all matching documents (same as default)
}
]);
// > trueAdvanced usage with rawResponse:
const result = await mongo.multiUpdate(model, [
{ filter: { id: [1,2,3] }, data: { name: 'test 1' } },
{ filter: { otherId: 4 }, data: { name: 'test 2' } }
], { rawResponse: true });
/* result:
{
success: true,
modifiedCount: 2, // number of documents modified
matchedCount: 2, // number of documents matched by the filters
upsertedCount: 0,
insertedCount: 0,
deletedCount: 0,
writeErrors: [],
writeConcernErrors: [],
operations: [ // detailed information for each operation
{
index: 0,
filter: { id: [1,2,3] },
data: { name: 'test 1' },
options: undefined,
success: true,
errors: []
},
{
index: 1,
filter: { otherId: 4 },
data: { name: 'test 2' },
options: undefined,
success: true,
errors: []
}
]
}
*/
// You can easily identify which operations succeeded and which failed:
const successful = result.operations.filter(op => op.success);
const failed = result.operations.filter(op => !op.success);
console.log(`Successful operations: ${successful.length}`);
console.log(`Failed operations: ${failed.length}`);async remove(model, item)
model:
Model: A model instance used for the query.item:
Object: The items to be removedResolves
Boolean:trueif one document was removed.falseotherwise.Rejects
ErrorWhen something bad occurs
This operation uses unique indexes in order to remove an existing document. If id is provided in the item, it will be used. Otherwise, it will try to match a unique index defined in the model. If no unique index can be matched by the item, it will reject an error.
Usage:
await mongo.remove(model, { id: '0000000055f2255a1a8e0c54' });
// > true|falseasync multiRemove(model, filter)
model:
Model: A model instancefilter:
Object: Filter criteria to match documentsResolves
Number: Number that represents the amount of removed documents.Rejects
ErrorWhen something bad occurs
Usage:
await mongo.multiRemove(model, { name: { type: 'search', value: 'test' } });
// > 5async increment(model, filters, incrementData, setData)
model:
Model: A model instance used for the query.filters:
Object: Unique Filter criteria to match documentsincrementData:
Object: The fields with the values to increment or decrement to updated in the collection (values must be number type).setData:
Object: extra data to be updated in the registryResolves
Object: An object containing the updated registryRejects
ErrorWhen something bad occurs
Usage:
await mongo.increment(model, { status: 'pending' }, { pendingDaysQuantity: 1 }, { updatedDate: new Date() });
/* Output:
{
_id: ObjectID('5df0151dbc1d570011949d86'),
status: 'pending',
pendingDaysQuantity: 4
updatedDate:ISODate("2020-11-09T14:01:29.170Z")
}
*/async getIndexes(model)
model
Model: A model instanceResolves
Array<object>: An array with the collection indexesRejects
Error: When something bad occurs
This method also format the received indexes from MongoDB by getting only the fields name, key and unique.
Usage:
await mongo.getIndexes(model);
// > [{name: 'some-index', key: { field: 1 }, unique: false}]async createIndex(model, index)
model
Model: A model instanceindex
Object: An object with the following properties:- name
String(Required): The index name - key
Object(Required): The index key with the fields to index - unique
Boolean(Optional): Indicates if the index must be unique or not
- name
Resolves
Boolean:trueif the index was successfully createdRejects
Error: When something bad occurs
Usage:
await mongo.createIndex(model, {
name: 'some-index',
key: { field: 1 },
unique: true
});
// > trueasync createIndexes(model, indexes)
- model
Model: A model instance - indexes `
