Skip to content
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

feat: Added New Relic Control health check #2841

Draft
wants to merge 4 commits into
base: main
Choose a base branch
from
Draft
Show file tree
Hide file tree
Changes from all commits
Commits
File filter

Filter by extension

Filter by extension


Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
4 changes: 4 additions & 0 deletions index.js
Original file line number Diff line number Diff line change
Expand Up @@ -5,6 +5,8 @@

'use strict'

const HealthReporter = require('./lib/health-reporter')

// Record opening times before loading any other files.
const preAgentTime = process.uptime()
const agentStart = Date.now()
Expand Down Expand Up @@ -156,6 +158,7 @@ function createAgent(config) {
'New Relic requires that you name this application!\n' +
'Set app_name in your newrelic.js or newrelic.cjs file or set environment variable\n' +
'NEW_RELIC_APP_NAME. Not starting!'
agent.healthReporter.setStatus(HealthReporter.STATUS_MISSING_APP_NAME)
throw new Error(message)
}

Expand All @@ -169,6 +172,7 @@ function createAgent(config) {

agent.start(function afterStart(error) {
if (error) {
agent.healthReporter.setStatus(HealthReporter.STATUS_INTERNAL_UNEXPECTED_ERROR)
const errorMessage = 'New Relic for Node.js halted startup due to an error:'
logger.error(error, errorMessage)

Expand Down
45 changes: 28 additions & 17 deletions lib/agent.js
Original file line number Diff line number Diff line change
Expand Up @@ -41,6 +41,7 @@
const synthetics = require('./synthetics')
const Harvester = require('./harvester')
const { createFeatureUsageMetrics } = require('./util/application-logging')
const HealthReporter = require('./health-reporter')

// Map of valid states to whether or not data collection is valid
const STATES = {
Expand Down Expand Up @@ -159,7 +160,10 @@
function Agent(config) {
EventEmitter.call(this)

this.healthReporter = new HealthReporter()

if (!config) {
this.healthReporter.setStatus(HealthReporter.STATUS_CONFIG_PARSE_FAILURE)
throw new Error('Agent must be created with a configuration!')
}

Expand Down Expand Up @@ -208,7 +212,7 @@
periodMs: config.event_harvest_config.report_period_ms,
limit: config.event_harvest_config.harvest_limits.analytic_event_data,
config,
enabled: (config) => config.transaction_events.enabled

Check warning on line 215 in lib/agent.js

View workflow job for this annotation

GitHub Actions / lint (lts/*)

'config' is already declared in the upper scope on line 160 column 16
},
this
)
Expand All @@ -219,7 +223,7 @@
limit: config.event_harvest_config.harvest_limits.custom_event_data,
metricNames: NAMES.CUSTOM_EVENTS,
config,
enabled: (config) => config.custom_insights_events.enabled

Check warning on line 226 in lib/agent.js

View workflow job for this annotation

GitHub Actions / lint (lts/*)

'config' is already declared in the upper scope on line 160 column 16
},
this
)
Expand All @@ -229,7 +233,7 @@
periodMs: DEFAULT_HARVEST_INTERVAL_MS,
limit: MAX_ERROR_TRACES_DEFAULT,
config,
enabled: (config) => config.error_collector.enabled && config.collect_errors

Check warning on line 236 in lib/agent.js

View workflow job for this annotation

GitHub Actions / lint (lts/*)

'config' is already declared in the upper scope on line 160 column 16
},
this.collector,
this.harvester
Expand All @@ -240,7 +244,7 @@
periodMs: config.event_harvest_config.report_period_ms,
limit: config.event_harvest_config.harvest_limits.error_event_data,
config,
enabled: (config) => config.error_collector.enabled && config.error_collector.capture_events

Check warning on line 247 in lib/agent.js

View workflow job for this annotation

GitHub Actions / lint (lts/*)

'config' is already declared in the upper scope on line 160 column 16
},
this
)
Expand Down Expand Up @@ -350,11 +354,15 @@
'Has a license key been specified in the agent configuration ' +
'file or via the NEW_RELIC_LICENSE_KEY environment variable?'
)
this.healthReporter.setStatus(HealthReporter.STATUS_LICENSE_KEY_MISSING)

this.setState('errored')
sampler.stop()
const self = this
return process.nextTick(function onNextTick() {
callback(new Error('Not starting without license key!'))
self.healthReporter.stop(() => {
callback(new Error('Not starting without license key!'))
})
})
}
logger.info('Starting New Relic for Node.js connection process.')
Expand Down Expand Up @@ -484,23 +492,26 @@

sampler.stop()

if (this.collector.isConnected()) {
this.collector.shutdown(function onShutdown(error) {
if (error) {
agent.setState('errored')
logger.warn(error, 'Got error shutting down connection to New Relic:')
} else {
agent.setState('stopped')
logger.info('Stopped New Relic for Node.js.')
}

callback(error)
})
} else {
logger.trace('Collector was not connected, invoking callback.')
this.healthReporter.setStatus(HealthReporter.STATUS_AGENT_SHUTDOWN)
this.healthReporter.stop(() => {
if (agent.collector.isConnected()) {
agent.collector.shutdown(function onShutdown(error) {
if (error) {
agent.setState('errored')
logger.warn(error, 'Got error shutting down connection to New Relic:')
} else {
agent.setState('stopped')
logger.info('Stopped New Relic for Node.js.')
}

callback(error)
})
} else {
logger.trace('Collector was not connected, invoking callback.')

process.nextTick(callback)
}
process.nextTick(callback)
}
})
}

/**
Expand Down
205 changes: 205 additions & 0 deletions lib/health-reporter.js
Original file line number Diff line number Diff line change
@@ -0,0 +1,205 @@
/*
* Copyright 2024 New Relic Corporation. All rights reserved.
* SPDX-License-Identifier: Apache-2.0
*/

'use strict'

const fs = require('node:fs')
const crypto = require('node:crypto')
const path = require('node:path')

const defaultLogger = require('./logger').child({ component: 'HealthReporter' })

const VALID_CODES = new Map([
['NR-APM-000', 'Healthy.'],
['NR-APM-001', 'Invalid license key.'],
['NR-APM-002', 'License key missing.'],
['NR-APM-003', 'Forced disconnect received from New Relic.'],
['NR-APM-004', 'HTTP error communicating with New Relic.'],
['NR-APM-005', 'Missing application name in agent configuration.'],
['NR-APM-006', 'The maximum number of configured app names is exceeded.'],
['NR-APM-007', 'HTTP proxy is misconfigured.'],
['NR-APM-008', 'Agent is disabled via configuration.'],
['NR-APM-009', 'Failed to connect to the New Relic data collector.'],
['NR-APM-010', 'Agent config could not be parsed.'],
['NR-APM-099', 'Agent has shutdown.'],
// Codes 300 through 399 are reserved for the Node.js Agent.
['NR-APM-300', 'An unexpected error occurred.']
])

function writeStatus({ file, healthy = true, code, msg, startTime, callback } = {}) {
const currentTime = Number(process.hrtime.bigint())
const yaml = [
`healthy: ${healthy}`,
`status: '${msg}'`,
`last_error: ${code}`,
`start_time_unix_nano: ${startTime}`,
`status_time_unix_nano: ${currentTime}`
].join('\n')
fs.writeFile(file, yaml, { encoding: 'utf8' }, callback)
}

/**
* HealthReporter implements the "super agent" (New Relic Control) health
* check spec. An instance of the reporter will continually write out the
* current status, as set by `reporter.setStatus`, on the interval defined
* by the environment.
*/
class HealthReporter {
#enabled = false
#status = HealthReporter.STATUS_HEALTHY
#interval
#destFile
#logger
#startTime

static STATUS_HEALTHY = 'NR-APM-000'
static STATUS_INVALID_LICENSE_KEY = 'NR-APM-001'
static STATUS_LICENSE_KEY_MISSING = 'NR-APM-002'
static STATUS_FORCED_DISCONNECT = 'NR-APM-003'
static STATUS_BACKEND_ERROR = 'NR-APM-004'
static STATUS_MISSING_APP_NAME = 'NR-APM-005'
static STATUS_MAXIMUM_APP_NAMES_EXCEEDED = 'NR-APM-006'
static STATUS_HTTP_PROXY_MISCONFIGURED = 'NR-APM-007'
static STATUS_AGENT_DISABLED = 'NR-APM-008'
static STATUS_CONNECT_ERROR = 'NR-APM-009'
static STATUS_CONFIG_PARSE_FAILURE = 'NR-APM-010'
static STATUS_AGENT_SHUTDOWN = 'NR-APM-099'

// STATUS_INTERNAL errors are the Node.js Agent specific error codes.
static STATUS_INTERNAL_UNEXPECTED_ERROR = 'NR-APM-300'

constructor({ logger = defaultLogger, setInterval = global.setInterval } = {}) {
const fleetId = process.env.NEW_RELIC_SUPERAGENT_FLEET_ID
Copy link
Member

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

these should be configuration items, based on spec, and names appear to be updated to be agent_control not superagent:

Name Environment Variable Name Description Default Required?
agent_control.fleet_id NEW_RELIC_AGENT_CONTROL_FLEET_ID This assigns a fleet ID to the language agent. This ID is generated by Agent Control. If this setting is present, it denotes that the agent is running in an Agent Control environment and the health file(s) will be generated. n/a MUST
agent_control.health.delivery_location NEW_RELIC_AGENT_CONTROL_HEALTH_DELIVERY_LOCATION A file: URI that specifies the fully qualified directory path for health file(s) to be written to. For example: file:///var/lib/newrelic-agent_control/fleet/agents.d/<fleet_id> N/A MUST
agent_control.health.frequency NEW_RELIC_AGENT_CONTROL_HEALTH_FREQUENCY The interval, in seconds, of how often the health file(s) will be written. 5 MUST

Copy link
Contributor Author

Choose a reason for hiding this comment

The reason will be displayed to describe this comment to others. Learn more.

It looks like we do load the config before creating the agent. So adding in support for those config values will be feasible.

const outDir = process.env.NEW_RELIC_SUPERAGENT_HEALTH_DELIVERY_LOCATION
let checkInterval = process.env.NEW_RELIC_SUPERAGENT_HEALTH_FREQUENCY

this.#logger = logger

if (!fleetId) {
this.#logger.info('new relic control not present, skipping health reporting')
return
}

if (outDir === undefined) {
this.#logger.error('health check output directory not provided, skipping health reporting')
return
}

if (checkInterval === undefined) {
this.#logger.debug('health check interval not available, using default 5 seconds')
checkInterval = 5_000
} else {
checkInterval = parseInt(checkInterval, 10) * 1_000
}

this.#startTime = Number(process.hrtime.bigint())

const uuid = crypto.randomUUID().replaceAll('-', '')
this.#destFile = path.join(outDir, `health-${uuid}.yaml`)

this.#logger.info(
`new relic control is present, writing health on interval ${checkInterval} milliseconds to ${
this.#destFile
}`
)
this.#interval = setInterval(this.#healthCheck.bind(this), checkInterval)
this.#interval.unref()

this.#enabled = true
this.#logger.info('health reporter initialized')
}

#healthCheck() {
const healthy = this.#status === HealthReporter.STATUS_HEALTHY
writeStatus({
file: this.#destFile,
healthy,
startTime: this.#startTime,
code: this.#status,
msg: VALID_CODES.get(this.#status),
callback: (error) => {
if (error) {
this.#logger.error(`error when writing out health status: ${error.message}`)
}
}
})
}

/**
* Update the known health status. This status will be written to the health
* file on the next interval. If the provided status is not a recognized
* status, a log will be written and the status will not be updated.
*
* @param {string} status Utilize one of the static status fields.
*/
setStatus(status) {
if (this.#enabled === false) {
return
}

if (VALID_CODES.has(status) === false) {
this.#logger.warn(`invalid health reporter status provided: ${status}`)
return
}

if (
status === HealthReporter.STATUS_AGENT_SHUTDOWN &&
this.#status !== HealthReporter.STATUS_HEALTHY
) {
this.#logger.info(
`not setting shutdown health status due to current status code: ${this.#status}`
)
return
}

this.#status = status
}

/**
* This should be invoked on agent shutdown after setting the status
* to the shutdown status. It will stop the ongoing update interval,
* initiate an immediate write of the status file, and then invoke the
* provided callback.
*
* @param {function} done Callback to be invoked after the status file has
* been updated.
*/
stop(done) {
if (this.#enabled === false) {
return done()
}

clearInterval(this.#interval)

const healthy = this.#status === HealthReporter.STATUS_HEALTHY
let code = this.#status
let msg = VALID_CODES.get(code)
if (healthy === true) {
// We only update the status on shutdown when the last known state is
// the healthy state. Otherwise, we need to leave the current code in
// place, and just update the report time.
code = HealthReporter.STATUS_AGENT_SHUTDOWN
msg = VALID_CODES.get(code)
}

writeStatus({
file: this.#destFile,
startTime: this.#startTime,
healthy,
code,
msg,
callback: (error) => {
if (error) {
this.#logger.error(
`error when writing out health status during shutdown: ${error.message}`
)
}
done && done()
}
})
}
}

module.exports = HealthReporter
3 changes: 3 additions & 0 deletions package.json
Original file line number Diff line number Diff line change
Expand Up @@ -193,6 +193,9 @@
"bin": {
"newrelic-naming-rules": "./bin/test-naming-rules.js"
},
"imports": {
"#agentlib/*.js": "./lib/*.js"
},
"dependencies": {
"@grpc/grpc-js": "^1.12.2",
"@grpc/proto-loader": "^0.7.5",
Expand Down
Loading
Loading