Module:HatchMinistryDailyOps

From MicrasWiki
Revision as of 00:06, 30 December 2025 by NewZimiaGov (talk | contribs)
Jump to navigationJump to search

Documentation for this module may be created at Module:HatchMinistryDailyOps/doc

-- Module:HatchMinistryDailyOps
-- Daily (PSSC-calendar keyed) ops schedule for Hatch Ministry privateers.
-- Deterministic per-day output (no math.random / no os.time seeding).
--
-- Calendar:
--  • Module:BassaridianCalendar (returns a formatted date string; we parse year/dayOfYear)

local p = {}

local cal = require('Module:BassaridianCalendar')

local DAYS_IN_YEAR = 183

--------------------------------------------------------------------------------
-- 0) COASTAL CITIES (mirrors Module:GeneralPortOperations)
--------------------------------------------------------------------------------
local cities = {
  "Aegirheim","Skýrophos","Bjornopolis","Norsolyra","Ephyra",
  "Symphonara","Delphica","Vaeringheim","Somniumpolis",
  "Keybir-Aviv","Sufriya","Jogi","Ardclach","Riddersborg"
}

local function normalizeForFlag(name)
  return (name or "")
    :gsub("[%s%-’]", "")
    :gsub("[Áá]", "A"):gsub("[Éé]", "E")
    :gsub("[Íí]", "I"):gsub("[Óó]", "O")
    :gsub("[Úú]", "U"):gsub("[Ýý]", "Y")
end

local cityFlag = {}
for _, name in ipairs(cities) do
  cityFlag[name] = string.format("[[File:%sFlag.png|20px]]", normalizeForFlag(name))
end
-- explicit override used elsewhere on your wiki
cityFlag["Skýrophos"] = "[[File:SkyrophosFlag.png|20px]]"

local function cityLink(name)
  return string.format("[[List of cities in Bassaridia Vaeringheim#%s|%s]]", name, name)
end

--------------------------------------------------------------------------------
-- 1) ACTIVE PRIVATEERS (mirrors Module:GeneralPortOperations)
--------------------------------------------------------------------------------
local privateers = {
  {first="Arion",     last="Theron"},
  {first="Cassius",   last="Valerus"},
  {first="Nefra",     last="Sekeri",    nick="Sekhem"},
  {first="Lysander",  last="Pallas"},
  {first="Marwan",    last="Othman"},
  {first="Octavia",   last="Marcellus"},
  {first="Amenhotep", last="Ankhu"},
  {first="Thalia",    last="Chrysos"},
  {first="Demetrius", last="Gravis"},
  {first="Selim",     last="Bey"},
  {first="Julius",    last="Drusus"},
  {first="Leyla",     last="Han"},
  {first="Marcus",    last="Flavianus"},
  {first="Fatima",    last="Pasha"},
  {first="Cornelia",  last="Urbanus"}, -- Minister-Captain
  {first="Eudora",    last="Merit"},
  {first="Perseus",   last="Phoebus"},
  {first="Khepri",    last="Sobek"},
  {first="Lucius",    last="Aurelian"},
  {first="Aisha",     last="Dinar"},
  {first="Gaius",     last="Cassianus"},
  {first="Selene",    last="Argus"},
  {first="Arsinoe",   last="Menkaure"},
  {first="Omar",      last="Zahir"},
  {first="Dorian",    last="Grimm"},
  {first="Quintus",   last="Nero"},
  {first="Zainab",    last="Sultan"},
  {first="Cassian",   last="Corinth"},
  {first="Valeria",   last="Maximus",   nick="Ferox"},
  {first="Thorne",    last="Noctis",    nick="Mainomenos"}
}

local function privateerFlag(last)
  return string.format("[[File:%s.png|20px]]", last)
end

local function privateerNameRow(c)
  if c.nick then
    return string.format("Captain %s ''‘%s’'' %s", c.first, c.nick, c.last)
  end
  return string.format("Captain %s %s", c.first, c.last)
end

