-
-
Notifications
You must be signed in to change notification settings - Fork 1.7k
feat: MongoDB Tracing Support #3072
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Changes from all commits
17ed7b9
8784566
ff88e16
5dedbe7
4891c82
52d082c
9b8bdd2
d9ce60a
4096ba1
0253cf2
File filter
Filter by extension
Conversations
Jump to
Diff view
Diff view
There are no files selected for viewing
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -1 +1,2 @@ | ||
export { Express } from './express'; | ||
export { Mongo } from './mongo'; |
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,216 @@ | ||
import { Hub } from '@sentry/hub'; | ||
import { EventProcessor, Integration, SpanContext } from '@sentry/types'; | ||
import { dynamicRequire, fill, logger } from '@sentry/utils'; | ||
|
||
// This allows us to use the same array for both defaults options and the type itself. | ||
// (note `as const` at the end to make it a union of string literal types (i.e. "a" | "b" | ... ) | ||
// and not just a string[]) | ||
type Operation = typeof OPERATIONS[number]; | ||
const OPERATIONS = [ | ||
'aggregate', // aggregate(pipeline, options, callback) | ||
'bulkWrite', // bulkWrite(operations, options, callback) | ||
'countDocuments', // countDocuments(query, options, callback) | ||
'createIndex', // createIndex(fieldOrSpec, options, callback) | ||
'createIndexes', // createIndexes(indexSpecs, options, callback) | ||
'deleteMany', // deleteMany(filter, options, callback) | ||
'deleteOne', // deleteOne(filter, options, callback) | ||
'distinct', // distinct(key, query, options, callback) | ||
'drop', // drop(options, callback) | ||
'dropIndex', // dropIndex(indexName, options, callback) | ||
'dropIndexes', // dropIndexes(options, callback) | ||
'estimatedDocumentCount', // estimatedDocumentCount(options, callback) | ||
'findOne', // findOne(query, options, callback) | ||
'findOneAndDelete', // findOneAndDelete(filter, options, callback) | ||
'findOneAndReplace', // findOneAndReplace(filter, replacement, options, callback) | ||
'findOneAndUpdate', // findOneAndUpdate(filter, update, options, callback) | ||
'indexes', // indexes(options, callback) | ||
'indexExists', // indexExists(indexes, options, callback) | ||
'indexInformation', // indexInformation(options, callback) | ||
'initializeOrderedBulkOp', // initializeOrderedBulkOp(options, callback) | ||
'insertMany', // insertMany(docs, options, callback) | ||
'insertOne', // insertOne(doc, options, callback) | ||
'isCapped', // isCapped(options, callback) | ||
'mapReduce', // mapReduce(map, reduce, options, callback) | ||
'options', // options(options, callback) | ||
'parallelCollectionScan', // parallelCollectionScan(options, callback) | ||
'rename', // rename(newName, options, callback) | ||
'replaceOne', // replaceOne(filter, doc, options, callback) | ||
'stats', // stats(options, callback) | ||
'updateMany', // updateMany(filter, update, options, callback) | ||
'updateOne', // updateOne(filter, update, options, callback) | ||
] as const; | ||
|
||
// All of the operations above take `options` and `callback` as their final parameters, but some of them | ||
// take additional parameters as well. For those operations, this is a map of | ||
// { <operation name>: [<names of additional parameters>] }, as a way to know what to call the operation's | ||
// positional arguments when we add them to the span's `data` object later | ||
const OPERATION_SIGNATURES: { | ||
lobsterkatie marked this conversation as resolved.
Show resolved
Hide resolved
|
||
[op in Operation]?: string[]; | ||
} = { | ||
aggregate: ['pipeline'], | ||
bulkWrite: ['operations'], | ||
lobsterkatie marked this conversation as resolved.
Show resolved
Hide resolved
|
||
countDocuments: ['query'], | ||
createIndex: ['fieldOrSpec'], | ||
createIndexes: ['indexSpecs'], | ||
deleteMany: ['filter'], | ||
deleteOne: ['filter'], | ||
distinct: ['key', 'query'], | ||
dropIndex: ['indexName'], | ||
findOne: ['query'], | ||
findOneAndDelete: ['filter'], | ||
findOneAndReplace: ['filter', 'replacement'], | ||
findOneAndUpdate: ['filter', 'update'], | ||
indexExists: ['indexes'], | ||
insertMany: ['docs'], | ||
insertOne: ['doc'], | ||
mapReduce: ['map', 'reduce'], | ||
rename: ['newName'], | ||
replaceOne: ['filter', 'doc'], | ||
updateMany: ['filter', 'update'], | ||
updateOne: ['filter', 'update'], | ||
}; | ||
|
||
interface MongoCollection { | ||
collectionName: string; | ||
dbName: string; | ||
namespace: string; | ||
prototype: { | ||
[operation in Operation]: (...args: unknown[]) => unknown; | ||
}; | ||
} | ||
|
||
interface MongoOptions { | ||
operations?: Operation[]; | ||
describeOperations?: boolean | Operation[]; | ||
} | ||
|
||
/** Tracing integration for mongo package */ | ||
export class Mongo implements Integration { | ||
/** | ||
* @inheritDoc | ||
*/ | ||
public static id: string = 'Mongo'; | ||
|
||
/** | ||
* @inheritDoc | ||
*/ | ||
public name: string = Mongo.id; | ||
|
||
private _operations: Operation[]; | ||
private _describeOperations?: boolean | Operation[]; | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Is "describe" your word or theirs? If it's yours, I wonder if we might name this option differently, to a) differentiate it from the There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. I think |
||
|
||
/** | ||
* @inheritDoc | ||
*/ | ||
public constructor(options: MongoOptions = {}) { | ||
this._operations = Array.isArray(options.operations) | ||
? options.operations | ||
: ((OPERATIONS as unknown) as Operation[]); | ||
this._describeOperations = 'describeOperations' in options ? options.describeOperations : true; | ||
} | ||
|
||
/** | ||
* @inheritDoc | ||
*/ | ||
public setupOnce(_: (callback: EventProcessor) => void, getCurrentHub: () => Hub): void { | ||
let collection: MongoCollection; | ||
|
||
try { | ||
const mongodbModule = dynamicRequire(module, 'mongodb') as { Collection: MongoCollection }; | ||
collection = mongodbModule.Collection; | ||
} catch (e) { | ||
logger.error('Mongo Integration was unable to require `mongodb` package.'); | ||
return; | ||
} | ||
|
||
this._instrumentOperations(collection, this._operations, getCurrentHub); | ||
} | ||
|
||
/** | ||
* Patches original collection methods | ||
*/ | ||
private _instrumentOperations(collection: MongoCollection, operations: Operation[], getCurrentHub: () => Hub): void { | ||
operations.forEach((operation: Operation) => this._patchOperation(collection, operation, getCurrentHub)); | ||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. Why pass in There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. This is how integrations work internally, the function will be injected from outside and we should use that vs. global |
||
} | ||
|
||
/** | ||
* Patches original collection to utilize our tracing functionality | ||
*/ | ||
private _patchOperation(collection: MongoCollection, operation: Operation, getCurrentHub: () => Hub): void { | ||
if (!(operation in collection.prototype)) return; | ||
|
||
const getSpanContext = this._getSpanContextFromOperationArguments.bind(this); | ||
|
||
fill(collection.prototype, operation, function(orig: () => void | Promise<unknown>) { | ||
return function(this: unknown, ...args: unknown[]) { | ||
const lastArg = args[args.length - 1]; | ||
const scope = getCurrentHub().getScope(); | ||
const parentSpan = scope?.getSpan(); | ||
|
||
// Check if the operation was passed a callback. (mapReduce requires a different check, as | ||
// its (non-callback) arguments can also be functions.) | ||
if (typeof lastArg !== 'function' || (operation === 'mapReduce' && args.length === 2)) { | ||
const span = parentSpan?.startChild(getSpanContext(this, operation, args)); | ||
return (orig.call(this, ...args) as Promise<unknown>).then((res: unknown) => { | ||
span?.finish(); | ||
return res; | ||
}); | ||
} | ||
|
||
const span = parentSpan?.startChild(getSpanContext(this, operation, args.slice(0, -1))); | ||
return orig.call(this, ...args.slice(0, -1), function(err: Error, result: unknown) { | ||
span?.finish(); | ||
lastArg(err, result); | ||
}); | ||
}; | ||
}); | ||
} | ||
|
||
/** | ||
* Form a SpanContext based on the user input to a given operation. | ||
*/ | ||
private _getSpanContextFromOperationArguments( | ||
collection: MongoCollection, | ||
operation: Operation, | ||
args: unknown[], | ||
): SpanContext { | ||
const data: { [key: string]: string } = { | ||
collectionName: collection.collectionName, | ||
dbName: collection.dbName, | ||
namespace: collection.namespace, | ||
}; | ||
const spanContext: SpanContext = { | ||
op: `db`, | ||
description: operation, | ||
data, | ||
}; | ||
|
||
// If the operation takes no arguments besides `options` and `callback`, or if argument | ||
// collection is disabled for this operation, just return early. | ||
const signature = OPERATION_SIGNATURES[operation]; | ||
const shouldDescribe = Array.isArray(this._describeOperations) | ||
? this._describeOperations.includes(operation) | ||
: this._describeOperations; | ||
|
||
if (!signature || !shouldDescribe) { | ||
return spanContext; | ||
} | ||
|
||
try { | ||
// Special case for `mapReduce`, as the only one accepting functions as arguments. | ||
if (operation === 'mapReduce') { | ||
const [map, reduce] = args as { name?: string }[]; | ||
data[signature[0]] = typeof map === 'string' ? map : map.name || '<anonymous>'; | ||
data[signature[1]] = typeof reduce === 'string' ? reduce : reduce.name || '<anonymous>'; | ||
} else { | ||
for (let i = 0; i < signature.length; i++) { | ||
data[signature[i]] = JSON.stringify(args[i]); | ||
} | ||
} | ||
} catch (_oO) { | ||
// no-empty | ||
} | ||
|
||
return spanContext; | ||
} | ||
} |
Uh oh!
There was an error while loading. Please reload this page.