Files
worldmonitor/scripts/seed-gie-gas-storage.mjs
Elie Habib b6847e5214 feat(feeds): GIE AGSI+ EU gas storage seeder (#2281) (#2339)
* feat(feeds): GIE AGSI+ EU gas storage seeder — European energy security indicator (#2281)

- New scripts/seed-gie-gas-storage.mjs: fetches EU aggregate gas storage fill % from GIE AGSI+ API, computes 1-day change, trend (injecting/withdrawing/stable), and days-of-consumption estimate; TTL=259200s (3x daily); isMain guard; CHROME_UA; validates fillPct in (0,100]; graceful degradation when GIE_API_KEY absent
- New proto/worldmonitor/economic/v1/get_eu_gas_storage.proto + GetEuGasStorage RPC wired into EconomicService
- New server/worldmonitor/economic/v1/get-eu-gas-storage.ts handler (reads seeded Redis key)
- api/health.js: BOOTSTRAP_KEYS + SEED_META (maxStaleMin=2880, 2x daily cadence)
- api/bootstrap.js: euGasStorage key in SLOW_KEYS bucket
- Regenerated src/generated/ + docs/api/ via make generate

* fix(feeds): wire euGasStorage into cache-keys, gateway tier, and test PENDING_CONSUMERS

- server/_shared/cache-keys.ts: add euGasStorage → economic:eu-gas-storage:v1 (slow tier)
- server/gateway.ts: add /api/economic/v1/get-eu-gas-storage → slow RPC_CACHE_TIER
- tests/bootstrap.test.mjs: add euGasStorage to PENDING_CONSUMERS (no frontend panel yet)

* fix(gie-gas-storage): normalize seededAt to string to match proto int64 contract

Proto int64 seeded_at maps to string in JS; seed was writing Date.now() (number).
Fix seed to write String(Date.now()) and add handler-side normalization for any
stale Redis entries that may have the old numeric format.

* fix(feeds): coerce nullable fillPctChange1d/gasDaysConsumption to 0 (#2281)

Greptile P1: both fields could be null (single data-point run or missing
volume) but the proto interface declares them as non-optional numbers.
Seed script now returns 0 instead of null; handler defensively coerces
nulls from older cached blobs via nullish coalescing. Dead null-guard on
trend derivation also removed.
2026-03-27 10:50:20 +04:00

136 lines
4.1 KiB
JavaScript
Raw Blame History

This file contains ambiguous Unicode characters
This file contains Unicode characters that might be confused with other characters. If you think that this is intentional, you can safely ignore this warning. Use the Escape button to reveal them.
#!/usr/bin/env node
import { loadEnvFile, CHROME_UA, runSeed } from './_seed-utils.mjs';
loadEnvFile(import.meta.url);
const CANONICAL_KEY = 'economic:eu-gas-storage:v1';
const TTL = 259200; // 3× daily (86400s/day)
const GIE_API_BASE = 'https://agsi.gie.eu/api';
async function fetchGieData(params) {
const apiKey = process.env.GIE_API_KEY || process.env.AGSI_API_KEY || '';
const url = `${GIE_API_BASE}?${params.toString()}`;
const headers = {
Accept: 'application/json',
'User-Agent': CHROME_UA,
};
if (apiKey) headers['x-key'] = apiKey;
const resp = await fetch(url, {
headers,
signal: AbortSignal.timeout(15_000),
});
if (!resp.ok) {
const body = await resp.text().catch(() => '');
throw new Error(`GIE AGSI+ HTTP ${resp.status}: ${body.slice(0, 200)}`);
}
return resp.json();
}
function parseFillEntry(entry) {
const fill = parseFloat(entry.full ?? entry.fillLevel ?? entry.pct ?? '0');
const gwh = parseFloat(entry.gasInStorage ?? entry.gasTwh ?? entry.volume ?? '0');
const date = entry.gasDayStart ?? entry.date ?? '';
return { fill, gwh, date };
}
async function fetchEuGasStorage() {
const apiKey = process.env.GIE_API_KEY || process.env.AGSI_API_KEY || '';
if (!apiKey) {
console.warn(' WARNING: GIE_API_KEY / AGSI_API_KEY not set — attempting unauthenticated request');
}
// Fetch latest 5 days of EU aggregate data
const latestParams = new URLSearchParams({ type: 'eu', size: '5' });
const latestData = await fetchGieData(latestParams);
// AGSI+ returns { data: [...], name, code, url, type } at the root
let entries = [];
if (Array.isArray(latestData)) {
entries = latestData;
} else if (Array.isArray(latestData?.data)) {
entries = latestData.data;
} else if (latestData?.gasDayStart) {
entries = [latestData];
}
if (!entries.length) {
throw new Error('GIE AGSI+: empty data array in response');
}
// Sort by date descending (most recent first)
entries.sort((a, b) => {
const da = a.gasDayStart ?? a.date ?? '';
const db = b.gasDayStart ?? b.date ?? '';
return db.localeCompare(da);
});
const current = parseFillEntry(entries[0]);
const previous = entries.length > 1 ? parseFillEntry(entries[1]) : null;
const fillPct = current.fill;
if (!Number.isFinite(fillPct) || fillPct <= 0 || fillPct > 100) {
throw new Error(`GIE AGSI+: invalid fillPct=${fillPct} (expected 0100)`);
}
const fillPctChange1d = previous !== null ? +(fillPct - previous.fill).toFixed(2) : 0;
// Derive trend from 1d change
let trend = 'stable';
if (fillPctChange1d > 0.05) trend = 'injecting';
else if (fillPctChange1d < -0.05) trend = 'withdrawing';
// Approximate days of consumption — standard EU working gas volume ~1100 TWh
// Days = storage_gwh / (total_capacity_gwh * seasonal_avg_drawdown_per_day)
// Simple heuristic: storage_gwh / ~18 TWh/day EU avg winter consumption
const gasDaysConsumption = current.gwh > 0
? +(current.gwh / 18).toFixed(1)
: 0;
// Build 5-day history
const history = entries.map(e => {
const p = parseFillEntry(e);
return {
date: p.date,
fillPct: +(p.fill.toFixed(2)),
gasTwh: +(p.gwh.toFixed(1)),
};
});
const result = {
fillPct: +(fillPct.toFixed(2)),
fillPctChange1d,
gasDaysConsumption,
trend,
history,
seededAt: String(Date.now()),
updatedAt: current.date,
};
console.log(` EU gas storage: fill=${result.fillPct}%, change1d=${result.fillPctChange1d}, trend=${result.trend}`);
return result;
}
function validate(data) {
if (!data || typeof data !== 'object') return false;
const fill = data.fillPct;
return typeof fill === 'number' && Number.isFinite(fill) && fill > 0 && fill <= 100;
}
const isMain = process.argv[1]?.endsWith('seed-gie-gas-storage.mjs');
if (isMain) {
runSeed('economic', 'eu-gas-storage', CANONICAL_KEY, fetchEuGasStorage, {
validateFn: validate,
ttlSeconds: TTL,
sourceVersion: 'gie-agsi-plus',
}).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);
});
}