--------------------------------------------------------------------------------
-- 2) CALENDAR PARSING
--------------------------------------------------------------------------------
local function parseCalendarString(s)
  if type(s) ~= "string" then return nil end
  local dayOfYear, month, year = s:match("^(%d+),%s+([%a]+)%s+%b()%s*,%s*(%d+)%s+PSSC")
  if dayOfYear and year then
    return tonumber(year), tonumber(dayOfYear), month
  end
  return nil
end

local function extractEventText(s)
  if type(s) ~= "string" then return "" end
  local ev = s:match("PSSC%s+–%s+(.-)%s+–%s+Proverb:")
  return ev or ""
end

local function getCurrentYDOY()
  local s = cal.getCurrentDate()
  local y, doy, month = parseCalendarString(s)
  if not y or not doy then
    -- If your calendar string format ever changes, this prevents hard-failure.
    y, doy, month = 0, 1, ""
    s = tostring(s or "")
  end
  return y, doy, month, s, extractEventText(s)
end

--------------------------------------------------------------------------------
-- 3) DETERMINISTIC HASH + RNG (NO bit32)
--------------------------------------------------------------------------------
local function hash31(str)
  -- rolling hash mod 2^31-1 (safe integer range in Lua double)
  local h = 0
  for i = 1, #str do
    h = (h * 131 + str:byte(i)) % 2147483647
  end
  return h
end

local function lcg(seed)
  local s = seed % 2147483647
  if s <= 0 then s = s + 2147483646 end
  return function()
    s = (1103515245 * s + 12345) % 2147483647
    return s
  end
end

local function rand01(nextInt)
  return nextInt() / 2147483647
end

local function pickFromList(nextInt, list, avoidValue)
  if #list == 0 then return nil end
  if #list == 1 then return list[1] end
  local tries = 0
  while tries < 12 do
    local idx = (nextInt() % #list) + 1
    local v = list[idx]
    if v ~= avoidValue then return v end
    tries = tries + 1
  end
  for _, v in ipairs(list) do
    if v ~= avoidValue then return v end
  end
  return list[1]
end

--------------------------------------------------------------------------------
-- 4) REGIONAL CLUSTERS (bias “near home”)
--------------------------------------------------------------------------------
local clusters = {
  North   = {"Aegirheim","Bjornopolis","Norsolyra","Ephyra","Ardclach","Riddersborg"},
  Central = {"Symphonara","Delphica","Vaeringheim","Somniumpolis"},
  South   = {"Keybir-Aviv","Sufriya","Jogi"},
  Jangsong= {"Skýrophos","Jogi","Ardclach","Riddersborg"}
}

local function clusterForCity(city)
  for cname, list in pairs(clusters) do
    for _, v in ipairs(list) do
      if v == city then return cname end
    end
  end
  return "Central"
end

--------------------------------------------------------------------------------
-- 5) TASK LIBRARY (EXPANDED: 20 per pool)
--------------------------------------------------------------------------------
local tasks_general = {
  "Convoy escort and corridor clearing for registered merchant traffic, enforcing registry sequence and predictable passage.",
  "VBSS surge and manifest verification, with heightened scrutiny for cargo mislabeling, forged papers, and transshipment laundering.",
  "Interdiction patrol against small-craft logistics supporting anti-corridor insurgent networks, with evidence handling and detainee processing discipline.",
  "Lane assurance work in the approaches and harbor margins, including buoy checks, beacon verification, and channel safety enforcement.",
  "Counter-smuggling sweep focused on contraband arms, unregistered ritual cargo, and false-cleared Temple consignments.",
  "Rapid-response security support to local authorities for port unrest, quarantine enforcement, and rumor-driven crowd surges.",
  "Search-and-rescue readiness patrol with debris clearance coordination and temporary berth control during incidents.",
  "Liaison rotation with Temple and civic screening teams for morale discipline, rumor containment, and compliance reinforcement.",
  "Night interception detail targeting unlit runners and coastal-shadowing craft attempting to bypass inspection windows.",
  "Port-entry queue control and traffic metering to prevent berth chaos, including stand-off enforcement for noncompliant hulls.",
  "Evidence convoy to a War League intake point, transporting seized cargo under chain-of-custody doctrine.",
  "Inspection of fishery convoys and cold-chain cargo for hidden compartments, false ice loads, and counterfeit seals.",
  "Anti-piracy deterrence sweep against unaffiliated raiders operating outside the registry, with warning demonstrations and capture mandates.",
  "Boarding-team readiness cycle and small-arms drill day, with emphasis on non-lethal deck control and restraint discipline.",
  "Escort for diplomatic or Temple couriers transiting the corridor, with counter-ambush screening at chokepoints.",
  "Counterfeit voucher and registry-stamp crackdown, coordinating with port clerks to identify forged paperwork patterns.",
  "Harbor-mouth overwatch with spotters to track suspicious loitering and false distress signaling near approach lanes.",
  "Quarantine cordon support for a suspected outbreak vessel, enforcing isolation lanes and controlled disembarkation sequencing.",
  "Canal approach patrol to prevent sabotage against locks, piers, and water infrastructure serving major quay districts.",
  "Training cruise with junior crews to certify boarding compliance, medical triage procedure, and detainee handling standards."
}

