forked from signalfx/tracing-examples
-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathindex.js
200 lines (174 loc) · 6.42 KB
/
index.js
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
// This Lambda function is an example of an OpenTracing-instrumented Roulette
// game using the Jaeger Node.Js tracer where requests containing a chosen number
// made to an API Gateway resource are compared to a random number from the wheel.
//
// GET /my_resource/?choice=36 -> 404 Loss
// GET /my_resource/?choice=00 -> 200 Win
//
// Winning requests will produce a logged error. You can trigger a winning event by
// setting a "win" query parameter with an arbitrary value.
//
// GET /my_resource/?win=true
//
const { initTracer } = require('jaeger-client');
const opentracing = require('opentracing');
// Roulette address/position maps, helpful for "00"
const choiceToNum = { '00': 37 };
for (let i = 0; i < 37; i++) {
choiceToNum[i] = i;
}
const numToChoice = [];
Object.entries(choiceToNum).forEach(([k, v]) => { numToChoice[v] = k; });
exports.requestHandler = function (event, context, callback) {
const response = handleRequest(event, context);
callback(response.error, response.response);
};
// handle a RequestResponse client invocation. For asynchronous
// invocations use your own event attributes as needed.
function handleRequest(event, context) {
const tracer = createTracer();
const rootSpan = tracer.startSpan('handleRequest');
// Use OpenTracing tags to denote request-level information
rootSpan.setTag(opentracing.Tags.HTTP_METHOD, event.httpMethod);
rootSpan.setTag(opentracing.Tags.HTTP_URL, event.path);
// Here we get our current traceId to include in response
// for ease of demo trace retrieval only.
const traceId = getTraceId(rootSpan);
// Tag execution context information about environment and
// RequestResponse invocation for future debugging and
// analytics: https://docs.aws.amazon.com/lambda/latest/dg/nodejs-prog-model-context.html
rootSpan.setTag('awsRequestId', context.awsRequestId);
rootSpan.log({ remainingTimeInMillis: context.getRemainingTimeInMillis() });
const choice = getChoice(event, rootSpan);
let result, statusCode;
try {
// A span's context is needed for establishing references
result = playRoulette(choice, rootSpan);
statusCode = 404;
} catch (err) {
result = 'You Won!';
statusCode = 200;
rootSpan.setTag(opentracing.Tags.ERROR, true);
rootSpan.log({
event: 'error',
'error.object': err,
'error.message': result,
'error.stack': err.stack,
});
}
rootSpan.setTag('result', result);
rootSpan.setTag(opentracing.Tags.HTTP_STATUS_CODE, statusCode);
const response = {
statusCode,
body: JSON.stringify({ traceId, result, choice }),
};
rootSpan.finish();
tracer.close();
return { error: null, response };
}
function createTracer() {
const accessToken = process.env.SIGNALFX_ACCESS_TOKEN;
let ingestUrl = process.env.SIGNALFX_INGEST_URL;
if (!ingestUrl) {
if (!accessToken) {
throw new Error('You must set the SIGNALFX_ACCESS_TOKEN Lambda environment variable to be your token.');
}
ingestUrl = 'https://ingest.signalfx.com/v1/trace'
}
const config = {
serviceName: 'signalfx-lambda-node-example',
// Configures a constant sampler such that all invocations will be reported.
// If desired, use type: 'probabilistic' with a param specifying the percentage of
// traces to be reported:
// sampler: {
// type: 'probabilistic',
// param: .01 // 1% of traces, with 1.0 being equivalent to a constant sampler
// },
// See: https://github.com/jaegertracing/jaeger-client-node/blob/master/src/samplers/probabilistic_sampler.js
sampler: {
type: 'const',
param: 1,
},
reporter: {
collectorEndpoint: ingestUrl,
},
};
if (accessToken) {
// SignalFx supports Basic authentication with username "auth" and access token as password
config.reporter.username = 'auth'
config.reporter.password = accessToken
}
const options = { logger: console };
const tracer = initTracer(config, options);
// Register our tracer instance as the global tracer for easy access
// throughout Lambda function.
opentracing.initGlobalTracer(tracer);
return tracer;
}
// Pass spans as arguments for usage within functions
function getTraceId(span) {
// Per OT: Span contexts are tracer-specific so this
// will likely not be functional for other tracers
// and should not be relied on as a stable api.
const context = span.context();
function pad(num) {
return num.toString(16).padStart(8, '0');
}
const high = context.traceId.readUInt32BE();
const low = context.traceId.readUInt32BE(4);
return pad(high) + pad(low);
}
// Retrieve a user's spin choice from an API Gateway request.
// If no or an invalid choice is provided in the request, it selects one at random.
// If a "win" query parameter has been provided, returns "win" to guarantee success.
function getChoice(event, span) {
const queryStringParameters = event.queryStringParameters || {};
let { win } = queryStringParameters;
if (Boolean(win)) {
span.setTag('winFlag', true);
return 'win';
}
let { choice } = queryStringParameters;
if (!choiceToNum.hasOwnProperty(choice)) {
choice = getRandomPosition();
const invalid = `Invalid choice. Using ${choice} selected at random`;
span.log({ event: invalid });
} else {
span.log({ event: `Request contains valid choice ${choice}` });
}
span.setTag('winFlag', false);
return choice;
}
function getRandomPosition() {
const randomNumber = Math.floor(Math.random() * Math.floor(38));
return numToChoice[randomNumber];
}
function playRoulette(choice, parentSpan) {
// Retrieve our previously-registered tracer
const tracer = opentracing.globalTracer();
const options = { childOf: parentSpan.context() };
const span = tracer.startSpan('playRoulette', options);
span.setTag('choice', choice);
// Here we create a child span in parent function for direct access
// within spinRouletteWheel().
const childSpan = tracer.startSpan('spinRouletteWheel', { childOf: span.context() });
const actual = spinRouletteWheel(childSpan);
childSpan.finish();
span.setTag('actual', actual);
try {
if (choice === actual || choice === 'win') {
throw new Error('Confirmation Bias!');
}
return `You Lost! The ball landed on ${actual}.`;
} finally {
span.finish();
}
}
function spinRouletteWheel(span) {
let position;
for (let i = 0; i < 10000; i++) { // Simulate meaningful work
position = getRandomPosition();
}
span.setTag('position', position);
return position;
}