Files
worldmonitor/api/sanctions-entity-search.js
Elie Habib 3321069fb3 feat(sanctions): entity lookup index + OpenSanctions search (#2042) (#2085)
* feat(sanctions): entity lookup index + OpenSanctions search (#2042)

* fix: guard tokens[0] access in sanctions lookup

* fix: use createIpRateLimiter pattern in sanctions-entity-search

* fix: add sanctions-entity-search to allowlist and cache tier

* fix: add LookupSanctionEntity RPC to service.proto, regenerate

* fix(sanctions): strip _entityIndex/_state from main key publish, guard limit NaN

P0: seed-sanctions-pressure was writing the full _entityIndex array and _state
snapshot into sanctions:pressure:v1 because afterPublish runs after atomicPublish.
Add publishTransform to strip both fields before the main key write so the
pressure payload stays compact; afterPublish and extraKeys still receive the full
data object and write the correct separate keys.

P1: limit param in sanctions-entity-search edge function passed NaN to OpenSanctions
when a non-numeric value was supplied. Fix with Number.isFinite guard.

P2: add 200-char max length on q param to prevent oversized upstream requests.

* fix(sanctions): maxStaleMin 2x interval, no-store on entity search

health.js: 720min (1x) → 1440min (2x) for both sanctionsPressure and
sanctionsEntities. A single missed 12h cron was immediately flagging stale.

sanctions-entity-search.js: Cache-Control public → no-store. Sanctions
lookups include compliance-sensitive names in the query string; public
caching would have logged/stored these at CDN/proxy layer.
2026-03-23 19:38:11 +04:00

89 lines
3.0 KiB
JavaScript

// Edge function: on-demand OpenSanctions entity search (Phase 2 — issue #2042).
// Proxies to https://api.opensanctions.org — no auth required for basic search.
// Merges results with OFAC via the RPC lookup endpoint for a unified response.
export const config = { runtime: 'edge' };
import { createIpRateLimiter } from './_ip-rate-limit.js';
import { jsonResponse } from './_json-response.js';
import { getClientIp } from './_turnstile.js';
const OPENSANCTIONS_BASE = 'https://api.opensanctions.org';
const OPENSANCTIONS_TIMEOUT_MS = 8_000;
const MAX_RESULTS = 20;
const rateLimiter = createIpRateLimiter({ limit: 30, windowMs: 60_000 });
function normalizeEntity(hit) {
const props = hit.properties ?? {};
const name = (props.name ?? [hit.caption]).filter(Boolean)[0] ?? '';
const countries = props.country ?? props.nationality ?? [];
const programs = props.program ?? props.sanctions ?? [];
const schema = hit.schema ?? '';
let entityType = 'entity';
if (schema === 'Vessel') entityType = 'vessel';
else if (schema === 'Aircraft') entityType = 'aircraft';
else if (schema === 'Person') entityType = 'individual';
return {
id: `opensanctions:${hit.id}`,
name,
entityType,
countryCodes: countries.slice(0, 3),
programs: programs.slice(0, 3),
datasets: hit.datasets ?? [],
score: hit.score ?? 0,
};
}
export default async function handler(req) {
const ip = getClientIp(req);
if (rateLimiter.isRateLimited(ip)) {
return jsonResponse({ error: 'Too many requests' }, 429);
}
const { searchParams } = new URL(req.url);
const q = (searchParams.get('q') ?? '').trim();
if (!q || q.length < 2) {
return jsonResponse({ error: 'q must be at least 2 characters' }, 400);
}
if (q.length > 200) {
return jsonResponse({ error: 'q must be at most 200 characters' }, 400);
}
const limitRaw = Number(searchParams.get('limit') ?? '10');
const limit = Math.min(Number.isFinite(limitRaw) && limitRaw > 0 ? Math.trunc(limitRaw) : 10, MAX_RESULTS);
try {
const url = new URL(`${OPENSANCTIONS_BASE}/search/default`);
url.searchParams.set('q', q);
url.searchParams.set('limit', String(limit));
const resp = await fetch(url.toString(), {
headers: {
'User-Agent': 'WorldMonitor/1.0 sanctions-search',
Accept: 'application/json',
},
signal: AbortSignal.timeout(OPENSANCTIONS_TIMEOUT_MS),
});
if (!resp.ok) {
return jsonResponse({ results: [], total: 0, source: 'opensanctions', error: `upstream HTTP ${resp.status}` }, 200);
}
const data = await resp.json();
const results = (data.results ?? []).map(normalizeEntity);
return jsonResponse({
results,
total: data.total?.value ?? results.length,
source: 'opensanctions',
}, 200, { 'Cache-Control': 'no-store' });
} catch (err) {
const message = err instanceof Error ? err.message : String(err);
return jsonResponse({ results: [], total: 0, source: 'opensanctions', error: message }, 200);
}
}