local tasks_north = {
  "Cold-water frontier patrol emphasizing raider deterrence, route denial, and winter-route landing site reconnaissance.",
  "Joint boarding drills and seizure-readiness for difficult-weather VBSS operations near northern chokepoints.",
  "Coastal reconnaissance for hidden coves, improvised piers, and suspected insurgent resupply anchorages.",
  "Ice-margin escort for timber and ore traffic, enforcing safe-lane passage through fog and drift hazards.",
  "Night watch against ghost-ship imitation tactics, verifying hull identity and rejecting falsified light codes.",
  "Shoreline sweep for signal cairns and illicit beacon fires used to guide runners into protected inlets.",
  "Interdiction of smugglers using river-mouth approaches to bypass port control, with shallow-draft pursuit elements.",
  "Storm-surge response patrol supporting stranded craft, hauling wreckage clear and securing debris fields.",
  "Border-proximity deterrence demonstration near contested approaches, emphasizing corridor sovereignty by presence.",
  "Winter-route courier interception, targeting clandestine messages and route-maps carried by sled-ship tenders.",
  "Harbor freeze management patrol, coordinating icebreaking assistance and preventing dock congestion escalation.",
  "Recon of abandoned fortlets and cliff ladders used as clandestine landing infrastructure during past campaigns.",
  "Counter-insurgent sweep for hidden fuel caches, rope ladders, and cliff-staged supply bundles along rugged coasts.",
  "Escort for refugee or evacuation flotillas under strict sequencing, preventing infiltration by hostile agents.",
  "Mine-scare verification patrol, conducting lane checks after rumor events to restore merchant confidence.",
  "Long-range patrol to discourage unaffiliated privateer predation in the far approaches, enforcing registry legitimacy.",
  "Cooperation drill with local militia garrisons, practicing shore-to-ship handover for detainees and seized cargo.",
  "Watch for cult-linked winter rites that trigger crowd movement to the waterfront, providing calm enforcement presence.",
  "Signal interception and direction-finding patrol to locate clandestine transmitters along ridge or lighthouse ruins.",
  "Post-incident audit run, rechecking logs and witness statements after a northern skirmish to prevent rumor spirals."
}

