mirror of
https://github.com/koala73/worldmonitor.git
synced 2026-04-25 17:14:57 +02:00
* feat(eia): move /api/eia/petroleum to gold-standard (Railway seed → Redis → Vercel reads only)
Live api.eia.gov fetches from the Vercel edge function were causing
FUNCTION_INVOCATION_TIMEOUT 504s on /api/eia/petroleum (Sydney edge →
US origin with no timeout, no cache, no stale fallback — one EIA blip
blew the 25s budget).
- New seeder scripts/seed-eia-petroleum.mjs — fetches WTI/Brent/
production/inventory from api.eia.gov with per-fetch 15s timeouts,
writes energy:eia-petroleum:v1 with the {_seed, data} envelope.
Accepts 1-of-4 series; 0-of-4 routes to contract-mode RETRY so
seed-meta stays stale and the bundle retries on next cron.
- Bundled into seed-bundle-energy-sources.mjs (daily, 90s timeout) —
no new Railway service needed.
- Rewrote api/eia/[[...path]].js as a Redis-only reader via
readJsonFromUpstash. Same response shape for backward compat with
widgets/MCP/external callers. 503 + Retry-After on miss (never 504).
- Registered eiaPetroleum in api/health.js STANDALONE_KEYS + gated as
ON_DEMAND_KEYS for the deploy window; promote to SEED_META
(maxStaleMin: 4320) in a follow-up after ~7 days of clean cron.
- Tests: 14 seeder unit tests + 9 edge handler tests.
Audit result: /api/eia/petroleum was the only Vercel route fetching
dashboard data live. Every other fetch(https://…) in api/ is
auth/payments/notifications/user-initiated enrichment.
* fix(eia): close silent-stale window — add SEED_META + seed-health registration
Review finding on PR #3161: without a SEED_META entry, readSeedMeta
returns seedStale: null and classifyKey never reaches STALE_SEED.
That meant a broken Railway cron or missing EIA_API_KEY after the first
successful seed would keep /api/eia/petroleum serving stale data for
up to 7 days (TTL) while /api/health reported OK.
- api/health.js: add SEED_META.eiaPetroleum with maxStaleMin=4320
(72h = 3× daily bundle cadence). Keep eiaPetroleum in ON_DEMAND_KEYS
so the Vercel-instant / Railway-delayed deploy window doesn't CRIT
on first seed, but stale-after-seed now properly fires STALE_SEED.
- api/seed-health.js: register energy:eia-petroleum in SEED_DOMAINS
(intervalMin=1440) so the secondary health endpoint reports it too.
- Updated ON_DEMAND_KEYS comment to reflect freshness is now enforced.
139 lines
4.0 KiB
JavaScript
139 lines
4.0 KiB
JavaScript
#!/usr/bin/env node
|
|
// @ts-check
|
|
|
|
import { loadEnvFile, runSeed } from './_seed-utils.mjs';
|
|
|
|
loadEnvFile(import.meta.url);
|
|
|
|
export const CANONICAL_KEY = 'energy:eia-petroleum:v1';
|
|
const TTL_SECONDS = 7 * 86400; // 7d — covers one weekly EIA cycle + buffer
|
|
const FETCH_TIMEOUT_MS = 15_000;
|
|
|
|
export const SERIES = /** @type {const} */ ({
|
|
wti: 'PET.RWTC.W', // WTI spot price, weekly
|
|
brent: 'PET.RBRTE.W', // Brent spot price, weekly
|
|
production: 'PET.WCRFPUS2.W',// US crude oil production, weekly
|
|
inventory: 'PET.WCESTUS1.W',// US commercial crude inventory, weekly
|
|
});
|
|
|
|
/**
|
|
* @typedef {{ current: number, previous: number | null, date: string, unit: string }} SeriesPoint
|
|
* @typedef {Partial<Record<keyof typeof SERIES, SeriesPoint>>} EiaPetroleum
|
|
*/
|
|
|
|
/**
|
|
* Parse a single EIA `/v2/seriesid/:id?num=2` response into a SeriesPoint.
|
|
* Returns null when the response has no usable current value.
|
|
*
|
|
* @param {unknown} payload
|
|
* @returns {SeriesPoint | null}
|
|
*/
|
|
export function parseSeries(payload) {
|
|
const values = /** @type {any} */ (payload)?.response?.data;
|
|
if (!Array.isArray(values) || values.length === 0) return null;
|
|
const current = Number(values[0]?.value);
|
|
if (!Number.isFinite(current)) return null;
|
|
const previousRaw = values[1]?.value;
|
|
const previous = previousRaw == null ? null : (() => {
|
|
const n = Number(previousRaw);
|
|
return Number.isFinite(n) ? n : null;
|
|
})();
|
|
return {
|
|
current,
|
|
previous,
|
|
date: String(values[0]?.period ?? ''),
|
|
unit: String(values[0]?.unit ?? ''),
|
|
};
|
|
}
|
|
|
|
/**
|
|
* @param {EiaPetroleum | null | undefined} agg
|
|
* @returns {number}
|
|
*/
|
|
export function countSeries(agg) {
|
|
if (!agg) return 0;
|
|
return Object.values(agg).filter(v => v != null).length;
|
|
}
|
|
|
|
/**
|
|
* Accept when at least one of the four series returned a usable point.
|
|
* Rejects only the fully-empty case (all 4 upstream calls failed).
|
|
*
|
|
* @param {EiaPetroleum | null | undefined} agg
|
|
*/
|
|
export function validatePetroleum(agg) {
|
|
return countSeries(agg) >= 1;
|
|
}
|
|
|
|
/**
|
|
* @param {string} key
|
|
* @param {string} seriesId
|
|
* @param {string} apiKey
|
|
* @returns {Promise<SeriesPoint | null>}
|
|
*/
|
|
async function fetchOne(key, seriesId, apiKey) {
|
|
const url = `https://api.eia.gov/v2/seriesid/${seriesId}?api_key=${apiKey}&num=2`;
|
|
try {
|
|
const resp = await fetch(url, {
|
|
headers: { Accept: 'application/json' },
|
|
signal: AbortSignal.timeout(FETCH_TIMEOUT_MS),
|
|
});
|
|
if (!resp.ok) {
|
|
console.warn(` [EIA] ${key} HTTP ${resp.status}`);
|
|
return null;
|
|
}
|
|
const body = await resp.json();
|
|
const parsed = parseSeries(body);
|
|
if (!parsed) console.warn(` [EIA] ${key} no usable values`);
|
|
return parsed;
|
|
} catch (err) {
|
|
console.warn(` [EIA] ${key} fetch error: ${(err instanceof Error ? err.message : String(err))}`);
|
|
return null;
|
|
}
|
|
}
|
|
|
|
/**
|
|
* @returns {Promise<EiaPetroleum>}
|
|
*/
|
|
async function fetchEiaPetroleum() {
|
|
const apiKey = process.env.EIA_API_KEY;
|
|
if (!apiKey) throw new Error('EIA_API_KEY not set');
|
|
|
|
const entries = /** @type {[keyof typeof SERIES, string][]} */ (Object.entries(SERIES));
|
|
const pairs = await Promise.all(
|
|
entries.map(async ([key, id]) => /** @type {const} */ ([key, await fetchOne(key, id, apiKey)])),
|
|
);
|
|
|
|
/** @type {EiaPetroleum} */
|
|
const agg = {};
|
|
for (const [key, value] of pairs) {
|
|
if (value) agg[key] = value;
|
|
}
|
|
return agg;
|
|
}
|
|
|
|
/**
|
|
* @param {EiaPetroleum} data
|
|
*/
|
|
export function declareRecords(data) {
|
|
return countSeries(data);
|
|
}
|
|
|
|
const isMain = process.argv[1]?.endsWith('seed-eia-petroleum.mjs');
|
|
|
|
if (isMain) {
|
|
runSeed('energy', 'eia-petroleum', CANONICAL_KEY, fetchEiaPetroleum, {
|
|
validateFn: validatePetroleum,
|
|
ttlSeconds: TTL_SECONDS,
|
|
sourceVersion: 'eia-petroleum-v1',
|
|
recordCount: (data) => countSeries(data),
|
|
declareRecords,
|
|
schemaVersion: 1,
|
|
maxStaleMin: 4320, // 72h — daily bundle; tolerates 3 missed ticks
|
|
}).catch((err) => {
|
|
const cause = err.cause ? ` (cause: ${err.cause.message || err.cause.code || err.cause})` : '';
|
|
console.error('FATAL:', (err.message || err) + cause);
|
|
process.exit(1);
|
|
});
|
|
}
|