Reindeer is an Object Data Mapper (ODM) that strives to make persisting objects to Elasticsearch simple and efficient. This module builds on top of node-es to provide additional features for interacting with Elasticsearch including the following:
- Validation of mapping types against input
- Proper coercion of data types in accordance with mapping specification
- Support for
_id.path
in the mapping specification- NOTE:
path
has been deprecated since v1.5.0 of Elasticsearch
- NOTE:
- Required fields support in mapping (not a native feature of Elasticsearch)
- Dynamic strict and false mapping support
const
Mapper = require('reindeer').Mapper,
schema = {
properties : {
animalId : {
type : 'string'
},
birthday : {
type : 'date',
format : 'dateOptionalTime'
},
breed : {
type : 'string'
},
name : {
required : true, // NOTE: not an official Elasticsearch mapping option
type : 'string'
}
}
};
let catsMapper = new Mapper();
catsMapper
.bulkUpsert([
{ animalId : 1, name : 'Hamish', birthday : '2011-05-28' },
{ animalId : 2, name : 'Cooper', birthday : '2013-07-02' },
{ animalId : 3, name : 'Blue', birthday : '2014-01-13' },
{ animalId : 4, name : 'Dugald', birthday : '2017-02-21' }
])
.then(() => catsMapper.search({ query : { match_all : {} } }))
.then((cats) => {
cats.forEach((cat) => console.log(
'%s the cat has id %s',
cat.name,
cat.animalId));
return Promise.resolve();
})
.then(() => catsMapper.delete(1))
.then((result) => console.log(
'_version %s of the cat was removed',
result._version))
.catch(console.error);
For each method documented below, the callback
argument is fully optional. In the event that callback is not provided, a Javascript native Promise
is returned to the caller.
npm install reindeer
When using Elasticsearch v7 and up, utilize v4.x (latest) of reindeer
. For prior versions of Elasticsearch, utilize v3.3.0
(npm install [email protected]
).
To create a new mapper, use the constructor and supply the following parameters:
config
- (required) - this is an object that defines the_index
and optionally additionalserver
information for the Elasticsearch instancemapping
- (required) - this is an object that defines the Elasticsearch mapping
NOTE: In the event that there exists a mapping error (meaning that the mapping contains an invalid type or is not parseable), an InvalidMappingError
is thrown during construction.
NOTE: Prior to the execution of any CRUD messages, internally the mapper will initialize itself (a one time operation) in order to ensure that the index and mapping supplied properly exist within the target Elasticsearch cluster.
Example usage:
var Mapper = require('reindeer').Mapper;
// create a cats Elasticsearch data mapper
var catsMapper = new Mapper({
_index : 'animals'
}, {
properties : {
animalId : {
type : 'string'
},
birthday : {
type : 'date',
format : 'dateOptionalTime'
},
breed : {
required : true, // NOTE: not an official Elasticsearch mapping option
type : 'string'
},
name : {
required : true, // NOTE: not an official Elasticsearch mapping option
type : 'string'
},
attributes : {
properties : {
height : {
type : 'float'
},
weight : {
type : 'float'
}
}
}
}
});
The Reindeer module makes use of the es
NPM package (https://www.npmjs.com/package/es) in order to execute commands against an Elasticsearch cluster or instance. As such, the options defined for Reindeer mirror the config options that the es
module accepts to #createClient
. For more details regarding the config
parameter, please see https://www.npmjs.com/package/es#createclient.
The config parameter supports the following fields:
_index
- (required) - denotes the specific index within Elasticsearch that the mapping applies toserver
- (optional) - defines how to connect to the Elasticsearch clustertimeout
- (optional) - globally controls the timeout for all operations against Elasticsearch
When the server
property is not supplied it defaults to the following:
{
host : 'localhost',
port : 9200
}
The following is an example config with several additional parameters supplied. This config supports a secure connection to an Elasticsearch cluster containing three hosts, using BASIC auth and self-signed certificates:
var config = {
_index : 'animals',
server : {
agent : false,
auth : 'user:pass',
hostnames : ['es0.myhost.com', 'es1.myhost.com', 'es2.myhost.com'],
port : 9243,
rejectUnauthorized : false, // for self-signed certs
secure : true // toggles HTTPS
}
};
The timeout
parameter is optional - when not supplied, it is set to 30 seconds. This value allows for the override of operation timeout on all requests to Elasticsearch.
var config = {
_index : 'animals',
timeout : 60000 // 60 seconds
};
In order to quickly verify connectivity with Elasticsearch, the #verifyConnection
method can be used.
Usage: mapper.verifyConnection(callback)
This method accepts a single optional argument:
callback
- (optional) - a function callback that accepts one arguments:err
- populated with details in the event of an error during the operation
var Mapper = require('reindeer').Mapper;
// create a cats Elasticsearch data mapper
var catsMapper = new Mapper({
_index : 'animals',
}, {
/* ... mapping details here ... */
});
catsMapper
.verifyConnection()
.then(() => {
console.log('able to connect to Elasticsearch');
})
.catch((err) => {
console.error('unable to connect to Elasticsearch!');
console.error(err);
});
});
For convenience purposes, request body search is supported via the #search
method.
This method will search for documents within the _index
that were used to construct the mapper.
Usage: mapper.search(options, query, callback)
This method accepts the following arguments:
options
- (optional) - this can be used to supply additional parameters to Elasticsearch related to the queryquery
- (required) - this is the query payload that will be sent to Elasticsearchcallback
- (optional) - a function callback that accepts three arguments:err
- populated with details in the event of an error during the operationmodels
- an array of models matching the search, properly typed according to the mapping supplied to the mapper constructorsummary
- an object that contains details regarding the searchtotal
- the total number of matching documents from Elasticsearch
The following example demonstrates the use of the #search
method on a mapping for cats:
var Mapper = require('reindeer').Mapper;
// create a cats Elasticsearch data mapper
var catsMapper = new Mapper({
_index : 'animals'
}, {
/* ... mapping details here ... */
});
// query for all cats
var query = {
from : 0,
query : {
match_all : {}
},
size : 50 // grab a limit of 50 documents
};
// NOTE: utilizing `#search` as a Promise
catsMapper
.search(query)
.then((catModels) => {
console.log(
'successfully searched cats and retrieved %d documents',
catModels.length);
console.log(catModels);
})
.catch(console.error);
The search method fires the following events:
summary
- each time a search is conducted, asummary
event is emitted with an object that is structured as follows:
{
"query": {},
"total": 0
}
The summary object contains the following fields:
- query - the query that was passed to Elasticsearch
- total - the total number of documents that match the query within Elasticsearch... this value is useful when paginating results from Elasticsearch
var Mapper = require('reindeer').Mapper;
// create a cats Elasticsearch data mapper
var catsMapper = new Mapper({
_index : 'animals'
}, {
/* ... mapping details here ... */
});
// query for all cats
var query = {
from : 0,
query : {
match_all : {}
},
size : 50 // grab a limit of 50 documents
};
catsMapper.on('summary', (summary) => {
console.log('found %d cats', summary.total);
console.log(summary.query);
});
catsMapper
.search(query)
.then((catModels) => {
console.log('here are the first %d cats found:', catModels.length);
console.log(catModels);
})
.catch(console.error);
});
This method can be used to create a new document within Elasticsearch. By default, this method will result in an error if the document already exists within the Elasticsearch server. The document supplied as an argument to the create method will be validated against the mapping that was used to create the instance of the mapper class.
Usage: mapper.create(_id, doc, callback)
This method accepts the following arguments:
_id
- (optional) - this is the_id
value with which the document will be indexed in Elasticsearch- when this value is not supplied, the value from the field matching the
_id.path
specified in the mapping will be used instead - if the
_id
is not supplied and there is no_id.path
specified in the mapping, Elasticsearch will auto-assign a UUID value- NOTE: it is strongly recommended that you supply a value for
_id
as without it, there is no way to later retrieve, delete or update documents easily using the mapping object
- NOTE: it is strongly recommended that you supply a value for
- when this value is not supplied, the value from the field matching the
doc
- (required) - this is the document representing what should be created in Elasticsearch- the document can be specified as a partial document
- NOTE: all fields in the document will be validated against the mapping specification prior to calling Elasticsearch
callback
- (optional) - a function callback that accepts two arguments:err
- populated with details in the event of an error during the operationinsertedModel
- the validated model that is properly typed according to the mapping specification - if the_id
parameter is not specified, an event namedidentity
is emitted that will contain the value of the_id
created by Elasticsearch
The following example demonstrates the use of the #create
method on a mapping for cats:
var Mapper = require('reindeer').Mapper;
// create a cats Elasticsearch data mapper
var catsMapper = new Mapper({
_index : 'animals'
}, {
/* ... mapping details here ... */
});
var doc = {
animalId : 12345,
breed : 'manx',
name : 'Hamish'
};
catsMapper
.create(doc.animalId, doc)
.then((insertedCat) => {
console.log('successfully inserted cat %d', insertedCat.animalId);
console.log(insertedCat);
})
.catch(console.error);
The create method fires the following events:
identity
- whenever a#create
operation would result in Elasticsearch creating the_id
of the document, this event is emitted with the value of the identifier
The identity event returns a string value of the _id
assigned.
The following example demonstrates how to collect the _id
in the even that it is created by Elasticsearch:
var Mapper = require('reindeer').Mapper;
// create a cats Elasticsearch data mapper
var catsMapper = new Mapper({
_index : 'animals'
}, {
/* ... mapping details here ... */
});
var doc = {
breed : 'manx',
name : 'Hamish'
};
catsMapper.on('identity', (_id) => {
console.log('cat %s created with _id of %s', doc.name, _id);
});
catsMapper
.create(doc)
.then((insertedCat) => {
console.log('successfully inserted cat %d', insertedCat.animalId);
console.log(insertedCat);
})
.catch(console.error);
This method can be used to either delete an existing document within Elasticsearch or to delete a number of documents based on a query.
Usage: mapper.delete(_id, callback)
This method accepts the following arguments:
_id
- (required) - this is the_id
value with which the document has been indexed in Elasticsearchcallback
- (optional) - a function callback that accepts a single argument:err
- populated with details in the event of an error during the operationsummary
- populated with the response details from Elasticsearchfound
-true
when document was found, otherwisefalse
_version
- version number of the document that was deleted
The following example demonstrates the use of the #delete
method on a mapping for cats:
var Mapper = require('reindeer').Mapper;
// create a cats Elasticsearch data mapper
var catsMapper = new Mapper({
_index : 'animals'
}, {
/* ... mapping details here ... */
});
var animalId = 12345;
catsMapper
.delete(animalId)
.then((summary) => {
if (summary.found) {
console.log('successfully deleted %d', animalId);
} else {
console.log('could not find cat %d', animalId);
}
})
.catch(console.error);
The delete by query functionality has been deprecated in Elasticsearch v1.5 and all-together removed in versions later than v2.0. While a plugin can be installed to support this functionality, this library utilizes the scan and scroll mechanism to query and then remove matching results. This may result in multiple round-trips to Elasticsearch in order to fully remove content - to reduce the number of round-trips, it may be useful to supply the size
parameter when calling this method.
Usage: mapper.delete(options, callback)
This method accepts the following arguments:
options
- (required) - this is an object with the the following properties:query
- the query that defines which documents to remove from Elasticsearchsize
- the size of the scroll set when performing the delete
callback
- (optional) - a function callback that accepts a single argument:err
- populated with details in the event of an error during the operation
The following example demonstrates the use of the #delete
method on a mapping for cats:
var Mapper = require('reindeer').Mapper;
// create a cats Elasticsearch data mapper
var catsMapper = new Mapper({
_index : 'animals'
}, {
/* ... mapping details here ... */
});
// delete all cats with breed of "unknown"
var options = {
query : {
term : {
breed : 'unknown'
}
}
};
catsMapper
.delete(options)
.then(() => {
console.log('delete by query occurred...');
})
.catch(console.error);
This method can be used to retrieve a single existing document from Elasticsearch.
Usage: mapper.get(_id, _source, callback)
This method accepts the following arguments:
_id
- (required) - this is the_id
value with which the document has been indexed in Elasticsearch_source
- (optional) - this allows one to specify a parameter of fields to return or filter from being returned according to the Elasticsearch specification- NOTE: when source filtering and required fields are set, validation will fail if the required field is not returned in the query results
callback
- (optional) - a function callback that accepts two arguments:err
- populated with details in the event of an error during the operationmodel
- the validated model that is properly typed according to the mapping specification... in the event that the get method is unable to find a matching document, this will be set tonull
The following example demonstrates the use of the #get
method on a mapping for cats:
var Mapper = require('reindeer').Mapper;
// create a cats Elasticsearch data mapper
var catsMapper = new Mapper({
_index : 'animals'
}, {
/* ... mapping details here ... */
});
var animalId = 12345;
catsMapper
.get(animalId)
.then((catsModel) => {
if (catsModel) {
console.log('successfully retrieved cat %d', animalId);
console.log(catsModel);
} else {
console.log('no cats exist with animalId %d', animalId);
}
})
.catch(console.error);
// query to retrieve the animalId, breed and name only
catsMapper.get(animalId, ['animalId', 'breed', 'name'])
.then((catsModel) => {
if (catsModel) {
console.log('successfully retrieved cat %s', catsModel.name);
console.log(catsModel);
} else {
console.log('no cats exist with animalId %d', animalId);
}
})
.catch(console.error);
The update method allows one to update an existing document within Elasticsearch. A partial document will be accepted as well, but note that if there are required fields that are missing from the partial document, the method will return an error. This method will return an error in the event that the document does not exist.
Usage: mapper.update(_id, doc, callback)
This method accepts the following arguments:
_id
- (optional) - this is the_id
value with which the document will be updated in Elasticsearch- when this value is not supplied, the value from the field matching the
_id.path
specified in the mapping will be used instead - if the
_id
is not supplied and there is no_id.path
specified in the mapping, an error will be returned
- when this value is not supplied, the value from the field matching the
doc
- (required) - this is the document representing what should be updated in Elasticsearch- the document can be specified as a partial document
- NOTE: all fields in the document will be validated against the mapping specification prior to calling Elasticsearch
callback
- (optional) - a function callback that accepts two arguments:err
- populated with details in the event of an error during the operationupdatedModel
- the validated model that is properly typed according to the mapping specification
var Mapper = require('reindeer').Mapper;
// create a cats Elasticsearch data mapper
var catsMapper = new Mapper({
_index : 'animals'
}, {
/* ... mapping details here ... */
});
var animalId = 12345;
catsMapper
.update(
animalId,
{
birthday : new Date('2014-04-20'),
name : 'Hamish the cat'
})
.then((updatedCat) => {
console.log('successfully updated %s the cat', updatedCat.name);
console.log(updatedCat);
})
.catch(console.error);
The upsert method works similarly to update, except that if the document does not exist already, it is created.
Usage: mapper.upsert(_id, doc, callback)
This method accepts the following arguments:
_id
- (optional) - this is the_id
value with which the document will be updated in Elasticsearch- when this value is not supplied, the value from the field matching the
_id.path
specified in the mapping will be used instead - if the
_id
is not supplied and there is no_id.path
specified in the mapping, an error will be returned
- when this value is not supplied, the value from the field matching the
doc
- (required) - this is the document representing what should be updated in Elasticsearch- the document can be specified as a partial document
- NOTE: all fields in the document will be validated against the mapping specification prior to calling Elasticsearch
callback
- (optional) - a function callback that accepts two arguments:err
- populated with details in the event of an error during the operationupsertedModel
- the validated model that is properly typed according to the mapping specification
var Mapper = require('reindeer').Mapper;
// create a cats Elasticsearch data mapper
var catsMapper = new Mapper({
_index : 'animals'
}, {
/* ... mapping details here ... */
});
var animalId = 12345;
catsMapper
.upsert(
animalId,
{
animalId : animalId,
birthday : new Date('2014-04-20'),
breed : 'manx',
name : 'Hamish the cat'
})
.then((upsertedCat) => {
console.log('successfully upserted %s the cat', upsertedCat.name);
console.log(upsertedCat);
})
.catch(console.error);
This method can be used to index multiple documents within Elasticsearch. By default, this method will result in an error if any of the documents already exist within the Elasticsearch server. Each document supplied will be validated against the mapping that was used to create the instance of the mapper class.
Usage: mapper.bulkCreate(idList, docList, callback)
This method accepts the following arguments:
idList
- (optional) - an array of _ids in the same order that should be applied to the array of documents supplied as thedocList
parameter value- when the
idList
property is not supplied, the value from the field matching the_id.path
for each document indocList
(if specified in the mapping) will be used instead - if the
idList
is not supplied and there is no_id.path
specified in the mapping, Elasticsearch will auto-assign a value- NOTE: it is strongly recommended that you ensure a value for
_id
is supplied for each document as without it, there is no way to later retrieve, delete or update documents easily using the mapping object
- NOTE: it is strongly recommended that you ensure a value for
- when the
docList
- (required) - this is an array of documents to index within Elasticsearch- NOTE: all fields in each document will be validated against the mapping specification prior to calling Elasticsearch
callback
- (optional) - a function callback that accepts two arguments:err
- populated with details in the event of an error during the operationinsertedModels
- the validated models that are properly typed according to the mapping specification - if there are no specified primary identifiers for the models and Elasticsearch generates these values internally, the identifiers will be emitted as an array value from the event namedidentity
The following example demonstrates the use of the #bulkCreate
method on a mapping for cats:
var Mapper = require('reindeer').Mapper;
// create a cats Elasticsearch data mapper
var catsMapper = new Mapper({
_index : 'animals'
}, {
/* ... mapping details here ... */
});
var docList = [{
animalId : 12345,
breed : 'manx',
name : 'Hamish'
}, {
animalId : 54321,
breed : 'siamese',
name : 'Dugald'
}];
// example of using Array.map to return an array of _id values
var idList = docList.map(function (cat) {
return cat.animalId;
});
catsMapper
.bulkCreate(idList, docList)
.then((insertedCats) => {
console.log('successfully inserted %d cats', insertedCat.length);
console.log(insertedCats);
})
.catch(console.error);
The bulkCreate method fires the following events:
identity
- in the event that Elasticsearch is used to generate an_id
for the documents indexed in bulk, this event is fired:
The identity event returns an array of strings that contain the _id
values assigned.
var Mapper = require('reindeer').Mapper;
// create a cats Elasticsearch data mapper
var catsMapper = new Mapper({
_index : 'animals'
}, {
/* ... mapping details here ... */
});
var docList = [{
breed : 'manx',
name : 'Hamish'
}, {
breed : 'siamese',
name : 'Dugald'
}];
catsMapper.on('identity', (idList) => {
console.log(
'Elasticsearch assigned %d identifiers to the indexed documents',
idList.length);
console.log(idList);
});
catsMapper
.bulkCreate(docList)
.then((insertedCats) => {
console.log('successfully inserted %d cats', insertedCat.length);
console.log(insertedCats);
})
.catch(console.error);
This method can be used to delete multiple existing documents within Elasticsearch.
Usage: mapper.bulkDelete(idList, callback)
This method accepts the following arguments:
idList
- (required) - this is an array of_id
values with which the documents that are intended to be removed have been indexed in Elasticsearchcallback
- (optional) - a function callback that accepts a single argument:err
- populated with details in the event of an error during the operationsummary
- populated with response from Elasticsearchitems
- an array of thedelete
operations with the documents deleted
The following example demonstrates the use of the #bulkDelete
method on a mapping for cats:
var Mapper = require('reindeer').Mapper;
// create a cats Elasticsearch data mapper
var catsMapper = new Mapper({
_index : 'animals'
}, {
/* ... mapping details here ... */
});
var idList = [12345, 54321];
catsMapper
.bulkDelete(idList)
.then((summary) => {
console.log('successfully deleted %d cats', summary.items.length);
})
.catch(console.error);
This method can be used to retrieve an array of existing documents from Elasticsearch.
Usage: mapper.bulkGet(idList, _source, callback)
This method accepts the following arguments:
idList
- (required) - this is an array of_id
values for which documents should be retrieved from Elasticsearch_source
- (optional) - this allows one to specify a parameter of fields to return or filter from being returned according to the Elasticsearch specification- NOTE: when source filtering and required fields are set, validation will fail if the required field is not returned in the query results
callback
- (optional) - a function callback that accepts two arguments:err
- populated with details in the event of an error during the operationmodels
- an array of the validated models that are properly typed according to the mapping specification- NOTE: in the event that a document is not found, it is not returned in the models array... if no documents are found at all, the models array will be an empty array
The following example demonstrates the use of the #bulkGet
method on a mapping for cats:
var Mapper = require('reindeer').Mapper;
// create a cats Elasticsearch data mapper
var catsMapper = new Mapper({
_index : 'animals'
}, {
/* ... mapping details here ... */
});
var idList = [12345, 54321];
catsMapper
.bulkGet(idList)
.then((cats) => {
console.log('successfully retrieved %d cats', cats.length);
console.log(cats);
})
.catch(console.error);
The bulk update method allows one to update multiple existing documents within Elasticsearch. Partial documents will be accepted as well, but note that if there are required fields that are missing from any of the partial documents, the method will return an error. This method will also return an error in the event that any of the documents do not exist.
Usage: mapper.bulkUpdate(idList, docList, callback)
This method accepts the following arguments:
idList
- (optional) - an array of _ids in the same order that should be applied to the array of documents supplied as thedocList
parameter value- when the
idList
property is not supplied, the value from the field matching the_id.path
for each document indocList
(if specified in the mapping) will be used instead - if the
idList
is not supplied and there is no_id.path
specified in the mapping, Elasticsearch will auto-assign a value
- when the
docList
- (required) - *docList
- (required) - this is an array of documents to update within Elasticsearch- any of the documents can be specified as partial documents
- NOTE: all fields in each document will be validated against the mapping specification prior to calling Elasticsearch
callback
- (optional) - a function callback that accepts two arguments:err
- populated with details in the event of an error during the operationupdatedModels
- the updated and validated models that are properly typed according to the mapping specification
var Mapper = require('reindeer').Mapper;
// create a cats Elasticsearch data mapper
var catsMapper = new Mapper({
_index : 'animals'
}, {
/* ... mapping details here ... */
});
var docList = [{
animalId : 12345,
birthday : new Date('2014-04-20')
}, {
animalId : 54321,
birthday : new Date('2014-05-09')
}];
var idList = docList.map(function (cat) {
return cat.animalId;
});
catsMapper
.bulkUpdate(idList, docList)
.then((updatedCats) => {
console.log('successfully updated %d cats', updatedCats.length);
console.log(updatedCats);
})
.catch(console.error);
The bulk upsert method works similarly to bulk update, except that if the document does not exist already, it is created.
Usage: mapper.bulkUpsert(idList, docList, callback)
This method accepts the following arguments:
idList
- (optional) - an array of _ids in the same order that should be applied to the array of documents supplied as thedocList
parameter value- when the
idList
property is not supplied, the value from the field matching the_id.path
for each document indocList
(if specified in the mapping) will be used instead - if the
idList
is not supplied and there is no_id.path
specified in the mapping, Elasticsearch will auto-assign a value
- when the
docList
- (required) - this is an array of documents to update or create if not present within Elasticsearch- any of the documents can be specified as partial documents
- NOTE: all fields in each document will be validated against the mapping specification prior to calling Elasticsearch
callback
- (optional) - a function callback that accepts two arguments:err
- populated with details in the event of an error during the operationupdatedModel
- the validated model that is properly typed according to the mapping specification
var Mapper = require('reindeer').Mapper;
// create a cats Elasticsearch data mapper
var catsMapper = new Mapper({
_index : 'animals'
}, {
/* ... mapping details here ... */
});
var docList = [{
animalId : 12345,
birthday : new Date('2014-04-20'),
breed : 'manx',
name : 'Hamish'
}, {
animalId : 54321,
birthday : new Date('2014-05-09'),
breed : 'siamese',
name : 'Dugald'
}];
var idList = docList.map(function (cat) {
return cat.animalId;
});
catsMapper
.bulkUpsert(idList, docList)
.then((upsertedCats) => {
console.log('successfully upserted %d cats', upsertedCats.length);
console.log(upsertedCats);
})
.catch(console.error);
For building Elasticsearch queries, it is often helpful to understand when string type fields are analyzed in order to use a match
vs a term
query. This method provides a simple way to retrieve this information directly from the mapping.
Usage: mapper.analyzedFields()
The following example demonstrates how to retrieve an array of analyzed fields:
var Mapper = require('reindeer').Mapper;
// create a cats Elasticsearch data mapper
var catsMapper = new Mapper({
_index : 'animals'
}, {
/* ... mapping details here ... */
});
console.log(catsMapper.analyzedFields());
For building Elasticsearch queries, it is often helpful to understand when a field exists within the type - sorting on a non-existent field, for example, will result in a 400 response from Elasticsearch. This method provides a simply way to quickly determine if a field exists before attempting to use it in a query.
Usage: mapper.fieldExists(fieldPath)
The following example demonstrates how to determine if a field exists within a mapping:
var Mapper = require('reindeer').Mapper;
// create a cats Elasticsearch data mapper
var catsMapper = new Mapper({
_index : 'animals'
}, {
/* ... mapping details here ... */
});
console.log('should be true:', catsMapper.fieldExists('name'));
console.log('should be true:', catsMapper.fieldExists('attributes.height'));
console.log('should be false:', catsMapper.fieldExists('attributes.furLength'));
The parse method is used for parsing either a JSON string or a Javascript object and coercing fields to a properly typed Javascript object that aligns with the mapping type specification. This method takes into account the dynamic mapping specified for the mapping and returns an object as would be stored in Elasticsearch.
NOTE: This method is used internally by CRUD methods within this module in order to ensure properly typed return values (i.e. so that date types are typed as Date objects, etc.).
Usage: mapper.parse(json, callback)
This method accepts the following arguments:
json
- (required) - this can be either a JSON string or a Javascript object containing the document to be parsedcallback
- (optional) - a function callback that accepts two arguments:err
- populated with details in the event of an error during the operationmodel
- the parsed model that is properly typed according to the mapping specification
The following example demonstrates the parsing of a JSON string:
var Mapper = require('reindeer').Mapper;
// create a cats Elasticsearch data mapper
var catsMapper = new Mapper({
_index : 'animals'
}, {
/* ... mapping details here ... */
});
var json = requestJSONStringFromSomewhere();
catsMapper
.parse(json)
.then((catsModel) => {
if (catsModel) {
console.log('successfully parsed cat %d', catsModel.animalId);
console.log(catsModel);
}
})
.catch(console.error);
The validate method validates a document according to a mapping specification. This method handles the following error scenarios:
- determines if model is empty
- determines if model field values do not match and are not able to be casted to the specified mapping type
- detects any missing required fields and returns an
InvalidModelError
error - detects an extraneous fields from
dynamic=strict
mapping types and returns anInvalidModelError
error
Additionally, the validate method performs the following:
- captures value for field specified in
_id.path
of mapping (if applicable) - removes any extraneous fields from
dynamic=false
mapping types
NOTE: This method is used internally by CRUD methods within this module in order to ensure the document that is being operated on is valid prior to transmission to Elasticsearch.
Usage: mapper.validate(doc, callback)
This method accepts the following arguments:
doc
- (required) - this is the document to be validated- the document can be specified as a partial model
- NOTE: if required fields are missing, an
InvalidModelError
will be returned - NOTE: if an
_id.path
is specified in the mapping, and a value is found matching that field in the supplied document, it will be returned in the modelId parameter
callback
- (optional) - a function callback that accepts three arguments:err
- populated with details in the event of an error during the operationvalidatedModel
- the validated model resulting from the operationmodelId
- if_id.path
is specified in the mapping and the field exists in thedoc
supplied, this is the value of the_id
, otherwise,null
The validate method fires the following events:
identity
- whenever a#validate
operation results in the discovery of the_id
for the document that will be inserted to Elasticsearch, theidentity
event is emitted
The identity event returns a string value of the _id
. The following demonstrates use of the validate method:
var Mapper = require('reindeer').Mapper;
// create a cats Elasticsearch data mapper
var catsMapper = new Mapper({
_index : 'animals'
}, {
/* ... mapping details here ... */
});
var doc = {
animalId : 12345,
birthday : new Date('2014-04-20'),
name : 'Hamish'
};
// note, unless _id.path is specified in the mapping, identity will not emit
catsMapper.on('identity', (_id) => {
console.log(
'_id of document will be %s (which is the animalId: %s)',
_id,
doc.animalId);
});
catsMapper
.validate(doc)
.then((catsModel) => {
if (catsModel) {
console.log('successfully validated %s the cat', catsModel.name);
console.log(catsModel);
}
})
.catch(console.error)