local tasks_south = {
  "Southern straits checkpoint enforcement with ro-ro ramp inspections and explosive-risk screening of container traffic.",
  "Interdiction of fast skiffs and disguised cargo dhows, prioritizing weapons leakage and clandestine courier movement.",
  "Escort for high-value shipments transiting the southern corridor under strict queue and inspection timing.",
  "Harbor perimeter patrol to prevent diver sabotage and underwater placement of charges near pylons and ramps.",
  "Container seal audit and weigh-station verification to catch false tare weights, decoy loads, and swapped manifests.",
  "Crowd-control augmentation during market surges, keeping inspection lanes clear and preventing quay-side crush incidents.",
  "Escort of fuel barges and repair tenders supporting corridor craft, with anti-ambush screen along shallow approaches.",
  "Contraband sweep for dream-lure substances moving through coastal markets, enforcing seizure doctrine.",
  "Anti-bribery integrity patrol, rotating boarding teams and recording interactions to deter corrupt gatekeeping.",
  "Recon of mangrove or reed margins used for low-visibility transfers, with shallow pursuit and night optics.",
  "VBSS focus on ro-ro decks and vehicle bays, inspecting hidden compartments, false bulkheads, and modified ramps.",
  "Disruption of staged distress calls used to pull patrols off-lane, verifying authenticity before committing assets.",
  "Escort of pilgrim or festival traffic through the southern corridor, enforcing timed windows and calm procedure.",
  "Coastal deterrence posture near known runner routes, signaling denial without escalation to open combat.",
  "Port-rail interface security support, screening containers that transfer directly from quay to inland corridors.",
  "Undercover observation run in nearshore traffic, tracking suspected broker craft coordinating smuggling rendezvous.",
  "EOD stand-by and cordon enforcement after discovery of suspect packages at ramps or quayside warehouses.",
  "Inspection of refrigerated cargo for false panels and hidden stowaways, coordinating safe medical screening.",
  "Short-notice escort requested by port authorities after a threat bulletin, maintaining corridor credibility by response speed.",
  "Post-seizure handling and auction transfer escort, moving confiscated goods to authorized holdings under paperwork discipline."
}

local tasks_central = {
  "Canal and harbor security rotation supporting administrative traffic and registry enforcement near central corridor hubs.",
  "Inspection coordination with port clerks and Temple auditors to reduce queue-time without relaxing compliance standards.",
  "Ritual cargo verification support with enforcement of pre-clearance doctrine and holding protocols.",
  "Canal-lock security sweep to deter sabotage of gates, chains, and control houses serving high-traffic waterways.",
  "Escort for administrative barges and registry couriers moving between major quays and oversight offices.",
  "Dockside patrol targeting petty theft rings and counterfeit stamp sellers preying on merchant queues.",
  "Controlled berth allocation support during peak arrivals, enforcing order of entry and preventing berth disputes.",
  "Liaison patrol with Temple Bank clerks for high-value transfers, verifying seals and escorting to secure vault quays.",
  "Canal bridge and tunnel perimeter check, preventing illicit transfers from underpasses into restricted wharf zones.",
  "Rapid-response run to a canal incident, establishing cordons, clearing debris, and restoring navigation sequencing.",
  "Inspection of passenger ferries and canal shuttles for clandestine couriers, false identities, and concealed satchels.",
  "Citywatch coordination day, aligning waterfront patrol routes with civic policing to prevent gaps and overlaps.",
  "Harbor-mouth overwatch with spotters to identify loitering craft attempting to time entries between inspection rotations.",
  "Detainee transfer and intake coordination to a designated holding site, emphasizing calm procedure and record integrity.",
  "Compliance education pass, issuing warnings and standard notices to repeat offenders before escalatory seizure.",
  "Audit of registry anomalies flagged by clerks, conducting targeted re-boards of vessels with inconsistent logs.",
  "Escort for repair barges and dredging crews, maintaining safety perimeters while channel work proceeds.",
  "Canal-side rumor containment presence after an incident bulletin, stabilizing crowd behavior through visible order.",
  "Verification of shrine-licensed ceremonial shipments, ensuring listed rites match cargo declarations and timing windows.",
  "Training day for boarding teams in narrow-watercraft maneuvering, canal interdiction, and non-lethal deck control."
}

local function pickTask(nextInt, station)
  local pool = {}
  for _, t in ipairs(tasks_general) do table.insert(pool, t) end

  local cl = clusterForCity(station)
  if cl == "North" or cl == "Jangsong" then
    for _, t in ipairs(tasks_north) do table.insert(pool, t) end
  elseif cl == "South" then
    for _, t in ipairs(tasks_south) do table.insert(pool, t) end
  else
    for _, t in ipairs(tasks_central) do table.insert(pool, t) end
  end

  return pickFromList(nextInt, pool, nil) or "Standard patrol and compliance enforcement."
end

