#include "addons/lua_engine.hpp" #include "game/game_handler.hpp" #include "game/entity.hpp" #include "core/logger.hpp" #include #include #include extern "C" { #include #include #include } namespace wowee::addons { // Retrieve GameHandler pointer stored in Lua registry static game::GameHandler* getGameHandler(lua_State* L) { lua_getfield(L, LUA_REGISTRYINDEX, "wowee_game_handler"); auto* gh = static_cast(lua_touserdata(L, -1)); lua_pop(L, 1); return gh; } // WoW-compatible print() — outputs to chat window instead of stdout static int lua_wow_print(lua_State* L) { int nargs = lua_gettop(L); std::string result; for (int i = 1; i <= nargs; i++) { if (i > 1) result += '\t'; // Lua 5.1: use lua_tostring (luaL_tolstring is 5.3+) if (lua_isstring(L, i) || lua_isnumber(L, i)) { const char* s = lua_tostring(L, i); if (s) result += s; } else if (lua_isboolean(L, i)) { result += lua_toboolean(L, i) ? "true" : "false"; } else if (lua_isnil(L, i)) { result += "nil"; } else { result += lua_typename(L, lua_type(L, i)); } } auto* gh = getGameHandler(L); if (gh) { game::MessageChatData msg; msg.type = game::ChatType::SYSTEM; msg.language = game::ChatLanguage::UNIVERSAL; msg.message = result; gh->addLocalChatMessage(msg); } LOG_INFO("[Lua] ", result); return 0; } // WoW-compatible message() — same as print for now static int lua_wow_message(lua_State* L) { return lua_wow_print(L); } // Helper: get player Unit from game handler static game::Unit* getPlayerUnit(lua_State* L) { auto* gh = getGameHandler(L); if (!gh) return nullptr; auto entity = gh->getEntityManager().getEntity(gh->getPlayerGuid()); if (!entity) return nullptr; return dynamic_cast(entity.get()); } // Helper: resolve "player", "target", "focus", "pet" unit IDs to entity static game::Unit* resolveUnit(lua_State* L, const char* unitId) { auto* gh = getGameHandler(L); if (!gh || !unitId) return nullptr; std::string uid(unitId); for (char& c : uid) c = static_cast(std::tolower(static_cast(c))); uint64_t guid = 0; if (uid == "player") guid = gh->getPlayerGuid(); else if (uid == "target") guid = gh->getTargetGuid(); else if (uid == "focus") guid = gh->getFocusGuid(); else if (uid == "pet") guid = gh->getPetGuid(); else return nullptr; if (guid == 0) return nullptr; auto entity = gh->getEntityManager().getEntity(guid); if (!entity) return nullptr; return dynamic_cast(entity.get()); } // --- WoW Unit API --- static int lua_UnitName(lua_State* L) { const char* uid = luaL_optstring(L, 1, "player"); auto* unit = resolveUnit(L, uid); if (unit && !unit->getName().empty()) { lua_pushstring(L, unit->getName().c_str()); } else { lua_pushstring(L, "Unknown"); } return 1; } static int lua_UnitHealth(lua_State* L) { const char* uid = luaL_optstring(L, 1, "player"); auto* unit = resolveUnit(L, uid); lua_pushnumber(L, unit ? unit->getHealth() : 0); return 1; } static int lua_UnitHealthMax(lua_State* L) { const char* uid = luaL_optstring(L, 1, "player"); auto* unit = resolveUnit(L, uid); lua_pushnumber(L, unit ? unit->getMaxHealth() : 0); return 1; } static int lua_UnitPower(lua_State* L) { const char* uid = luaL_optstring(L, 1, "player"); auto* unit = resolveUnit(L, uid); lua_pushnumber(L, unit ? unit->getPower() : 0); return 1; } static int lua_UnitPowerMax(lua_State* L) { const char* uid = luaL_optstring(L, 1, "player"); auto* unit = resolveUnit(L, uid); lua_pushnumber(L, unit ? unit->getMaxPower() : 0); return 1; } static int lua_UnitLevel(lua_State* L) { const char* uid = luaL_optstring(L, 1, "player"); auto* unit = resolveUnit(L, uid); lua_pushnumber(L, unit ? unit->getLevel() : 0); return 1; } static int lua_UnitExists(lua_State* L) { const char* uid = luaL_optstring(L, 1, "player"); auto* unit = resolveUnit(L, uid); lua_pushboolean(L, unit != nullptr); return 1; } static int lua_UnitIsDead(lua_State* L) { const char* uid = luaL_optstring(L, 1, "player"); auto* unit = resolveUnit(L, uid); lua_pushboolean(L, unit && unit->getHealth() == 0); return 1; } static int lua_UnitClass(lua_State* L) { const char* uid = luaL_optstring(L, 1, "player"); auto* gh = getGameHandler(L); auto* unit = resolveUnit(L, uid); if (unit && gh) { static const char* kClasses[] = {"", "Warrior","Paladin","Hunter","Rogue","Priest", "Death Knight","Shaman","Mage","Warlock","","Druid"}; uint8_t classId = 0; // For player, use character data; for others, use UNIT_FIELD_BYTES_0 std::string uidStr(uid); for (char& c : uidStr) c = static_cast(std::tolower(static_cast(c))); if (uidStr == "player") classId = gh->getPlayerClass(); const char* name = (classId < 12) ? kClasses[classId] : "Unknown"; lua_pushstring(L, name); lua_pushstring(L, name); // WoW returns localized + English lua_pushnumber(L, classId); return 3; } lua_pushstring(L, "Unknown"); lua_pushstring(L, "Unknown"); lua_pushnumber(L, 0); return 3; } // --- Player/Game API --- static int lua_GetMoney(lua_State* L) { auto* gh = getGameHandler(L); lua_pushnumber(L, gh ? static_cast(gh->getMoneyCopper()) : 0.0); return 1; } static int lua_IsInGroup(lua_State* L) { auto* gh = getGameHandler(L); lua_pushboolean(L, gh && gh->isInGroup()); return 1; } static int lua_IsInRaid(lua_State* L) { auto* gh = getGameHandler(L); lua_pushboolean(L, gh && gh->isInGroup() && gh->getPartyData().groupType == 1); return 1; } static int lua_GetPlayerMapPosition(lua_State* L) { auto* gh = getGameHandler(L); if (gh) { const auto& mi = gh->getMovementInfo(); lua_pushnumber(L, mi.x); lua_pushnumber(L, mi.y); return 2; } lua_pushnumber(L, 0); lua_pushnumber(L, 0); return 2; } static int lua_UnitRace(lua_State* L) { auto* gh = getGameHandler(L); if (!gh) { lua_pushstring(L, "Unknown"); return 1; } std::string uid(luaL_optstring(L, 1, "player")); for (char& c : uid) c = static_cast(std::tolower(static_cast(c))); if (uid == "player") { uint8_t race = gh->getPlayerRace(); static const char* kRaces[] = {"","Human","Orc","Dwarf","Night Elf","Undead", "Tauren","Gnome","Troll","","Blood Elf","Draenei"}; lua_pushstring(L, (race < 12) ? kRaces[race] : "Unknown"); return 1; } lua_pushstring(L, "Unknown"); return 1; } static int lua_UnitPowerType(lua_State* L) { const char* uid = luaL_optstring(L, 1, "player"); auto* unit = resolveUnit(L, uid); if (unit) { lua_pushnumber(L, unit->getPowerType()); static const char* kPowerNames[] = {"MANA","RAGE","FOCUS","ENERGY","HAPPINESS","","RUNIC_POWER"}; uint8_t pt = unit->getPowerType(); lua_pushstring(L, (pt < 7) ? kPowerNames[pt] : "MANA"); return 2; } lua_pushnumber(L, 0); lua_pushstring(L, "MANA"); return 2; } static int lua_GetNumGroupMembers(lua_State* L) { auto* gh = getGameHandler(L); lua_pushnumber(L, gh ? gh->getPartyData().memberCount : 0); return 1; } static int lua_UnitGUID(lua_State* L) { const char* uid = luaL_optstring(L, 1, "player"); auto* gh = getGameHandler(L); if (!gh) { lua_pushnil(L); return 1; } std::string uidStr(uid); for (char& c : uidStr) c = static_cast(std::tolower(static_cast(c))); uint64_t guid = 0; if (uidStr == "player") guid = gh->getPlayerGuid(); else if (uidStr == "target") guid = gh->getTargetGuid(); else if (uidStr == "focus") guid = gh->getFocusGuid(); else if (uidStr == "pet") guid = gh->getPetGuid(); if (guid == 0) { lua_pushnil(L); return 1; } char buf[32]; snprintf(buf, sizeof(buf), "0x%016llX", (unsigned long long)guid); lua_pushstring(L, buf); return 1; } static int lua_UnitIsPlayer(lua_State* L) { const char* uid = luaL_optstring(L, 1, "player"); auto* gh = getGameHandler(L); if (!gh) { lua_pushboolean(L, 0); return 1; } std::string uidStr(uid); for (char& c : uidStr) c = static_cast(std::tolower(static_cast(c))); uint64_t guid = 0; if (uidStr == "player") guid = gh->getPlayerGuid(); else if (uidStr == "target") guid = gh->getTargetGuid(); else if (uidStr == "focus") guid = gh->getFocusGuid(); auto entity = guid ? gh->getEntityManager().getEntity(guid) : nullptr; lua_pushboolean(L, entity && entity->getType() == game::ObjectType::PLAYER); return 1; } static int lua_InCombatLockdown(lua_State* L) { auto* gh = getGameHandler(L); lua_pushboolean(L, gh && gh->isInCombat()); return 1; } // UnitBuff(unitId, index) / UnitDebuff(unitId, index) // Returns: name, rank, icon, count, debuffType, duration, expirationTime, caster, isStealable, shouldConsolidate, spellId static int lua_UnitAura(lua_State* L, bool wantBuff) { auto* gh = getGameHandler(L); if (!gh) { lua_pushnil(L); return 1; } const char* uid = luaL_optstring(L, 1, "player"); int index = static_cast(luaL_optnumber(L, 2, 1)); if (index < 1) { lua_pushnil(L); return 1; } std::string uidStr(uid); for (char& c : uidStr) c = static_cast(std::tolower(static_cast(c))); const std::vector* auras = nullptr; if (uidStr == "player") auras = &gh->getPlayerAuras(); else if (uidStr == "target") auras = &gh->getTargetAuras(); if (!auras) { lua_pushnil(L); return 1; } // Filter to buffs or debuffs and find the Nth one int found = 0; for (const auto& aura : *auras) { if (aura.isEmpty() || aura.spellId == 0) continue; bool isDebuff = (aura.flags & 0x80) != 0; if (wantBuff ? isDebuff : !isDebuff) continue; found++; if (found == index) { // Return: name, rank, icon, count, debuffType, duration, expirationTime, ...spellId std::string name = gh->getSpellName(aura.spellId); lua_pushstring(L, name.empty() ? "Unknown" : name.c_str()); // name lua_pushstring(L, ""); // rank lua_pushnil(L); // icon (texture path — not implemented) lua_pushnumber(L, aura.charges); // count lua_pushnil(L); // debuffType lua_pushnumber(L, aura.maxDurationMs > 0 ? aura.maxDurationMs / 1000.0 : 0); // duration lua_pushnumber(L, 0); // expirationTime (would need absolute time) lua_pushnil(L); // caster lua_pushboolean(L, 0); // isStealable lua_pushboolean(L, 0); // shouldConsolidate lua_pushnumber(L, aura.spellId); // spellId return 11; } } lua_pushnil(L); return 1; } static int lua_UnitBuff(lua_State* L) { return lua_UnitAura(L, true); } static int lua_UnitDebuff(lua_State* L) { return lua_UnitAura(L, false); } // --- Action API --- static int lua_SendChatMessage(lua_State* L) { auto* gh = getGameHandler(L); if (!gh) return 0; const char* msg = luaL_checkstring(L, 1); const char* chatType = luaL_optstring(L, 2, "SAY"); // language arg (3) ignored — server determines language const char* target = luaL_optstring(L, 4, ""); std::string typeStr(chatType); for (char& c : typeStr) c = static_cast(std::toupper(static_cast(c))); game::ChatType ct = game::ChatType::SAY; if (typeStr == "SAY") ct = game::ChatType::SAY; else if (typeStr == "YELL") ct = game::ChatType::YELL; else if (typeStr == "PARTY") ct = game::ChatType::PARTY; else if (typeStr == "GUILD") ct = game::ChatType::GUILD; else if (typeStr == "OFFICER") ct = game::ChatType::OFFICER; else if (typeStr == "RAID") ct = game::ChatType::RAID; else if (typeStr == "WHISPER") ct = game::ChatType::WHISPER; else if (typeStr == "BATTLEGROUND") ct = game::ChatType::BATTLEGROUND; std::string targetStr(target && *target ? target : ""); gh->sendChatMessage(ct, msg, targetStr); return 0; } static int lua_CastSpellByName(lua_State* L) { auto* gh = getGameHandler(L); if (!gh) return 0; const char* name = luaL_checkstring(L, 1); if (!name || !*name) return 0; // Find highest rank of spell by name (same logic as /cast) std::string nameLow(name); for (char& c : nameLow) c = static_cast(std::tolower(static_cast(c))); uint32_t bestId = 0; int bestRank = -1; for (uint32_t sid : gh->getKnownSpells()) { std::string sn = gh->getSpellName(sid); for (char& c : sn) c = static_cast(std::tolower(static_cast(c))); if (sn != nameLow) continue; int rank = 0; const std::string& rk = gh->getSpellRank(sid); if (!rk.empty()) { std::string rkl = rk; for (char& c : rkl) c = static_cast(std::tolower(static_cast(c))); if (rkl.rfind("rank ", 0) == 0) { try { rank = std::stoi(rkl.substr(5)); } catch (...) {} } } if (rank > bestRank) { bestRank = rank; bestId = sid; } } if (bestId != 0) { uint64_t target = gh->hasTarget() ? gh->getTargetGuid() : 0; gh->castSpell(bestId, target); } return 0; } static int lua_IsSpellKnown(lua_State* L) { auto* gh = getGameHandler(L); uint32_t spellId = static_cast(luaL_checknumber(L, 1)); lua_pushboolean(L, gh && gh->getKnownSpells().count(spellId)); return 1; } static int lua_GetSpellCooldown(lua_State* L) { auto* gh = getGameHandler(L); if (!gh) { lua_pushnumber(L, 0); lua_pushnumber(L, 0); return 2; } // Accept spell name or ID uint32_t spellId = 0; if (lua_isnumber(L, 1)) { spellId = static_cast(lua_tonumber(L, 1)); } else { const char* name = luaL_checkstring(L, 1); std::string nameLow(name); for (char& c : nameLow) c = static_cast(std::tolower(static_cast(c))); for (uint32_t sid : gh->getKnownSpells()) { std::string sn = gh->getSpellName(sid); for (char& c : sn) c = static_cast(std::tolower(static_cast(c))); if (sn == nameLow) { spellId = sid; break; } } } float cd = gh->getSpellCooldown(spellId); lua_pushnumber(L, 0); // start time (not tracked precisely, return 0) lua_pushnumber(L, cd); // duration remaining return 2; } static int lua_HasTarget(lua_State* L) { auto* gh = getGameHandler(L); lua_pushboolean(L, gh && gh->hasTarget()); return 1; } // --- Frame System --- // Minimal WoW-compatible frame objects with RegisterEvent/SetScript/GetScript. // Frames are Lua tables with a metatable that provides methods. // Frame method: frame:RegisterEvent("EVENT") static int lua_Frame_RegisterEvent(lua_State* L) { luaL_checktype(L, 1, LUA_TTABLE); // self const char* eventName = luaL_checkstring(L, 2); // Get frame's registered events table (create if needed) lua_getfield(L, 1, "__events"); if (lua_isnil(L, -1)) { lua_pop(L, 1); lua_newtable(L); lua_pushvalue(L, -1); lua_setfield(L, 1, "__events"); } lua_pushboolean(L, 1); lua_setfield(L, -2, eventName); lua_pop(L, 1); // Also register in global __WoweeFrameEvents for dispatch lua_getglobal(L, "__WoweeFrameEvents"); if (lua_isnil(L, -1)) { lua_pop(L, 1); lua_newtable(L); lua_pushvalue(L, -1); lua_setglobal(L, "__WoweeFrameEvents"); } lua_getfield(L, -1, eventName); if (lua_isnil(L, -1)) { lua_pop(L, 1); lua_newtable(L); lua_pushvalue(L, -1); lua_setfield(L, -3, eventName); } // Append frame reference int len = static_cast(lua_objlen(L, -1)); lua_pushvalue(L, 1); // push frame lua_rawseti(L, -2, len + 1); lua_pop(L, 2); // pop list + __WoweeFrameEvents return 0; } // Frame method: frame:UnregisterEvent("EVENT") static int lua_Frame_UnregisterEvent(lua_State* L) { luaL_checktype(L, 1, LUA_TTABLE); const char* eventName = luaL_checkstring(L, 2); // Remove from frame's own events lua_getfield(L, 1, "__events"); if (lua_istable(L, -1)) { lua_pushnil(L); lua_setfield(L, -2, eventName); } lua_pop(L, 1); return 0; } // Frame method: frame:SetScript("handler", func) static int lua_Frame_SetScript(lua_State* L) { luaL_checktype(L, 1, LUA_TTABLE); const char* scriptType = luaL_checkstring(L, 2); // arg 3 can be function or nil lua_getfield(L, 1, "__scripts"); if (lua_isnil(L, -1)) { lua_pop(L, 1); lua_newtable(L); lua_pushvalue(L, -1); lua_setfield(L, 1, "__scripts"); } lua_pushvalue(L, 3); lua_setfield(L, -2, scriptType); lua_pop(L, 1); // Track frames with OnUpdate in __WoweeOnUpdateFrames if (strcmp(scriptType, "OnUpdate") == 0) { lua_getglobal(L, "__WoweeOnUpdateFrames"); if (!lua_istable(L, -1)) { lua_pop(L, 1); return 0; } if (lua_isfunction(L, 3)) { // Add frame to the list int len = static_cast(lua_objlen(L, -1)); lua_pushvalue(L, 1); lua_rawseti(L, -2, len + 1); } lua_pop(L, 1); } return 0; } // Frame method: frame:GetScript("handler") static int lua_Frame_GetScript(lua_State* L) { luaL_checktype(L, 1, LUA_TTABLE); const char* scriptType = luaL_checkstring(L, 2); lua_getfield(L, 1, "__scripts"); if (lua_istable(L, -1)) { lua_getfield(L, -1, scriptType); } else { lua_pushnil(L); } return 1; } // Frame method: frame:GetName() static int lua_Frame_GetName(lua_State* L) { luaL_checktype(L, 1, LUA_TTABLE); lua_getfield(L, 1, "__name"); return 1; } // Frame method: frame:Show() / frame:Hide() / frame:IsShown() / frame:IsVisible() static int lua_Frame_Show(lua_State* L) { luaL_checktype(L, 1, LUA_TTABLE); lua_pushboolean(L, 1); lua_setfield(L, 1, "__visible"); return 0; } static int lua_Frame_Hide(lua_State* L) { luaL_checktype(L, 1, LUA_TTABLE); lua_pushboolean(L, 0); lua_setfield(L, 1, "__visible"); return 0; } static int lua_Frame_IsShown(lua_State* L) { luaL_checktype(L, 1, LUA_TTABLE); lua_getfield(L, 1, "__visible"); lua_pushboolean(L, lua_toboolean(L, -1)); return 1; } // CreateFrame(frameType, name, parent, template) static int lua_CreateFrame(lua_State* L) { const char* frameType = luaL_optstring(L, 1, "Frame"); const char* name = luaL_optstring(L, 2, nullptr); (void)frameType; // All frame types use the same table structure for now // Create the frame table lua_newtable(L); // Set frame name if (name && *name) { lua_pushstring(L, name); lua_setfield(L, -2, "__name"); // Also set as a global so other addons can find it by name lua_pushvalue(L, -1); lua_setglobal(L, name); } // Set initial visibility lua_pushboolean(L, 1); lua_setfield(L, -2, "__visible"); // Apply frame metatable with methods lua_getglobal(L, "__WoweeFrameMT"); lua_setmetatable(L, -2); return 1; } // --- WoW Utility Functions --- // strsplit(delimiter, str) — WoW's string split static int lua_strsplit(lua_State* L) { const char* delim = luaL_checkstring(L, 1); const char* str = luaL_checkstring(L, 2); if (!delim[0]) { lua_pushstring(L, str); return 1; } int count = 0; std::string s(str); size_t pos = 0; while (pos <= s.size()) { size_t found = s.find(delim[0], pos); if (found == std::string::npos) { lua_pushstring(L, s.substr(pos).c_str()); count++; break; } lua_pushstring(L, s.substr(pos, found - pos).c_str()); count++; pos = found + 1; } return count; } // strtrim(str) — remove leading/trailing whitespace static int lua_strtrim(lua_State* L) { const char* str = luaL_checkstring(L, 1); std::string s(str); size_t start = s.find_first_not_of(" \t\r\n"); size_t end = s.find_last_not_of(" \t\r\n"); lua_pushstring(L, (start == std::string::npos) ? "" : s.substr(start, end - start + 1).c_str()); return 1; } // wipe(table) — clear all entries from a table static int lua_wipe(lua_State* L) { luaL_checktype(L, 1, LUA_TTABLE); // Remove all integer keys int len = static_cast(lua_objlen(L, 1)); for (int i = len; i >= 1; i--) { lua_pushnil(L); lua_rawseti(L, 1, i); } // Remove all string keys lua_pushnil(L); while (lua_next(L, 1) != 0) { lua_pop(L, 1); // pop value lua_pushvalue(L, -1); // copy key lua_pushnil(L); lua_rawset(L, 1); // table[key] = nil } lua_pushvalue(L, 1); return 1; } // date(format) — safe date function (os.date was removed) static int lua_wow_date(lua_State* L) { const char* fmt = luaL_optstring(L, 1, "%c"); time_t now = time(nullptr); struct tm* tm = localtime(&now); char buf[256]; strftime(buf, sizeof(buf), fmt, tm); lua_pushstring(L, buf); return 1; } // time() — current unix timestamp static int lua_wow_time(lua_State* L) { lua_pushnumber(L, static_cast(time(nullptr))); return 1; } // Stub for GetTime() — returns elapsed seconds static int lua_wow_gettime(lua_State* L) { static auto start = std::chrono::steady_clock::now(); auto now = std::chrono::steady_clock::now(); double elapsed = std::chrono::duration(now - start).count(); lua_pushnumber(L, elapsed); return 1; } LuaEngine::LuaEngine() = default; LuaEngine::~LuaEngine() { shutdown(); } bool LuaEngine::initialize() { if (L_) return true; L_ = luaL_newstate(); if (!L_) { LOG_ERROR("LuaEngine: failed to create Lua state"); return false; } // Open safe standard libraries (no io, os, debug, package) luaopen_base(L_); luaopen_table(L_); luaopen_string(L_); luaopen_math(L_); // Remove unsafe globals from base library const char* unsafeGlobals[] = { "dofile", "loadfile", "load", "collectgarbage", "newproxy", nullptr }; for (const char** g = unsafeGlobals; *g; ++g) { lua_pushnil(L_); lua_setglobal(L_, *g); } registerCoreAPI(); registerEventAPI(); LOG_INFO("LuaEngine: initialized (Lua 5.1)"); return true; } void LuaEngine::shutdown() { if (L_) { lua_close(L_); L_ = nullptr; LOG_INFO("LuaEngine: shut down"); } } void LuaEngine::setGameHandler(game::GameHandler* handler) { gameHandler_ = handler; if (L_) { lua_pushlightuserdata(L_, handler); lua_setfield(L_, LUA_REGISTRYINDEX, "wowee_game_handler"); } } void LuaEngine::registerCoreAPI() { // Override print() to go to chat lua_pushcfunction(L_, lua_wow_print); lua_setglobal(L_, "print"); // WoW API stubs lua_pushcfunction(L_, lua_wow_message); lua_setglobal(L_, "message"); lua_pushcfunction(L_, lua_wow_gettime); lua_setglobal(L_, "GetTime"); // Unit API static const struct { const char* name; lua_CFunction func; } unitAPI[] = { {"UnitName", lua_UnitName}, {"UnitHealth", lua_UnitHealth}, {"UnitHealthMax", lua_UnitHealthMax}, {"UnitPower", lua_UnitPower}, {"UnitPowerMax", lua_UnitPowerMax}, {"UnitLevel", lua_UnitLevel}, {"UnitExists", lua_UnitExists}, {"UnitIsDead", lua_UnitIsDead}, {"UnitClass", lua_UnitClass}, {"GetMoney", lua_GetMoney}, {"IsInGroup", lua_IsInGroup}, {"IsInRaid", lua_IsInRaid}, {"GetPlayerMapPosition", lua_GetPlayerMapPosition}, {"SendChatMessage", lua_SendChatMessage}, {"CastSpellByName", lua_CastSpellByName}, {"IsSpellKnown", lua_IsSpellKnown}, {"GetSpellCooldown", lua_GetSpellCooldown}, {"HasTarget", lua_HasTarget}, {"UnitRace", lua_UnitRace}, {"UnitPowerType", lua_UnitPowerType}, {"GetNumGroupMembers", lua_GetNumGroupMembers}, {"UnitGUID", lua_UnitGUID}, {"UnitIsPlayer", lua_UnitIsPlayer}, {"InCombatLockdown", lua_InCombatLockdown}, {"UnitBuff", lua_UnitBuff}, {"UnitDebuff", lua_UnitDebuff}, // Utilities {"strsplit", lua_strsplit}, {"strtrim", lua_strtrim}, {"wipe", lua_wipe}, {"date", lua_wow_date}, {"time", lua_wow_time}, }; for (const auto& [name, func] : unitAPI) { lua_pushcfunction(L_, func); lua_setglobal(L_, name); } // WoW aliases lua_getglobal(L_, "string"); lua_getfield(L_, -1, "format"); lua_setglobal(L_, "format"); lua_pop(L_, 1); // pop string table // tinsert/tremove aliases lua_getglobal(L_, "table"); lua_getfield(L_, -1, "insert"); lua_setglobal(L_, "tinsert"); lua_getfield(L_, -1, "remove"); lua_setglobal(L_, "tremove"); lua_pop(L_, 1); // pop table // SlashCmdList table — addons register slash commands here lua_newtable(L_); lua_setglobal(L_, "SlashCmdList"); // Frame metatable with methods lua_newtable(L_); // metatable lua_pushvalue(L_, -1); lua_setfield(L_, -2, "__index"); // metatable.__index = metatable static const struct luaL_Reg frameMethods[] = { {"RegisterEvent", lua_Frame_RegisterEvent}, {"UnregisterEvent", lua_Frame_UnregisterEvent}, {"SetScript", lua_Frame_SetScript}, {"GetScript", lua_Frame_GetScript}, {"GetName", lua_Frame_GetName}, {"Show", lua_Frame_Show}, {"Hide", lua_Frame_Hide}, {"IsShown", lua_Frame_IsShown}, {"IsVisible", lua_Frame_IsShown}, // alias {nullptr, nullptr} }; for (const luaL_Reg* r = frameMethods; r->name; r++) { lua_pushcfunction(L_, r->func); lua_setfield(L_, -2, r->name); } lua_setglobal(L_, "__WoweeFrameMT"); // CreateFrame function lua_pushcfunction(L_, lua_CreateFrame); lua_setglobal(L_, "CreateFrame"); // Frame event dispatch table lua_newtable(L_); lua_setglobal(L_, "__WoweeFrameEvents"); // OnUpdate frame tracking table lua_newtable(L_); lua_setglobal(L_, "__WoweeOnUpdateFrames"); // C_Timer implementation via Lua (uses OnUpdate internally) luaL_dostring(L_, "C_Timer = {}\n" "local timers = {}\n" "local timerFrame = CreateFrame('Frame', '__WoweeTimerFrame')\n" "timerFrame:SetScript('OnUpdate', function(self, elapsed)\n" " local i = 1\n" " while i <= #timers do\n" " timers[i].remaining = timers[i].remaining - elapsed\n" " if timers[i].remaining <= 0 then\n" " local cb = timers[i].callback\n" " table.remove(timers, i)\n" " cb()\n" " else\n" " i = i + 1\n" " end\n" " end\n" " if #timers == 0 then self:Hide() end\n" "end)\n" "timerFrame:Hide()\n" "function C_Timer.After(seconds, callback)\n" " tinsert(timers, {remaining = seconds, callback = callback})\n" " timerFrame:Show()\n" "end\n" "function C_Timer.NewTicker(seconds, callback, iterations)\n" " local count = 0\n" " local maxIter = iterations or -1\n" " local ticker = {cancelled = false}\n" " local function tick()\n" " if ticker.cancelled then return end\n" " count = count + 1\n" " callback(ticker)\n" " if maxIter > 0 and count >= maxIter then return end\n" " C_Timer.After(seconds, tick)\n" " end\n" " C_Timer.After(seconds, tick)\n" " function ticker:Cancel() self.cancelled = true end\n" " return ticker\n" "end\n" ); } // ---- Event System ---- // Lua-side: WoweeEvents table holds { ["EVENT_NAME"] = { handler1, handler2, ... } } // RegisterEvent("EVENT", handler) adds a handler function // UnregisterEvent("EVENT", handler) removes it static int lua_RegisterEvent(lua_State* L) { const char* eventName = luaL_checkstring(L, 1); luaL_checktype(L, 2, LUA_TFUNCTION); // Get or create the WoweeEvents table lua_getglobal(L, "__WoweeEvents"); if (lua_isnil(L, -1)) { lua_pop(L, 1); lua_newtable(L); lua_pushvalue(L, -1); lua_setglobal(L, "__WoweeEvents"); } // Get or create the handler list for this event lua_getfield(L, -1, eventName); if (lua_isnil(L, -1)) { lua_pop(L, 1); lua_newtable(L); lua_pushvalue(L, -1); lua_setfield(L, -3, eventName); } // Append the handler function to the list int len = static_cast(lua_objlen(L, -1)); lua_pushvalue(L, 2); // push the handler function lua_rawseti(L, -2, len + 1); lua_pop(L, 2); // pop handler list + WoweeEvents return 0; } static int lua_UnregisterEvent(lua_State* L) { const char* eventName = luaL_checkstring(L, 1); luaL_checktype(L, 2, LUA_TFUNCTION); lua_getglobal(L, "__WoweeEvents"); if (lua_isnil(L, -1)) { lua_pop(L, 1); return 0; } lua_getfield(L, -1, eventName); if (lua_isnil(L, -1)) { lua_pop(L, 2); return 0; } // Remove matching handler from the list int len = static_cast(lua_objlen(L, -1)); for (int i = 1; i <= len; i++) { lua_rawgeti(L, -1, i); if (lua_rawequal(L, -1, 2)) { lua_pop(L, 1); // Shift remaining elements down for (int j = i; j < len; j++) { lua_rawgeti(L, -1, j + 1); lua_rawseti(L, -2, j); } lua_pushnil(L); lua_rawseti(L, -2, len); break; } lua_pop(L, 1); } lua_pop(L, 2); return 0; } void LuaEngine::registerEventAPI() { lua_pushcfunction(L_, lua_RegisterEvent); lua_setglobal(L_, "RegisterEvent"); lua_pushcfunction(L_, lua_UnregisterEvent); lua_setglobal(L_, "UnregisterEvent"); // Create the events table lua_newtable(L_); lua_setglobal(L_, "__WoweeEvents"); } void LuaEngine::fireEvent(const std::string& eventName, const std::vector& args) { if (!L_) return; lua_getglobal(L_, "__WoweeEvents"); if (lua_isnil(L_, -1)) { lua_pop(L_, 1); return; } lua_getfield(L_, -1, eventName.c_str()); if (lua_isnil(L_, -1)) { lua_pop(L_, 2); return; } int handlerCount = static_cast(lua_objlen(L_, -1)); for (int i = 1; i <= handlerCount; i++) { lua_rawgeti(L_, -1, i); if (!lua_isfunction(L_, -1)) { lua_pop(L_, 1); continue; } // Push arguments: event name first, then extra args lua_pushstring(L_, eventName.c_str()); for (const auto& arg : args) { lua_pushstring(L_, arg.c_str()); } int nargs = 1 + static_cast(args.size()); if (lua_pcall(L_, nargs, 0, 0) != 0) { const char* err = lua_tostring(L_, -1); LOG_ERROR("LuaEngine: event '", eventName, "' handler error: ", err ? err : "(unknown)"); lua_pop(L_, 1); } } lua_pop(L_, 2); // pop handler list + WoweeEvents // Also dispatch to frames that registered for this event via frame:RegisterEvent() lua_getglobal(L_, "__WoweeFrameEvents"); if (lua_istable(L_, -1)) { lua_getfield(L_, -1, eventName.c_str()); if (lua_istable(L_, -1)) { int frameCount = static_cast(lua_objlen(L_, -1)); for (int i = 1; i <= frameCount; i++) { lua_rawgeti(L_, -1, i); if (!lua_istable(L_, -1)) { lua_pop(L_, 1); continue; } // Get the frame's OnEvent script lua_getfield(L_, -1, "__scripts"); if (lua_istable(L_, -1)) { lua_getfield(L_, -1, "OnEvent"); if (lua_isfunction(L_, -1)) { lua_pushvalue(L_, -3); // self (frame) lua_pushstring(L_, eventName.c_str()); for (const auto& arg : args) lua_pushstring(L_, arg.c_str()); int nargs = 2 + static_cast(args.size()); if (lua_pcall(L_, nargs, 0, 0) != 0) { LOG_ERROR("LuaEngine: frame OnEvent error: ", lua_tostring(L_, -1)); lua_pop(L_, 1); } } else { lua_pop(L_, 1); // pop non-function } } lua_pop(L_, 2); // pop __scripts + frame } } lua_pop(L_, 1); // pop event frame list } lua_pop(L_, 1); // pop __WoweeFrameEvents } void LuaEngine::dispatchOnUpdate(float elapsed) { if (!L_) return; lua_getglobal(L_, "__WoweeOnUpdateFrames"); if (!lua_istable(L_, -1)) { lua_pop(L_, 1); return; } int count = static_cast(lua_objlen(L_, -1)); for (int i = 1; i <= count; i++) { lua_rawgeti(L_, -1, i); if (!lua_istable(L_, -1)) { lua_pop(L_, 1); continue; } // Check if frame is visible lua_getfield(L_, -1, "__visible"); bool visible = lua_toboolean(L_, -1); lua_pop(L_, 1); if (!visible) { lua_pop(L_, 1); continue; } // Get OnUpdate script lua_getfield(L_, -1, "__scripts"); if (lua_istable(L_, -1)) { lua_getfield(L_, -1, "OnUpdate"); if (lua_isfunction(L_, -1)) { lua_pushvalue(L_, -3); // self (frame) lua_pushnumber(L_, static_cast(elapsed)); if (lua_pcall(L_, 2, 0, 0) != 0) { LOG_ERROR("LuaEngine: OnUpdate error: ", lua_tostring(L_, -1)); lua_pop(L_, 1); } } else { lua_pop(L_, 1); } } lua_pop(L_, 2); // pop __scripts + frame } lua_pop(L_, 1); // pop __WoweeOnUpdateFrames } bool LuaEngine::dispatchSlashCommand(const std::string& command, const std::string& args) { if (!L_) return false; // Check each SlashCmdList entry: for key NAME, check SLASH_NAME1, SLASH_NAME2, etc. lua_getglobal(L_, "SlashCmdList"); if (!lua_istable(L_, -1)) { lua_pop(L_, 1); return false; } std::string cmdLower = command; for (char& c : cmdLower) c = static_cast(std::tolower(static_cast(c))); lua_pushnil(L_); while (lua_next(L_, -2) != 0) { // Stack: SlashCmdList, key, handler if (!lua_isfunction(L_, -1) || !lua_isstring(L_, -2)) { lua_pop(L_, 1); continue; } const char* name = lua_tostring(L_, -2); // Check SLASH_1 through SLASH_9 for (int i = 1; i <= 9; i++) { std::string globalName = "SLASH_" + std::string(name) + std::to_string(i); lua_getglobal(L_, globalName.c_str()); if (lua_isstring(L_, -1)) { std::string slashStr = lua_tostring(L_, -1); for (char& c : slashStr) c = static_cast(std::tolower(static_cast(c))); if (slashStr == cmdLower) { lua_pop(L_, 1); // pop global // Call the handler with args lua_pushvalue(L_, -1); // copy handler lua_pushstring(L_, args.c_str()); if (lua_pcall(L_, 1, 0, 0) != 0) { LOG_ERROR("LuaEngine: SlashCmdList['", name, "'] error: ", lua_tostring(L_, -1)); lua_pop(L_, 1); } lua_pop(L_, 3); // pop handler, key, SlashCmdList return true; } } lua_pop(L_, 1); // pop global } lua_pop(L_, 1); // pop handler, keep key for next iteration } lua_pop(L_, 1); // pop SlashCmdList return false; } // ---- SavedVariables serialization ---- static void serializeLuaValue(lua_State* L, int idx, std::string& out, int indent); static void serializeLuaTable(lua_State* L, int idx, std::string& out, int indent) { out += "{\n"; std::string pad(indent + 2, ' '); lua_pushnil(L); while (lua_next(L, idx) != 0) { out += pad; // Key if (lua_type(L, -2) == LUA_TSTRING) { const char* k = lua_tostring(L, -2); out += "[\""; for (const char* p = k; *p; ++p) { if (*p == '"' || *p == '\\') out += '\\'; out += *p; } out += "\"] = "; } else if (lua_type(L, -2) == LUA_TNUMBER) { out += "[" + std::to_string(static_cast(lua_tonumber(L, -2))) + "] = "; } else { lua_pop(L, 1); continue; } // Value serializeLuaValue(L, lua_gettop(L), out, indent + 2); out += ",\n"; lua_pop(L, 1); } out += std::string(indent, ' ') + "}"; } static void serializeLuaValue(lua_State* L, int idx, std::string& out, int indent) { switch (lua_type(L, idx)) { case LUA_TNIL: out += "nil"; break; case LUA_TBOOLEAN: out += lua_toboolean(L, idx) ? "true" : "false"; break; case LUA_TNUMBER: { double v = lua_tonumber(L, idx); char buf[64]; snprintf(buf, sizeof(buf), "%.17g", v); out += buf; break; } case LUA_TSTRING: { const char* s = lua_tostring(L, idx); out += "\""; for (const char* p = s; *p; ++p) { if (*p == '"' || *p == '\\') out += '\\'; else if (*p == '\n') { out += "\\n"; continue; } else if (*p == '\r') continue; out += *p; } out += "\""; break; } case LUA_TTABLE: serializeLuaTable(L, idx, out, indent); break; default: out += "nil"; // Functions, userdata, etc. can't be serialized break; } } bool LuaEngine::loadSavedVariables(const std::string& path) { if (!L_) return false; std::ifstream f(path); if (!f.is_open()) return false; // No saved data yet — not an error std::string content((std::istreambuf_iterator(f)), std::istreambuf_iterator()); if (content.empty()) return true; int err = luaL_dostring(L_, content.c_str()); if (err != 0) { LOG_WARNING("LuaEngine: error loading saved variables from '", path, "': ", lua_tostring(L_, -1)); lua_pop(L_, 1); return false; } return true; } bool LuaEngine::saveSavedVariables(const std::string& path, const std::vector& varNames) { if (!L_ || varNames.empty()) return false; std::string output; for (const auto& name : varNames) { lua_getglobal(L_, name.c_str()); if (!lua_isnil(L_, -1)) { output += name + " = "; serializeLuaValue(L_, lua_gettop(L_), output, 0); output += "\n"; } lua_pop(L_, 1); } if (output.empty()) return true; // Ensure directory exists size_t lastSlash = path.find_last_of("/\\"); if (lastSlash != std::string::npos) { std::error_code ec; std::filesystem::create_directories(path.substr(0, lastSlash), ec); } std::ofstream f(path); if (!f.is_open()) { LOG_WARNING("LuaEngine: cannot write saved variables to '", path, "'"); return false; } f << output; LOG_INFO("LuaEngine: saved variables to '", path, "' (", output.size(), " bytes)"); return true; } bool LuaEngine::executeFile(const std::string& path) { if (!L_) return false; int err = luaL_dofile(L_, path.c_str()); if (err != 0) { const char* errMsg = lua_tostring(L_, -1); std::string msg = errMsg ? errMsg : "(unknown error)"; LOG_ERROR("LuaEngine: error loading '", path, "': ", msg); if (gameHandler_) { game::MessageChatData errChat; errChat.type = game::ChatType::SYSTEM; errChat.language = game::ChatLanguage::UNIVERSAL; errChat.message = "|cffff4040[Lua Error] " + msg + "|r"; gameHandler_->addLocalChatMessage(errChat); } lua_pop(L_, 1); return false; } return true; } bool LuaEngine::executeString(const std::string& code) { if (!L_) return false; int err = luaL_dostring(L_, code.c_str()); if (err != 0) { const char* errMsg = lua_tostring(L_, -1); std::string msg = errMsg ? errMsg : "(unknown error)"; LOG_ERROR("LuaEngine: script error: ", msg); if (gameHandler_) { game::MessageChatData errChat; errChat.type = game::ChatType::SYSTEM; errChat.language = game::ChatLanguage::UNIVERSAL; errChat.message = "|cffff4040[Lua Error] " + msg + "|r"; gameHandler_->addLocalChatMessage(errChat); } lua_pop(L_, 1); return false; } return true; } } // namespace wowee::addons