--------------------------------------------------------------------------------
-- 6) ASSIGNMENT MODEL (station blocks of 7–14 days)
--------------------------------------------------------------------------------
local function homeCityForCaptain(cap)
  local key = (cap.last or "") .. "|" .. (cap.first or "")
  local idx = (hash31(key) % #cities) + 1
  return cities[idx]
end

local function blockLenForCaptain(cap)
  local key = "len|" .. (cap.last or "") .. "|" .. (cap.first or "")
  return 7 + (hash31(key) % 8) -- 7..14
end

local function stationForBlock(cap, blockIndex)
  local key = string.format("station|%s|%s|%d", cap.last or "", cap.first or "", blockIndex)
  local nextInt = lcg(hash31(key))

  local home = homeCityForCaptain(cap)
  local cl = clusterForCity(home)
  local localList = clusters[cl] or clusters.Central

  local r = rand01(nextInt)
  if r < 0.65 then
    return home
  elseif r < 0.92 then
    return pickFromList(nextInt, localList, home) or home
  else
    return pickFromList(nextInt, cities, home) or home
  end
end

local function todaysAssignment(cap, year, dayOfYear, eventText)
  local absDay = year * DAYS_IN_YEAR + dayOfYear

  local blockLen = blockLenForCaptain(cap)
  local offset = hash31("off|" .. (cap.last or "") .. "|" .. (cap.first or "")) % blockLen
  local blockIndex = math.floor((absDay + offset) / blockLen)
  local dayInBlock = ((absDay + offset) % blockLen) + 1

  local station = stationForBlock(cap, blockIndex)
  local nextInt = lcg(hash31(string.format("task|%s|%s|%d", cap.last or "", cap.first or "", absDay)))
  local task = pickTask(nextInt, station)

  if dayInBlock == 1 then
    task = "Redeployment and patrol initiation: " .. task
  elseif dayInBlock == blockLen then
    task = "Handover and corridor reset: " .. task
  end

  if eventText and eventText ~= "" then
    local tag = "%[" .. station:gsub("(%W)","%%%1") .. "%]"
    if eventText:match(tag) then
      task = task .. " Festival and crowd-control augmentation in support of scheduled civic observances."
    end
  end

  if cap.last == "Urbanus" and cap.first == "Cornelia" then
    task = "Minister-Captain coordination: liaison with port clerks and Temple auditors; " .. task
  end

  return {
    home = homeCityForCaptain(cap),
    station = station,
    blockLen = blockLen,
    dayInBlock = dayInBlock,
    task = task
  }
end

--------------------------------------------------------------------------------
-- 7) OUTPUT
--------------------------------------------------------------------------------
function p.dailyReport(frame)
  local args = (frame and frame.args) or {}
  local y, doy, month, calStr, eventText = getCurrentYDOY()

  if args.year and args.day then
    local yy = tonumber(args.year)
    local dd = tonumber(args.day)
    if yy and dd and dd >= 1 and dd <= DAYS_IN_YEAR then
      y, doy = yy, dd
    end
  end

  local out = {}
  table.insert(out, string.format("'''Hatch Ministry Daily Operations – Day %d, Year %d PSSC'''", doy, y))
  if calStr and calStr ~= "" then
    table.insert(out, "''Calendar:'' " .. calStr)
  end

  table.insert(out, '{| class="wikitable sortable"')
  table.insert(out, '! Privateer Flag !! Captain !! Home City !! Current Station !! Rotation !! Today\'s Activity')

  for _, cap in ipairs(privateers) do
    local a = todaysAssignment(cap, y, doy, eventText)

    local pFlag = privateerFlag(cap.last)
    local name = privateerNameRow(cap)

    local homeCell = (cityFlag[a.home] or "") .. " " .. cityLink(a.home)
    local stationCell = (cityFlag[a.station] or "") .. " " .. cityLink(a.station)
    local rot = string.format("%d/%d", a.dayInBlock, a.blockLen)

    table.insert(out, '|-')
    table.insert(out, string.format('| %s || %s || %s || %s || %s || %s', pFlag, name, homeCell, stationCell, rot, a.task))
  end

  table.insert(out, '|}')
  return table.concat(out, "\n")
end

return p