content
stringlengths
5
1.05M
print(" ______ ______ __ ______ ______ ______ __ __ ") print("/\\ ___\\/\\ ___\\/\\ \\ /\\ ___\\/\\__ _\\/\\ __ \\/\\ \\-./ \\ ") print("\\ \\___ \\ \\ __\\\\ \\ \\___\\ \\___ \\/_/\\ \\/\\ \\ __ \\ \\ \\-./\\ \\ ") print(" \\/\\_____\\ \\_____\\ \\_____\\/\\_____\\ \\ \\_\\ \\ \\_\\ \\_\\ \\_\\ \\ \\_\\ ") print(" \\/_____/\\/_____/\\/_____/\\/_____/ \\/_/ \\/_/\\/_/\\/_/ \\/_/ ") print(" ") print(" __ __ ______ ______ ") print(" /\\ \\-.\\ \\/\\ ___\\/\\__ _\\ ") print(" \\ \\ \\-. \\ \\ __\\\\/_/\\ \\/ ") print(" \\ \\_\\\\\\\\_\\ \\_____\\ \\ \\_\\ ") print(" \\/_/ \\/_/\\/_____/ \\/_/ ") print()
#! /usr/bin/env lua local basedir = "" if arg[0]:find("[/\\]") then basedir = arg[0]:gsub("(.*[/\\]).*$", "%1"):gsub("\\", "/") end if basedir == "" then basedir = "./" end -- Required by load_strings() function string.trim(s) -- luacheck: ignore return s:gsub("^%s*(.-)%s*$", "%1") end dofile(basedir.."/../lib.lua") local me = arg[0]:gsub(".*[/\\](.*)$", "%1") local function err(fmt, ...) io.stderr:write(("%s: %s\n"):format(me, fmt:format(...))) os.exit(1) end local output, outfile, template local catalogs = { } local function usage() print([[ Usage: ]]..me..[[ [OPTIONS] TEMPLATE CATALOG... Update a catalog with new strings from a template. Available options: -h,--help Show this help screen and exit. -o,--output X Set output file (default: stdout). Messages in the template that are not on the catalog are added to the catalog at the end. This tool also checks messages that are in the catalog but not in the template, and reports such lines. It's up to the user to remove such lines, if so desired. ]]) os.exit(0) end local i = 1 while i <= #arg do local a = arg[i] if (a == "-h") or (a == "--help") then usage() elseif (a == "-o") or (a == "--output") then i = i + 1 if i > #arg then err("missing required argument to `%s'", a) end output = arg[i] elseif a:sub(1, 1) ~= "-" then if not template then template = a else table.insert(catalogs, a) end else err("unrecognized option `%s'", a) end i = i + 1 end if not template then err("no template specified") elseif #catalogs == 0 then err("no catalogs specified") end local f, e = io.open(template, "r") if not f then err("error opening template: %s", e) end local escapes = { ["\n"] = "\\n", ["="] = "\\=", ["\\"] = "\\\\", } local function escape(s) return s:gsub("[\\\n=]", escapes) end if output then outfile, e = io.open(output, "w") if not outfile then err("error opening file for writing: %s", e) end end local template_msgs = intllib.load_strings(template) for _, file in ipairs(catalogs) do print("Processing: "..file) local catalog_msgs = intllib.load_strings(file) local dirty_lines = { } if catalog_msgs then -- Add new entries from template. for k in pairs(template_msgs) do if not catalog_msgs[k] then print("NEW: "..k) table.insert(dirty_lines, escape(k).." =") end end -- Check for old messages. for k, v in pairs(catalog_msgs) do if not template_msgs[k] then print("OLD: "..k) table.insert(dirty_lines, "OLD: "..escape(k).." = "..escape(v)) end end if #dirty_lines > 0 then local outf outf, e = io.open(file, "a+") if outf then outf:write("\n") for _, line in ipairs(dirty_lines) do outf:write(line) outf:write("\n") end outf:close() else io.stderr:write(("%s: WARNING: cannot write: %s\n"):format(me, e)) end end else io.stderr:write(("%s: WARNING: could not load catalog\n"):format(me)) end end
-- IMPORT @ DEFAULT -- PRIORITY 0 --[[ Mod: Mod Utility Author: MagicGonads Library to allow mods to be more compatible with eachother To include in your mod you must tell the user that they require this mod. Use the mod importer to import this mod to ensure it is loaded in the right position. Or if you want add (before other mods) to the BOTTOM of DEFAULT "Import "../Mods/ModUtil/Scripts/ModUtil.lua"" Mods can also manually import it by adding the statement to their script ]] if not ModUtil then -- Setup local config = { AutoCollapse = true, } ModUtil = { config = config, modName = "ModUtil", WrapCallbacks = {}, Mods = {}, Overrides = {}, Anchors = {Menu={},CloseFuncs={}}, GlobalConnector = "__", FuncsToLoad = {}, MarkedForCollapse = {}, } SaveIgnores["ModUtil"]=true local gameHints = { Hades=SetupHeroObject, Pyre=CommenceDraft, Transistor=GlobalTest, } for game,hint in pairs(gameHints) do ModUtil.Game = game ModUtil[game] = {} break end -- Management function ModUtil.RegisterMod( modName, parent ) if not parent then parent = _G SaveIgnores[modName]=true end if not parent[modName] then parent[modName] = {} table.insert(ModUtil.Mods,parent[modName]) end parent[modName].modName = modName parent[modName].modParent = modParent return parent[modName] end function ModUtil.LoadFuncs( triggerArgs ) for k,v in pairs(ModUtil.FuncsToLoad) do v(triggerArgs) end ModUtil.FuncsToLoad = {} end OnAnyLoad{ModUtil.LoadFuncs} function ModUtil.LoadOnce( triggerFunction ) table.insert( ModUtil.FuncsToLoad, triggerFunction ) end function ModUtil.ForceClosed( triggerArgs ) for k,v in pairs(ModUtil.Anchors.CloseFuncs) do v( nil, nil, triggerArgs ) end ModUtil.Anchors.CloseFuncs = {} ModUtil.Anchors.Menu = {} end OnAnyLoad{ModUtil.ForceClosed} -- Data Misc function ModUtil.ToString(o) --https://stackoverflow.com/a/27028488 if type(o) == 'table' then local s = '{ ' for k,v in pairs(o) do if type(k) ~= 'number' then k = '"'..k..'"' end s = s .. '['..k..'] = ' .. ModUtil.ToString(v) .. ',' end return s .. '} ' else return tostring(o) end end function ModUtil.InvertTable( Table ) local inverseTable = {} for key,value in ipairs(tableArg) do inverseTable[value]=key end return inverseTable end function ModUtil.IsUnKeyed( Table ) if type(Table) == "table" then local lk = 0 for k, v in pairs(Table) do if type(k) ~= "number" then return false end if lk ~= k+1 then return false end end return true end return false end function ModUtil.AutoIsUnKeyed( Table ) if ModUtil.config.AutoCollapse then if not ModUtil.MarkedForCollapse[Table] then return ModUtil.IsUnKeyed( Table ) else return false end end return false end -- Data Manipulation function ModUtil.NewTable( Table, key ) if type(Table) ~= "table" then return end if Table[key] == nil then Table[key] = {} end end function ModUtil.SafeGet( Table, IndexArray ) local n = #IndexArray local node = Table for k, i in ipairs(IndexArray) do if type(node) ~= "table" then return nil end node = node[i] end return node end function ModUtil.SafeSet( Table, IndexArray, Value ) if IsEmpty(IndexArray) then return -- can't set the input argument end local n = #IndexArray local node = Table for i = 1, n-1 do k = IndexArray[i] ModUtil.NewTable(node,k) node = node[k] end if (node[IndexArray[n]]==nil)~=(Value==nil) then if ModUtil.AutoIsUnKeyed( InTable ) then ModUtil.MarkForCollapse( node ) end end node[IndexArray[n]] = Value return true end function ModUtil.MapNilTable( InTable, NilTable ) local unkeyed = ModUtil.AutoIsUnKeyed( InTable ) for NilKey, NilVal in pairs(NilTable) do local InVal = InTable[NilKey] if type(NilVal) == "table" and type(InVal) == "table" then ModUtil.MapNilTable( InVal, NilVal ) else InTable[NilKey] = nil if unkeyed then ModUtil.MarkForCollapse(InTable) end end end end function ModUtil.MapSetTable( InTable, SetTable ) local unkeyed = ModUtil.AutoIsUnKeyed( InTable ) for SetKey, SetVal in pairs(SetTable) do local InVal = InTable[SetKey] if type(SetVal) == "table" and type(InVal) == "table" then ModUtil.MapSetTable( InVal, SetVal ) else InTable[SetKey] = SetVal if type(SetKey) ~= "number" and unkeyed then ModUtil.MarkForCollapse(InTable) end end end end function ModUtil.CollapseMarked() for k,v in pairs(ModUtil.MarkedForCollapse) do k = CollapseTable(k) end ModUtil.MarkedForCollapse = {} end OnAnyLoad{ModUtil.CollapseMarked} function ModUtil.MarkForCollapse( Table, IndexArray ) ModUtil.MarkedForCollapse[ModUtil.SafeGet(Table, IndexArray)] = true end -- Path Manipulation function ModUtil.JoinIndexArrays( A, B ) local C = {} local j = 0 for i,v in ipairs(A) do C[i]=v j = i end for i,v in ipairs(B) do C[i+j]=v end return C end function ModUtil.PathArray( Path ) local s = "" local i = {} for c in Path:gmatch(".") do if c ~= "." then s = s .. c else table.insert(i,s) s = "" end end if #s > 0 then table.insert(i,s) end return i end function ModUtil.JoinPath( Path ) local s = "" for c in Path:gmatch(".") do if c ~= "." then s = s .. c else s = s .. ModUtil.GlobalConnector end end return s end function ModUtil.PathGet( Path ) return ModUtil.SafeGet(_G,ModUtil.PathArray(Path)) end function ModUtil.PathSet( Path, Value ) return ModUtil.SafeSet(_G,ModUtil.PathArray(Path),value) end function ModUtil.PathNilTable( Path, NilTable ) return ModUtil.MapNilTable( ModUtil.SafeGet(_G,ModUtil.PathArray(Path)), NilTable ) end function ModUtil.PathSetTable( Path, SetTable ) return ModUtil.MapSetTable( ModUtil.SafeGet(_G,ModUtil.PathArray(Path)), SetTable ) end -- Globalisation function ModUtil.GlobalisePath( Path ) _G[ModUtil.JoinPath( Path )] = ModUtil.SafeGet(_G,ModUtil.PathArray( Path )) end function ModUtil.GlobaliseFuncs( Table, Path ) if Path == nil then Path = "" end for k,v in pairs( Table ) do if type(k) == "string" then if type(v) == "function" then _G[ModUtil.JoinPath( Path.."."..k )] = v elseif type(v) == "table" then ModUtil.GlobaliseFuncs( v, Path.."."..k ) end end end end function ModUtil.GlobaliseModFuncs( modObject ) local parent = modObject while parent.modParent do parent = parent.modParent if parent == _G then break end end ModUtil.GlobaliseFuncs( modObject, modObject.modName ) end -- Function Wrapping function ModUtil.WrapFunction( funcTable, IndexArray, wrapFunc, modObject ) if type(wrapFunc) ~= "function" then return end if not funcTable then return end local func = ModUtil.SafeGet(funcTable, IndexArray) if type(func) ~= "function" then return end ModUtil.NewTable(ModUtil.WrapCallbacks, funcTable) local tempTable = ModUtil.SafeGet(ModUtil.WrapCallbacks[funcTable], IndexArray) if tempTable == nil then tempTable = {} ModUtil.SafeSet(ModUtil.WrapCallbacks[funcTable], IndexArray, tempTable) end table.insert(tempTable, {id=#tempTable+1,mod=modObject,wrap=wrapFunc,func=func}) ModUtil.SafeSet(funcTable, IndexArray, function( ... ) return wrapFunc( func, ... ) end) end function ModUtil.RewrapFunction( funcTable, IndexArray ) local wrapCallbacks = ModUtil.SafeGet(ModUtil.WrapCallbacks[funcTable], IndexArray) local preFunc = nil for i,t in ipairs(wrapCallbacks) do if preFunc then t.func = preFunc end preFunc = function( ... ) return t.wrap( t.func, ... ) end ModUtil.SafeSet(funcTable, IndexArray, preFunc ) end end function ModUtil.UnwrapFunction( funcTable, IndexArray ) if not funcTable then return end local func = ModUtil.SafeGet(funcTable, IndexArray) if type(func) ~= "function" then return end local tempTable = ModUtil.SafeGet(ModUtil.WrapCallbacks[funcTable], IndexArray) if not tempTable then return end local funcData = table.remove(tempTable) if not funcData then return end ModUtil.SafeSet( funcTable, IndexArray, funcData.func ) return funcData end function ModUtil.WrapBaseFunction( baseFuncPath, wrapFunc, modObject ) ModUtil.WrapFunction( _G, ModUtil.PathArray( baseFuncPath ), wrapFunc, modObject ) end function ModUtil.RewrapBaseFunction( baseFuncPath ) ModUtil.RewrapFunction( _G, ModUtil.PathArray( baseFuncPath )) end function ModUtil.UnwrapBaseFunction( baseFuncPath ) ModUtil.UnwrapFunction( _G, ModUtil.PathArray( baseFuncPath )) end -- Override Management function ModUtil.Override( baseTable, IndexArray, Value, modObject ) if not baseTable then return end local baseValue = ModUtil.SafeGet(baseTable, IndexArray) local wrapCallbacks = nil if type(baseValue) == "function" and type(Value) == "function" then wrapCallbacks = ModUtil.SafeGet(ModUtil.WrapCallbacks[baseTable], IndexArray) if wrapCallbacks then if wrapCallbacks[1] then baseValue = wrapCallbacks[1].func wrapCallbacks[1].func = Value end end end ModUtil.NewTable(ModUtil.Overrides, baseTable) local tempTable = ModUtil.SafeGet(ModUtil.Overrides[baseTable], IndexArray) if tempTable == nil then tempTable = {} ModUtil.SafeSet(ModUtil.Overrides[baseTable], IndexArray, tempTable) end table.insert(tempTable, {id=#tempTable+1,mod=modObject,value=Value,base=baseValue}) if wrapCallbacks then if wrapCallbacks[1] then ModUtil.RewrapFunctions( baseTable, IndexArray ) return end else ModUtil.SafeSet( baseTable, IndexArray, Value ) end end function ModUtil.Restore( baseTable, IndexArray ) if not baseTable then return end local tempTable = ModUtil.SafeGet(ModUtil.Overrides[baseTable], IndexArray) if not tempTable then return end local baseData = table.remove(tempTable) if not baseData then return end if type(baseData.base) == "function" then local wrapCallbacks = ModUtil.SafeGet(ModUtil.WrapCallbacks[baseTable], IndexArray) if wrapCallbacks then if wrapCallbacks[1] then wrapCallbacks[1].func = baseData.base ModUtil.RewrapFunction( baseTable, IndexArray ) return baseData end end end ModUtil.SafeSet( baseTable, IndexArray, baseData.base ) return baseData end function ModUtil.BaseOverride( basePath, Value, modObject ) ModUtil.Override( _G, ModUtil.PathArray( basePath ), Value, modObject ) end function ModUtil.BaseRestore( basePath ) ModUtil.Restore( _G, ModUtil.PathArray( basePath ) ) end -- Misc function ModUtil.RandomElement(Table,rng) local Collapsed = CollapseTable(Table) return Collapsed[RandomInt(1, #Collapsed, rng)] end function ModUtil.RandomColor(rng) return ModUtil.RandomElement(Color,rng) end -- if ModUtil.Pyre then if CampaignStartup then ModUtil.Pyre.Gamemode = "Campaign" ModUtil.Pyre.Campaign = {} else ModUtil.Pyre.Gamemode = "Versus" ModUtil.Pyre.Versus = {} end end if ModUtil.Hades then -- Screen Handling OnAnyLoad{ function() if ModUtil.UnfreezeLoop then return end ModUtil.UnfreezeLoop = true thread( function() while ModUtil.UnfreezeLoop do wait(15) if (not AreScreensActive()) and (not IsInputAllowed({})) then UnfreezePlayerUnit() DisableShopGamepadCursor() end end end) end} -- Menu Handling function ModUtil.Hades.CloseMenu( screen, button ) CloseScreen(GetAllIds(screen.Components), 0.1) ModUtil.Anchors.Menu[screen.Name] = nil screen.KeepOpen = false OnScreenClosed({ Flag = screen.Name }) SetConfigOption({ Name = "FreeFormSelectWrapY", Value = false }) SetConfigOption({ Name = "UseOcclusion", Value = true }) if TableLength(ModUtil.Anchors.Menu) == 0 then UnfreezePlayerUnit() DisableShopGamepadCursor() end if ModUtil.Anchors.CloseFuncs[screen.Name] then ModUtil.Anchors.CloseFuncs[screen.Name]( screen, button ) ModUtil.Anchors.CloseFuncs[screen.Name]=nil end end function ModUtil.Hades.OpenMenu( group, closeFunc, openFunc ) if ModUtil.Anchors.Menu[group] then ModUtil.Hades.CloseMenu(ModUtil.Anchors.Menu[group]) end if closeFunc then ModUtil.Anchors.CloseFuncs[group]=closeFunc end local screen = { Name = group, Components = {} } local components = screen.Components ModUtil.Anchors.Menu[group] = screen OnScreenOpened({ Flag = screen.Name, PersistCombatUI = true }) SetConfigOption({ Name = "UseOcclusion", Value = false }) components.Background = CreateScreenComponent({ Name = "BlankObstacle", Group = group }) if openFunc then openFunc(screen) end return screen end function ModUtil.Hades.DimMenu( screen ) if not screen then return end if not screen.Components.BackgroundDim then screen.Components.BackgroundDim = CreateScreenComponent({ Name = "rectangle01", Group = screen.Name }) SetScale({ Id = screen.Components.BackgroundDim.Id, Fraction = 4 }) end SetColor({ Id = screen.Components.BackgroundDim.Id, Color = {0.090, 0.090, 0.090, 0.8} }) end function ModUtil.Hades.UndimMenu( screen ) if not screen then return end if not screen.Components.BackgroundDim then return end SetColor({ Id = screen.Components.BackgroundDim.Id, Color = {0.090, 0.090, 0.090, 0} }) end function ModUtil.Hades.PostOpenMenu( group ) local screen = ModUtil.Anchors.Menu[group] FreezePlayerUnit() EnableShopGamepadCursor() thread(HandleWASDInput, screen) HandleScreenInput(screen) return screen end -- Debug Printing function ModUtil.Hades.PrintDisplay( text , delay, color ) if type(text) ~= "string" then text = ModUtil.ToString(text) end text = " "..text.." " if color == nil then color = Color.Yellow end if delay == nil then delay = 5 end if ModUtil.Anchors.PrintDisplay then Destroy({Ids = ModUtil.Anchors.PrintDisplay.Id}) end ModUtil.Anchors.PrintDisplay = CreateScreenComponent({Name = "BlankObstacle", Group = "PrintDisplay", X = ScreenCenterX, Y = 40 }) CreateTextBox({ Id = ModUtil.Anchors.PrintDisplay.Id, Text = text, FontSize = 22, Color = color, Font = "UbuntuMonoBold"}) if delay > 0 then thread(function() wait(delay) Destroy({Ids = ModUtil.Anchors.PrintDisplay.Id}) ModUtil.Anchors.PrintDisplay = nil end) end end function ModUtil.Hades.PrintOverhead(text, delay, color, dest) if type(text) ~= "string" then text = ModUtil.ToString(text) end text = " "..text.." " if dest == nil then dest = CurrentRun.Hero.ObjectId end if color == nil then color = Color.Yellow end if delay == nil then delay = 5 end Destroy({Ids = ModUtil.Anchors.PrintOverhead}) ModUtil.Anchors.PrintOverhead = SpawnObstacle({ Name = "BlankObstacle", Group = "Events", DestinationId = dest }) Attach({ Id = ModUtil.Anchors.PrintOverhead, DestinationId = dest }) CreateTextBox({ Id = ModUtil.Anchors.PrintOverhead, Text = text, FontSize = 32, OffsetX = 0, OffsetY = -150, Color = color, Font = "AlegreyaSansSCBold", Justification = "Center" }) if delay > 0 then thread(function() wait(delay) Destroy({Ids = ModUtil.Anchors.PrintOverhead}) ModUtil.Anchors.PrintOverhead = nil end) end end local function ClosePrintStack() if ModUtil.Anchors.PrintStack then ModUtil.Anchors.PrintStack.CullEnabled = false PlaySound({ Name = "/SFX/Menu Sounds/GeneralWhooshMENU" }) ModUtil.Anchors.PrintStack.KeepOpen = false CloseScreen(GetAllIds(ModUtil.Anchors.PrintStack.Components),0) ModUtil.Anchors.PrintStack = nil end end OnAnyLoad{ ClosePrintStack } local function OrderPrintStack(screen,components) for k,v in pairs(screen.CullPrintStack) do if v.obj then Destroy({ Ids = v.obj.Id }) components["TextStack_" .. v.tid] = nil v.obj = nil screen.TextStack[v.tid]=nil end end screen.CullPrintStack = {} for k,v in pairs(screen.TextStack) do components["TextStack_" .. k] = nil Destroy({Ids = v.obj.Id}) end screen.TextStack = CollapseTable(screen.TextStack) for i,v in pairs(screen.TextStack) do v.tid = i end if #screen.TextStack == 0 then return ClosePrintStack() end local Ymul = 9 local Ygap = 30 local Yoff = 260 local n =#screen.TextStack if n then for k=n,math.max(1,n-Ymul+1),-1 do v = screen.TextStack[k] if v then local data = v.data screen.TextStack[k].obj = CreateScreenComponent({ Name = "rectangle01", Group = "PrintStack", X = -1000, Y = -1000}) local textStack = screen.TextStack[k].obj components["TextStack_" .. k] = textStack SetScaleX({Id = textStack.Id, Fraction = 1.55}) SetScaleY({Id = textStack.Id, Fraction = 0.085}) SetColor({ Id = textStack.Id, Color = data.Bgcol }) CreateTextBox({ Id = textStack.Id, Text = data.Text, FontSize = 15, OffsetX = 0, OffsetY = 0, Color = data.Color, Font = "UbuntuMonoBold", Justification = "Center" }) Attach({ Id = textStack.Id, DestinationId = components.Background.Id, OffsetX = 220, OffsetY = -Yoff }) Yoff = Yoff - Ygap end end end end function ModUtil.Hades.PrintStack( text, delay, color, bgcol, sound) if type(text) ~= "string" then text = ModUtil.ToString(text) end text = " "..text.." " if color == nil then color = {1,1,1,1} end if bgcol == nil then bgcol = {0,0,0,0} end if sound == nil then sound = "/Leftovers/SFX/AuraOff" end if delay == nil then delay = 4 end local first = false if not ModUtil.Anchors.PrintStack then first = true ModUtil.Anchors.PrintStack = { Components = {} } end local screen = ModUtil.Anchors.PrintStack local components = screen.Components if first then PlaySound({ Name = "/SFX/Menu Sounds/DialoguePanelOutMenu" }) components.Background = CreateScreenComponent({ Name = "BlankObstacle", Group = "PrintStack", X = ScreenCenterX, Y = 2*ScreenCenterY}) components.Backing = CreateScreenComponent({ Name = "TraitTray_Center", Group = "PrintStack"}) Attach({ Id = components.Backing.Id, DestinationId = components.Background.Id, OffsetX = -180, OffsetY = -150 }) SetColor({ Id = components.Backing.Id, Color = {0.590, 0.555, 0.657, 0.8} }) SetScaleX({Id = components.Backing.Id, Fraction = 6.25}) SetScaleY({Id = components.Backing.Id, Fraction = 0.60}) screen.KeepOpen = true screen.TextStack = {} screen.CullPrintStack = {} screen.MaxStacks = 32 thread( function() while screen do wait(0.5) if screen.CullEnabled then if screen.CullPrintStack[1] then OrderPrintStack(screen,components) end end end end) end screen.CullEnabled = false local n =#screen.TextStack + 1 if n > screen.MaxStacks then for i,v in ipairs(screen.TextStack) do if i > n-screen.MaxStacks then break end Destroy({ Ids = v.obj.Id }) v.obj = nil components["TextStack_" .. v.tid] = nil screen.TextStack[v.tid] = nil end end local newText = {} newText.obj = CreateScreenComponent({ Name = "rectangle01", Group = "PrintStack"}) newText.data = {Text = text, Color = color, Bgcol = bgcol} SetColor({ Id = newText.obj.Id, Color = {0,0,0,0}}) table.insert(screen.TextStack, newText) PlaySound({ Name = sound }) OrderPrintStack(screen,components) thread( function() wait(delay) if newText.obj then table.insert(screen.CullPrintStack,newText) end end) screen.CullEnabled = true end -- Custom Menus function ModUtil.Hades.NewMenuYesNo( group, closeFunc, openFunc, yesFunc, noFunc, title, body, yesText, noText, icon, iconScale) if not group or group == "" then group = "MenuYesNo" end if not yesFunc or not noFunc then return end if not icon then icon = "AmmoPack" end if not iconScale then iconScale = 1 end if not yesText then yesText = "Yes" end if not noText then noText = "No" end if not body then body = "Make a choice..." end if not title then title = group end local screen = ModUtil.Hades.OpenMenu( group, closeFunc, openFunc ) local components = screen.Components PlaySound({ Name = "/SFX/Menu Sounds/GodBoonInteract" }) components.LeftPart = CreateScreenComponent({ Name = "TraitTrayBackground", Group = group, X = 1030, Y = 424}) components.MiddlePart = CreateScreenComponent({ Name = "TraitTray_Center", Group = group, X = 660, Y = 464 }) components.RightPart = CreateScreenComponent({ Name = "TraitTray_Right", Group = group, X = 1270, Y = 438 }) SetScaleY({Id = components.LeftPart.Id, Fraction = 0.8}) SetScaleY({Id = components.MiddlePart.Id, Fraction = 0.8}) SetScaleY({Id = components.RightPart.Id, Fraction = 0.8}) SetScaleX({Id = components.MiddlePart.Id, Fraction = 5}) CreateTextBox({ Id = components.Background.Id, Text = " "..title.." ", FontSize = 34, OffsetX = 0, OffsetY = -225, Color = Color.White, Font = "SpectralSCLight", ShadowBlur = 0, ShadowColor = {0,0,0,1}, ShadowOffset={0, 1}, Justification = "Center" }) CreateTextBox({ Id = components.Background.Id, Text = " "..body.." ", FontSize = 19, OffsetX = 0, OffsetY = -175, Width = 840, Color = Color.SubTitle, Font = "CrimsonTextItalic", ShadowBlur = 0, ShadowColor = {0,0,0,1}, ShadowOffset={0, 1}, Justification = "Center" }) components.Icon = CreateScreenComponent({ Name = "BlankObstacle", Group = group }) Attach({ Id = components.Icon.Id, DestinationId = components.Background.Id, OffsetX = 0, OffsetY = -50}) SetAnimation({ Name = icon, DestinationId = components.Icon.Id, Scale = iconScale }) ModUtil.NewTable(ModUtil.Anchors.Menu[group], "Funcs") ModUtil.Anchors.Menu[group].Funcs={ Yes = function(screen, button) local ret = yesFunc(screen,button) ModUtil.Hades.CloseMenuYesNo(screen,button) return ret end, No = function(screen, button) local ret = noFunc(screen,button) ModUtil.Hades.CloseMenuYesNo(screen,button) return ret end, } ModUtil.GlobaliseFuncs( ModUtil.Anchors.Menu[group].Funcs, "ModUtil.Anchors.Menu."..group..".Funcs" ) components.CloseButton = CreateScreenComponent({ Name = "ButtonClose", Scale = 0.7, Group = group }) Attach({ Id = components.CloseButton.Id, DestinationId = components.Background.Id, OffsetX = 0, OffsetY = ScreenCenterY - 315 }) components.CloseButton.OnPressedFunctionName = ModUtil.JoinPath("ModUtil.Hades.CloseMenuYesNo") components.CloseButton.ControlHotkey = "Cancel" components.YesButton = CreateScreenComponent({ Name = "BoonSlot1", Group = group, Scale = 0.35, }) components.YesButton.OnPressedFunctionName = ModUtil.JoinPath("ModUtil.Anchors.Menu."..group..".Funcs.Yes") SetScaleX({Id = components.YesButton.Id, Fraction = 0.75}) SetScaleY({Id = components.YesButton.Id, Fraction = 1.15}) Attach({ Id = components.YesButton.Id, DestinationId = components.Background.Id, OffsetX = -150, OffsetY = 75 }) CreateTextBox({ Id = components.YesButton.Id, Text = " "..yesText.." ", FontSize = 28, OffsetX = 0, OffsetY = 0, Width = 720, Color = Color.LimeGreen, Font = "AlegreyaSansSCLight", ShadowBlur = 0, ShadowColor = {0,0,0,1}, ShadowOffset={0, 2}, Justification = "Center" }) components.NoButton = CreateScreenComponent({ Name = "BoonSlot1", Group = group, Scale = 0.35, }) components.NoButton.OnPressedFunctionName = ModUtil.JoinPath("ModUtil.Anchors.Menu."..group..".Funcs.No") SetScaleX({Id = components.NoButton.Id, Fraction = 0.75}) SetScaleY({Id = components.NoButton.Id, Fraction = 1.15}) Attach({ Id = components.NoButton.Id, DestinationId = components.Background.Id, OffsetX = 150, OffsetY = 75 }) CreateTextBox({ Id = components.NoButton.Id, Text = noText, FontSize = 26, OffsetX = 0, OffsetY = 0, Width = 720, Color = Color.Red, Font = "AlegreyaSansSCLight", ShadowBlur = 0, ShadowColor = {0,0,0,1}, ShadowOffset={0, 2}, Justification = "Center" }) return ModUtil.Hades.PostOpenMenu( group ) end function ModUtil.Hades.CloseMenuYesNo( screen, button ) PlaySound({ Name = "/SFX/Menu Sounds/GeneralWhooshMENU" }) _G[ModUtil.JoinPath("ModUtil.Anchors.Menu."..screen.Name..".Funcs.Yes")]=nil _G[ModUtil.JoinPath("ModUtil.Anchors.Menu."..screen.Name..".Funcs.No")]=nil ModUtil.Hades.CloseMenu( screen, button ) end end -- Post Setup ModUtil.GlobaliseModFuncs( ModUtil ) end
GlobalVar("MarsScreenLandingSpots", false) GlobalVar("SortedMarsScreenLandingSpots", false) GlobalVar("MarsScreenMapParams", false) local function _SortMarsPointsOfInterest() local rivals = {} local anomalies = {} local special_projects = {} for _, poi in ipairs(MarsScreenLandingSpots) do if poi.spot_type == "rival" then rivals[#rivals + 1] = poi elseif poi.spot_type == "anomaly" then anomalies[#anomalies + 1] = poi elseif poi.spot_type == "project" then special_projects[#special_projects + 1] = poi end end TSort(rivals, "display_name") TSort(special_projects, "display_name") TSort(anomalies, "display_name") SortedMarsScreenLandingSpots = {} if MarsScreenLandingSpots.OurColony then SortedMarsScreenLandingSpots[1] = MarsScreenLandingSpots.OurColony end table.iappend(SortedMarsScreenLandingSpots, rivals) table.iappend(SortedMarsScreenLandingSpots, special_projects) table.iappend(SortedMarsScreenLandingSpots, anomalies) end function SortMarsPointsOfInterest() DelayedCall(0, _SortMarsPointsOfInterest) end function OpenPlanetaryView(context) return OpenDialog("PlanetaryView", GetInGameInterface(), context) end function ClosePlanetaryView(context) return CloseDialog("PlanetaryView") end function GetSortedMarsPointsOfInterest() if not SortedMarsScreenLandingSpots then SortMarsPointsOfInterest() end return SortedMarsScreenLandingSpots end local function InsertMarsLandingSpot(spot) MarsScreenLandingSpots[#MarsScreenLandingSpots + 1] = spot if spot.id then MarsScreenLandingSpots[spot.id] = spot end SortMarsPointsOfInterest() end local function RemoveMarsLandingSpot(spot) local idx = table.find(MarsScreenLandingSpots, spot) if idx then table.remove(MarsScreenLandingSpots, idx) end MarsScreenLandingSpots[spot.id] = nil SortMarsPointsOfInterest() end DefineClass.MarsScreenPointOfInterest = { __parents = {"InitDone"}, id = false, spot_type = false, longitude = false, latitude = false, is_orbital = false, display_name = false, description = false, add_hr_info_onplace = false, } function MarsScreenPointOfInterest:Init() InsertMarsLandingSpot(self) end function MarsScreenPointOfInterest:Done() RemoveMarsLandingSpot(self) end DefineClass.MarsScreenOurColony = { __parents = {"MarsScreenPointOfInterest"}, spot_type = "our_colony", add_hr_info_onplace = true, } function GetLongDist(long1, long2) return abs(((abs(long1 - long2) + 180) % 360) - 180) end local function IsTooCloseToLandingSpot(lat, long, spot) local long_dist = GetLongDist(long, spot.longitude) local lat_dist = abs(lat - spot.latitude) local snap_range = Max(Max(abs(lat), abs(spot.latitude)) / 15, 1) * 8 return long_dist <= snap_range and lat_dist <= snap_range end function IsTooCloseToSpots(lat, long, spots) for _, spot in ipairs(spots or empty_table) do if IsTooCloseToLandingSpot(lat, long, spot) then return true end end end -- point_type = {rival, anomaly, project} function GenerateMarsScreenPoI(point_type) local lat, long local min_lat, max_lat = const.POIMinLat, const.POIMaxLat local max_long_dist = const.POIMaxLongDist local same_side_max_dist = const.POISameSideMaxDist local our_colony = table.find_value(MarsScreenLandingSpots, "id", "OurColony") if point_type == "anomaly" then --2/3 of the anomalies should be on the same side as our colony local front_count = 0 local back_count = 0 for i, spot in ipairs(MarsScreenLandingSpots) do if spot.spot_type == "anomaly" then local front = GetLongDist(spot.longitude, our_colony.longitude) <= same_side_max_dist front_count = front_count + (front and 1 or 0) back_count = back_count + (not front and 1 or 0) end end local total = front_count + back_count if total <= 0 or (3 * front_count) < (2 * total) then max_long_dist = same_side_max_dist end elseif point_type == "rival" then --constrain them to be on the same side of the planet as our colony max_long_dist = same_side_max_dist min_lat, max_lat = -45 * 60, 45 * 60 end local count = 0 while true do lat, long = GenerateRandomLandingLocation() if GetLongDist(long / 60, our_colony.longitude) <= max_long_dist and lat >= min_lat and lat <= max_lat and not IsTooCloseToSpots(lat / 60, long / 60, MarsScreenLandingSpots) then break end if count >= 100 then break end -- don't run infinitely count = count + 1 end return lat / 60, long / 60 end function InitMarsScreenData() if not MarsScreenLandingSpots then MarsScreenMapParams = table.copy(g_CurrentMapParams) MarsScreenMapParams.latitude = MarsScreenMapParams.latitude or 0 MarsScreenMapParams.longitude = MarsScreenMapParams.longitude or 0 MarsScreenLandingSpots = {} --generate points of interest on Mars MarsScreenOurColony:new{ id = "OurColony", latitude = MarsScreenMapParams.latitude, longitude = MarsScreenMapParams.longitude, display_name = T(11037, "Our Colony"), } Msg("OurColonyPlaced") end end function OnMsg.CityStart() InitMarsScreenData() end function PlanetaryExpeditionPossible(use_inorbit) return UICity:HasLandedRocket(use_inorbit) end function City:HasLandedRocket(use_inorbit) for _, rocket in ipairs(self.labels.AllRockets) do if rocket.command == "Refuel" or rocket.command == "WaitLaunchOrder" or (use_inorbit and rocket.command == "WaitInOrbit") then return true end end return false end function PromptNoAvailableRockets() CreateRealTimeThread(function() if WaitMarsQuestion(nil, T(6882, "Warning"), T(11238, "There aren't any available Rockets to send on a Trade or Scientific Expedition. You will need a Rocket landed on Mars to perform this action."), T(11239, "Go to Resupply View to request a Rocket from Earth (you will still have to setup the Expedition later)"), T(3687, "Cancel")) == "ok" then ClosePlanetaryView() OpenDialog("Resupply") end end) end function PromptRocketWillBeDestoyed(...) local args = {...} CreateRealTimeThread(function() if WaitMarsQuestion(nil, T(6882, "Warning"), T(12168, "The Rocket assigned to this special project will be lost. Are you sure that you want to do this?"), T(1000416, "OK"), T(3687, "Cancel")) == "ok" then SendRocketToMarsPoint(table.unpack(args)) end end) end function SendExpeditionAction(obj, spot, dialog, param, additional_params) local spot_type = spot and spot.spot_type if spot and spot_type=="project" then local project = Presets.POI.Default[spot.project_id] if project.consume_rocket then PromptRocketWillBeDestoyed(obj, spot, dialog, param, additional_params) return end end SendRocketToMarsPoint(obj, spot, dialog, param, additional_params ) end function GetRocketExpeditionStatus(rocket) if rocket.status == "mission" then return T(11228, "Flying to a Planetary Anomaly") elseif rocket.status == "mission return" then return T(11229, "Returning from a Planetary Anomaly") elseif rocket.status == "project" then return T(12043, "Flying to a special project") elseif rocket.status == "project return" then return T(12049, "Returning from special project") elseif rocket.status == "task" then return T(11589, "Flying to a Rival Colony") elseif rocket.status == "task return" then return T(11590, "Returning from a Rival Colony") elseif rocket.command == "WaitLaunchOrder" then return T(11240, "Ready") elseif rocket.command == "Refuel" then return T(11241, "Refueling") elseif rocket.command == "OnEarth" then return T(11242, "On Earth") elseif rocket.command == "ExpeditionRefuelAndLoad" or rocket.command == "ExpeditionPrepare" then return T(11677, "Preparing for expedition") elseif rocket.command == "WaitInOrbit" then return T(11243, "In orbit") elseif rocket.command == "LandOnMars" then return T(282, "Landing") elseif rocket.command == "Unload" then return T(761527590297, "Unloading") elseif rocket.command == "Countdown" or rocket.command == "Takeoff" then return T(11244, "Taking off") elseif rocket:IsLaunchAutomated() and rocket:HasCargoSpaceLeft() then return T(11039, "Loading cargo") end return T(709, "In transit") end function SendRocketToMarsPoint(obj, spot, dialog) local is_project = spot.spot_type == "project" if spot.spot_type == "anomaly" or is_project then local rocket = PlaceBuilding("RocketExpedition", {city = UICity, ExpeditionTime = is_project and spot.expedition_time or nil}) rocket:SetCommand("BeginExpedition", obj, spot) spot.rocket = rocket dialog:Close() CreateRealTimeThread(function() WaitMsg("PlanetCameraSet") ViewAndSelectObject(IsValid(obj) and obj or rocket) end) end end function ClearDestroyedExpeditionRocketSpot(rocket) if rocket.expedition and rocket.expedition.anomaly then rocket.expedition.anomaly.rocket = nil end if rocket.expedition and rocket.expedition.project then local spot = rocket.expedition.project spot.rocket = nil -- restore funding local funding = spot.funding if funding and funding>0 then rocket.city:ChangeFunding(funding, "special project") end end end function ClearExpeditionRocketSpot(rocket, spot) rocket:ExpeditionCancel() ObjModified(rocket) ClearDestroyedExpeditionRocketSpot(rocket) if spot and spot.rocket then spot.rocket = nil end end function CancelExpedition(rocket, dialog, spot) CreateRealTimeThread(function() local params = { title = T(311734996852, "Cancel Expedition"), text = T(11245, "Are you sure you want to cancel this expedition?"), choice1 = T(1138, "Yes"), choice2 = T(1139, "No"), start_minimized = false, } local res = WaitPopupNotification(false, params, false, dialog) if res == 1 then ClearExpeditionRocketSpot(rocket,spot) if dialog then local context = ResolvePropObj(dialog.context) if context then ObjModified(context) end dialog:UpdateActionViews(dialog.idActionBar) end end end) end function ClearContestNotifications() end
function momoTweak.recipe.Gold() local AddIng = momoIRTweak.recipe.SafeAddIngredient local ITEM = momoIRTweak.FastItem local components = momoTweak.components local FLUID = momoIRTweak.FastFluid local NEWComplex = momoIRTweak.recipe.NewComplexRecipe local UnlockAt = momoIRTweak.recipe.UnlockAtRef local fluidName = momoTweak.fluid --- add liquid copper recipe momoIRTweak.ValidateFluid(fluidName.copper, function(fluid) local copperLiquid = NEWComplex("induction-smelting", "momo-gold-to-copper-liquid", { ITEM("ingot-gold", 6), ITEM("ingot-copper", 12) }, { FLUID(fluid, 180) }, 4) copperLiquid.order = "g["..fluid.name.."]-a3" momoIRTweak.recipe.SetIcons(copperLiquid.name, fluid.icon, fluid.icon_size, { momoTweak.icon.number[3] }) UnlockAt(copperLiquid, "anode-copper-smelting") copperLiquid = NEWComplex("induction-smelting", "momo-silver-gold-to-copper-liquid", { ITEM("ingot-silver", 6), ITEM("ingot-gold", 6), ITEM("ingot-copper", 12) }, { FLUID(fluid, 240) }, 4) copperLiquid.order = "g["..fluid.name.."]-a4" momoIRTweak.recipe.SetIcons(copperLiquid.name, fluid.icon, fluid.icon_size, { momoTweak.icon.number[4] }) UnlockAt(copperLiquid, "anode-copper-smelting") end) AddIng(components.transformer, ITEM("gold-plate", 1)) AddIng("bob-laser-turret-4", ITEM("gold-plate", 20)) AddIng("bob-laser-turret-5", ITEM("gold-plate", 40)) end
package.path = "./src/?.lua;./unittest/?.lua;"..package.path local lunit = require "lunit" require "test" local stats = lunit.main() if stats.failed > 0 or stats.errors > 0 then os.exit(1) end
if SERVER then AddCSLuaFile("init_weaponalert.lua") print("---LOADING--- sn_weaponalert") end if CLIENT then armedWarningMat = Material("materials/textures/sn_weaponalert/gunalert.png") armedPlayers = {} validWeapons = {"cw_ak74","cw_ar15","cw_extrema_ratio_official","cw_flash_grenade", "cw_fiveseven", "cw_scarh", "cw_frag_grenade", "cw_g3a3", "cw_g18", "cw_g36c", "cw_ump45", "cw_mp5", "cw_kk_hk416", "cw_deagle", "cw_l115", "cw_l85a2", "cw_m14", "cw_m1911", "cw_m249_official", "cw_m3super90", "cw_mac11", "cw_mr96", "cw_p99", "cw_makarov", "cw_shorty", "cw_smoke_grenade", "cw_vss", "cw_ws_scifi_aug", "cw_k1s", "cw_scifi_pistol", "cwc_fate" } thinkInterval = 1 local function ArmedPlayersCheckThink() --print("---checking for armed players...") for k, v in pairs(player.GetAll()) do --print("Checking player: "..v:Nick()) if IsValid(v) && LocalPlayer():GetPos():Distance(v:GetPos()) <= 600 then local equipedWeapon = nil if IsValid(v) && v:Alive() then equipedWeapon = v:GetActiveWeapon():GetClass() else return end armed = false for key, value in pairs(validWeapons) do --print("\nEquiped weapon:"..equipedWeapon) --print("Checking against: "..value) if equipedWeapon == value then --print("\nPlayer is armed! checking table eligability...\n") armed = true end end --print("armed value: ") --print(armed) if !table.HasValue(armedPlayers, v:SteamID64()) and armed then --print("Adding player to table.") table.insert(armedPlayers, v:SteamID64()) end if table.HasValue(armedPlayers, v:SteamID64()) and !armed then --print("Removing player from table.") table.RemoveByValue(armedPlayers,v:SteamID64()) end --PrintTable(armedPlayers) end end end local function drawWarning() for k, v in pairs(armedPlayers) do --print("starting drawing...\n") --print("checking player: ") --print(v.."\n") if !IsValid(player.GetBySteamID64( v )) || !(player.GetBySteamID64( v ):Alive()) then return end --print("player valid") --print("drawing...") local offset = Vector( 0, 0, -25) local attach_id = player.GetBySteamID64( v ):LookupAttachment( 'eyes' ) if not attach_id then return end local attach = player.GetBySteamID64( v ):GetAttachment( attach_id ) if not attach then return end local playerPos = attach.Pos + offset local ang = LocalPlayer():GetAngles() ang.y = LocalPlayer():GetAngles().y ang.p = - 90 ang:RotateAroundAxis( ang:Up(), -90) cam.Start3D2D( playerPos, ang, 1 ) surface.SetDrawColor( 255, 255, 255, (CurTime()*300 % 255)*.2 ) surface.SetMaterial(armedWarningMat) surface.DrawTexturedRect( -5, -65, 10, 10) cam.End3D2D() end end hook.Add( "PreDrawEffects", "DrawArmedIcon", drawWarning) local function Initialize() timer.Create("armedPlayersCheckTimer", thinkInterval, 0, ArmedPlayersCheckThink) end hook.Add("Initialize", "Initializesnweaponalert", Initialize) end
local test = {} local Class = require('charon.oop.Class') local ActiveRecord = require('charon.ActiveRecord') local Employee = Class.new("Employee", "ActiveRecord") local Task = Class.new("Task", "ActiveRecord") Employee.hasMany { name = 'tasks', record = 'Task', foreignKey = 'employee_id' } Task.belongsTo { name = 'employee', record = 'Employee', foreignKey = 'employee_id' } test.beforeAll = function() ActiveRecord.reset() ActiveRecord.config = "config/active_record_sqlite.json" local sql = [[ CREATE TABLE IF NOT EXISTS employee ( id INTEGER PRIMARY KEY AUTOINCREMENT NOT NULL, name VARCHAR(250), observation TEXT, departament_id INTEGER, total REAL, created_at TEXT, updated_at TEXT )]] ActiveRecord.adapter():execute(sql) local sql = [[ CREATE TABLE IF NOT EXISTS task ( id INTEGER PRIMARY KEY AUTOINCREMENT NOT NULL, description VARCHAR(250), employee_id INTEGER )]] Task.adapter():execute(sql) end test.before = function() ActiveRecord.begin() end test.after = function() ActiveRecord.rollback() end test.afterAll = function() ActiveRecord.config = nil end test.should_return_employee_instance = function() local employee = Employee.new{ name = "John" } employee:save() local task1 = Task.new{ description = 'task 1', employee_id = employee.id } task1:save() local task2 = Task.new{ description = 'task 2', employee_id = employee.id } task2:save() assert( task1:employee() == employee ) assert( task2:employee() == employee ) end test.should_number_of_tasks = function() local employee = Employee.new{ name = "John" } employee:save() local task1 = Task.new{ description = 'task 1', employee_id = employee.id } task1:save() local task2 = Task.new{ description = 'task 2', employee_id = employee.id } task2:save() assert( #employee:tasks() == 2 ) end test.should_return_empty_table = function() local employee = Employee.new{ name = "John" } employee:save() assert( #employee:tasks() == 0 ) end test.should_return_order_asc_and_desc = function() local employee = Employee.new{ name = "John" } employee:save() local task1 = Task.new{ description = 'task 1', employee_id = employee.id } task1:save() local task2 = Task.new{ description = 'task 2', employee_id = employee.id } task2:save() Employee.hasMany { name = 'tasks', record = 'Task', foreignKey = 'employee_id', order = 'description DESC' } assert( employee:tasks()[1].description == 'task 2', employee:tasks()[1].description ) Employee.hasMany { name = 'tasks', record = 'Task', foreignKey = 'employee_id', order = 'description ASC' } assert( employee:tasks()[1].description == 'task 1', employee:tasks()[1].description ) end return test
vim.g.UltiSnipsEditSplit="vertical" vim.g.UltiSnipsExpandTrigger="<C-/>"
vim.g.localvimrc_ask = 0 vim.g.localvimrc_sandbox = 0
return function() local ddlt = {} ddlt.appName = 'dd-lua-tester' ddlt.version = '0.0.1' ddlt.publish = print ddlt.subscribe = function() end return ddlt end
PathSearchNode = {} PathSearchNode.__index = PathSearchNode function PathSearchNode:new(x, y, index, parentIndex) parentIndex = parentIndex or 0 local node = { x = x, y = y, index = index, parentIndex = parentIndex, g = 0, h = 0, f = 0 } setmetatable(node, self) return node end function PathSearchNode:__tostring() return '{ x = ' .. self.x .. ', y = ' .. self.y .. ', index = ' .. self.index .. ', parentIndex = ' .. self.parentIndex .. ', g = ' .. self.g .. ', h = ' .. self.h .. ', f = ' .. self.f .. ' }' end Pathfinder = {} Pathfinder.__index = Pathfinder function Pathfinder:new(map) local pathfinder = { map = map } pathfinder.straightWeight = 1 pathfinder.diagonalWeight = math.sqrt(2) setmetatable(pathfinder, self) return pathfinder end function Pathfinder:findPath(from, to, coop) if coop then self.coroutine = coroutine.create(self.AStar) self.lastFrom = from self.lastTo = to else return self:AStar(from, to, false) end end function Pathfinder:process() if self.coroutine then local status, result = coroutine.resume(self.coroutine, self, self.lastFrom, self.lastTo, true) return result end end function Pathfinder:AStar(from, to, coop) if from.x == to.x and from.y == to.y then return nil end local tile = self.map:getTile(from.x, from.y) if not tile or tile.isBlocking then return nil end local openedList, openedMap, closedMap = {}, {}, {} local iterations, openedNodesThisIter, openedNodesTotal, closedNodesTotal, duplicateNodesTotal, allNodesTotal = 0, 0, 0, 0, 0, 0 -- function for adding new child node to parent node function addNode(parentNode, xOff, yOff) local x, y = parentNode.x + xOff, parentNode.y + yOff local node = PathSearchNode:new(x, y, self.map:getTileIndex(x, y), parentNode.index) if closedMap[node.index] then return false end local tile = self.map:getTile(node.x, node.y) if not tile or tile.isBlocking then return false end if node.x == to.x and node.y == to.y then closedMap[node.index] = node return node.index end local weight = self.straightWeight if xOff ~= 0 and yOff ~= 0 then weight = self.diagonalWeight end node.g = parentNode.g + weight node.h = math.abs(to.x - node.x) + math.abs(to.y - node.y) node.f = node.g + node.h local existingOpenedNode = openedMap[node.index] if existingOpenedNode and existingOpenedNode.f < node.f then return false end table.insert(openedList, node) openedMap[node.index] = node openedNodesThisIter = openedNodesThisIter + 1 openedNodesTotal = openedNodesTotal + 1 if existingOpenedNode then duplicateNodesTotal = duplicateNodesTotal + 1 end allNodesTotal = allNodesTotal + 1 return false end -- function for composing found path function composePath(index) local path = {} -- adding steps while index > 0 do local node = closedMap[index] if not node then node = openedMap[index] end table.insert(path, { x = node.x, y = node.y }) index = node.parentIndex end -- reversing order local i, j = 1, #path while i < j do path[i], path[j] = path[j], path[i] i = i + 1 j = j - 1 end return path end -- adding from node local fromNode = PathSearchNode:new(from.x, from.y, self.map:getTileIndex(from.x, from.y)) table.insert(openedList, fromNode) openedMap[fromNode.index] = fromNode openedNodesTotal = openedNodesTotal + 1 allNodesTotal = allNodesTotal + 1 -- opened list loop while #openedList > 0 do local node = table.remove(openedList, 1) node = openedMap[node.index] openedNodesTotal = openedNodesTotal - 1 if node then openedMap[node.index] = nil closedMap[node.index] = node closedNodesTotal = closedNodesTotal + 1 openedNodesThisIter = 0 local result = false result = addNode(node, -1, -1) if result then return composePath(result) end result = addNode(node, 0, -1) if result then return composePath(result) end result = addNode(node, 1, -1) if result then return composePath(result) end result = addNode(node, 1, 0) if result then return composePath(result) end result = addNode(node, 1, 1) if result then return composePath(result) end result = addNode(node, 0, 1) if result then return composePath(result) end result = addNode(node, -1, 1) if result then return composePath(result) end result = addNode(node, -1, 0) if result then return composePath(result) end table.sort(openedList, function(a, b) return a.f < b.f end) iterations = iterations + 1 if coop then coroutine.yield({ openedList = openedList, closedMap = closedMap, activeNode = node, iterations = iterations, openedNodesThisIter = openedNodesThisIter, openedNodesTotal = openedNodesTotal, closedNodesTotal = closedNodesTotal, duplicateNodesTotal = duplicateNodesTotal, allNodesTotal = allNodesTotal }) end end end end
--- The player_manager library lets you manage players, such as setting their models or creating player classes. _G.player_manager = {} --- Assigns view model hands to player model. --- @param name string @Player model name --- @param model string @Hands model --- @param skin number @Skin to apply to the hands --- @param bodygroups string @Bodygroups to apply to the hands function player_manager.AddValidHands(name, model, skin, bodygroups) end --- Associates a simplified name with a path to a valid player model. --- Only used internally. --- @param name string @Simplified name --- @param model string @Valid PlayerModel path function player_manager.AddValidModel(name, model) end --- Returns the entire list of valid player models. function player_manager.AllValidModels() end --- Clears a player's class association by setting their ClassID to 0 --- @param ply GPlayer @Player to clear class from function player_manager.ClearPlayerClass(ply) end --- Gets a players class --- @param ply GPlayer @Player to get class --- @return string @The players class function player_manager.GetPlayerClass(ply) end --- Applies basic class variables when the player spawns. --- Called from GM:PlayerSpawn in the base gamemode. --- @param ply GPlayer @Player to setup function player_manager.OnPlayerSpawn(ply) end --- Register a class metatable to be assigned to players later --- @param name string @Class name --- @param table table @Class metatable --- @param base string @Base class name function player_manager.RegisterClass(name, table, base) end --- Execute a named function within the player's set class --- @param ply GPlayer @Player to execute function on. --- @param funcName string @Name of function. --- @vararg any @Optional arguments --- @return any @The values returned by the called function. function player_manager.RunClass(ply, funcName, ...) end --- Sets a player's class --- @param ply GPlayer @Player to set class --- @param classname string @Name of class to set function player_manager.SetPlayerClass(ply, classname) end --- Retrieves correct hands for given player model. By default returns citizen hands. --- @param name string @Player model name --- @return table @A table with following contents: function player_manager.TranslatePlayerHands(name) end --- Returns the valid model path for a simplified name. --- @param shortName string @The short name of the model. --- @return string @The valid model path for the short name. function player_manager.TranslatePlayerModel(shortName) end --- Returns the simplified name for a valid model path of a player model. --- Opposite of player_manager.TranslatePlayerModel. --- @param model string @The model path to a player model --- @return string @The simplified name for that model function player_manager.TranslateToPlayerModelName(model) end
return function() local Queue = require(script.Parent) local function TypeOf(Value) local ValueType = typeof(Value) if ValueType == "table" then local Metatable = getmetatable(Value) if type(Metatable) == "table" then local CustomType = Metatable.__type or Metatable.ClassName if CustomType then return CustomType end end end return ValueType end local ThrowawayClass = {} ThrowawayClass.ClassName = "ThrowawayClass" ThrowawayClass.__index = ThrowawayClass function ThrowawayClass.new() return setmetatable({}, ThrowawayClass) end function ThrowawayClass:__tostring() return "ThrowawayClass" end describe("Queue.new", function() it("should return a Queue", function() expect(TypeOf(Queue.new())).to.equal("Queue") end) end) describe("Queue.Is", function() it("should return true for Queues, false for anything else", function() expect(Queue.Is(Queue.new())).to.equal(true) expect(Queue.Is(ThrowawayClass.new())).to.equal(false) expect(Queue.Is(1)).to.equal(false) end) end) describe("Queue:Push", function() it("should throw if the passed value is nil", function() expect(function() Queue.new():Push(nil) end).to.throw() end) it("should return the position", function() local TestQueue = Queue.new() expect(TestQueue:Push(1)).to.equal(1) expect(TestQueue:Push(2)).to.equal(2) end) it("should push to the end of the queue", function() local TestQueue = Queue.new() TestQueue:Push(1) TestQueue:Push(2) expect(TestQueue[TestQueue.Length]).to.equal(2) end) end) describe("Queue:Pop", function() it("should return nil if the queue is empty", function() expect(Queue.new():Pop()).to.equal(nil) end) it("should remove and return the first value", function() local TestQueue = Queue.new() TestQueue:Push(1) TestQueue:Push(2) TestQueue:Push(3) expect(TestQueue[1]).to.equal(1) expect(TestQueue:Pop()).to.equal(1) end) end) describe("Queue:Front", function() it("should return the first value", function() local TestQueue = Queue.new() TestQueue:Push(1) TestQueue:Push(2) expect(TestQueue:Front()).to.equal(1) end) end) describe("Queue:Back", function() it("should return the last value", function() local TestQueue = Queue.new() TestQueue:Push(1) TestQueue:Push(2) expect(TestQueue:Back()).to.equal(2) end) end) describe("Queue:IsEmpty", function() it("should return true iff the queue is empty", function() local TestQueue = Queue.new() expect(TestQueue:IsEmpty()).to.equal(true) TestQueue:Push(1) expect(TestQueue:IsEmpty()).to.equal(false) end) end) describe("Queue:Iterator", function() it("should return an iterator", function() expect(Queue.new():Iterator()).to.be.a("function") end) -- how do I even test this it("should return the index and value", function() local TestQueue = Queue.new() TestQueue:Push(4) TestQueue:Push(3) TestQueue:Push(2) TestQueue:Push(1) local Array = table.create(TestQueue.Length) for Index, Value in TestQueue:Iterator() do table.insert(Array, string.format("[%d,%d]", Index, Value)) end expect(table.concat(Array, ", ")).to.equal("[1,4], [2,3], [3,2], [4,1]") end) end) end
object_tangible_component_weapon_new_weapon_enhancement_ranged_slot_one_base = object_tangible_component_weapon_new_weapon_shared_enhancement_ranged_slot_one_base:new { } ObjectTemplates:addTemplate(object_tangible_component_weapon_new_weapon_enhancement_ranged_slot_one_base, "object/tangible/component/weapon/new_weapon/enhancement_ranged_slot_one_base.iff")
require 'rnn' require 'nnx' -- for CTCCriterion require 'math' local cmd = torch.CmdLine() cmd:text() cmd:text('Option:') cmd:option('-dataset', 'fullset.dat', 'fullset for training and validation') cmd:option('-lang', 'number', 'to recognize numbers or Chinese Character') cmd:option('-model', '', 'load existed model') cmd:option('-splitrate', 0.8, 'split rate for fullset, trainset and validset') -- training cmd:option('-maxepochs', 1000, 'maximum epochs') cmd:option('-gpuid', -1, 'which GPU to use, start from 0, and -1 means using CPU') cmd:option('-batchsize', 50, 'batchsize') cmd:option('-lr', 0.1, 'learning rate') cmd:option('-momentum', 0.9, 'momentum for sgd') cmd:option('cutoff', 5, 'cutoff for LSTM, solve gradient explosion problem') cmd:option('dropout', 0.5, 'the probability of dropout activation value for model') cmd:option('-savefreq', 10, 'save frequency') cmd:option('-verbose', false, 'to print extra verbose information') cmd:text() local opt = cmd:parse(arg or {}) -- loading input local fullset = torch.load(opt.dataset) local trainset = {} local validset = {} trainset.targets = {} validset.targets = {} trainset.size = math.floor(fullset.size * opt.splitrate) validset.size = fullset.size - trainset.size trainset.inputs = fullset.inputs[{{1, trainset.size}, {}, {}}] validset.inputs = fullset.inputs[{{trainset.size + 1, fullset.size}, {}, {}}] for i = 1, trainset.size do trainset.targets[i] = fullset.targets[i] end for i = 1, validset.size do validset.targets[i] = fullset.targets[i+trainset.size] end print(string.format('train size = %d, valid size = %d', trainset.size, validset.size)) local decoder_util = require 'decoder' local decoder = {} if opt.lang == 'number' then decoder = decoder_util.create('codec_num.txt', 36, 255) else if opt.lang == 'chinese' then decoder = decoder_util.create('codec.txt', 36, 2048) end end local vocab_size = decoder.vocab_size local height, width = decoder.input_dims, decoder.max_steps -- building model local model = nn.Sequential() model:add(nn.SplitTable(1)) local hiddensize = {height, 128} local inputsize = hiddensize[1] nn.FastLSTM.bn = true nn.FastLSTM.usenngraph = true for i = 2, #hiddensize do local rnn = nn.FastLSTM(inputsize, hiddensize[i]) model:add(nn.Sequencer(rnn)) model:add(nn.Sequencer(nn.ReLU())) model:add(nn.Sequencer(nn.BatchNormalization(hiddensize[i]))) model:add(nn.Sequencer(nn.Dropout(opt.dropout))) inputsize = hiddensize[i] end model:add(nn.Sequencer(nn.Linear(hiddensize[#hiddensize], vocab_size))) model:add(nn.JoinTable(1)) model:add(nn.View(decoder.max_steps, decoder.vocab_size)) local ctcCriterion = nn.CTCCriterion(true) if opt.gpuid >= 0 then require 'cutorch' require 'cunn' cutorch.setDevice(opt.gpuid + 1) local free, total = cutorch.getMemoryUsage(opt.gpuid + 1) print(string.format("GPU %d has %dM memory left, with %dM totally", opt.gpuid + 1, free/1000000, total/1000000)) trainset.inputs = trainset.inputs:cuda() validset.inputs = validset.inputs:cuda() model = model:cuda() ctcCriterion = ctcCriterion:cuda() end for k, param in ipairs(model:parameters()) do param:uniform(-0.08, 0.08) end if opt.model ~= '' then model = torch.load(opt.model) end print(model) -- training function train() local total_loss = 0 local total_accu = 0 local shuffle = torch.randperm(trainset.size) local totalsize = math.ceil(trainset.size / opt.batchsize) local count = 1 for t = 1, trainset.size, opt.batchsize do xlua.progress(count, totalsize) count = count + 1 local actualsize = math.min(opt.batchsize + t - 1, trainset.size) - t + 1 local inputs = torch.Tensor(actualsize, width, height):fill(0) if opt.gpuid >= 0 then inputs = inputs:cuda() end local targets = {} local sizes = {} for i = t, t+actualsize-1 do inputs[i - t + 1] = trainset.inputs[shuffle[i]]:t() table.insert(targets, trainset.targets[shuffle[i]]) table.insert(sizes, width) end local outputs = model:forward(inputs) -- calc ctc losses local loss = ctcCriterion:forward(outputs, targets, torch.Tensor(sizes)) local gradOutput = ctcCriterion:backward(outputs, targets) model:zeroGradParameters() model:backward(inputs, gradOutput) model:gradParamClip(opt.cutoff) model:updateGradParameters(opt.momentum) model:updateParameters(opt.lr) total_loss = total_loss + loss * actualsize local pred_targets = decoder:outputs2targets(outputs) local accu, _ = decoder:compare_targets(pred_targets, targets) total_accu = total_accu + accu end return total_loss / trainset.size, total_accu / trainset.size end -- evaluating function eval() local total_loss = 0 local total_accu = 0 local shuffle = torch.randperm(validset.size) for t = 1, validset.size, opt.batchsize do local actualsize = math.min(opt.batchsize + t - 1, validset.size) - t + 1 local inputs = torch.Tensor(actualsize, width, height):fill(0) if opt.gpuid >= 0 then inputs = inputs:cuda() end local targets = {} local sizes = {} for i = t, t+actualsize-1 do inputs[i-t+1] = validset.inputs[shuffle[i]]:t() table.insert(targets, validset.targets[shuffle[i]]) table.insert(sizes, width) end local outputs = model:forward(inputs) local loss = ctcCriterion:forward(outputs, targets, torch.Tensor(sizes)) total_loss = total_loss + loss * actualsize local pred_targets = decoder:outputs2targets(outputs) local accu, _ = decoder:compare_targets(pred_targets, targets) total_accu = total_accu + accu end return total_loss / validset.size, total_accu / validset.size end function showexample(num) -- randomly pick 10 pictures from validation set to see how things going num = num or 5 local inputs = torch.Tensor(num, width, height) if opt.gpuid >= 0 then inputs = inputs:cuda() end local targets = {} for i = 1, num do local index = math.random(validset.size) inputs[i] = validset.inputs[index]:t() targets[#targets + 1] = validset.targets[index] end local outputs = model:forward(inputs) local pred_targets = decoder:outputs2targets(outputs) for i = 1, num do local pred_str = decoder:target2str(pred_targets[i]) local str = decoder:target2str(targets[i]) print(string.format('i = %d,\t%s,\tpred = %s, \t target = %s', i, tostring(pred_str == str), pred_str, str)) end end do local stoppinglr = opt.lr * 0.0001 local stopwatch = 0 local last_v_loss = 100 for epoch = 1, opt.maxepochs do -- training and validating local timer = torch.Timer() model:training() local loss, accu = train() model:evaluate() local v_loss, v_accu = eval() local format = 'epoch = %d, loss = %.4f, accu = %.4f, v_loss = %.4f, v_accu = %.4f, costed %.3f s' print(string.format(format, epoch, loss, accu, v_loss, v_accu, timer:time().real)) if opt.verbose then showexample() end -- early-stopping if v_loss > last_v_loss then if stopwatch >= 8 then if opt.lr < stoppinglr then break -- minimum learning rate else -- decrease the learning rate and recount the stopwatch again opt.lr = opt.lr / 2 print('new learning rate is ' .. opt.lr) stopwatch = 0 end else stopwatch = stopwatch + 1 -- the valid loss didn't decrease for another time end end last_v_loss = v_loss -- dump model if epoch % opt.savefreq == 0 then local modelname = string.format('model_e%d_a%.2f.t7', epoch, v_accu) print('saving model as ' .. modelname) torch.save(modelname, model) end end end
-- internationalization boilerplate local MP = minetest.get_modpath(minetest.get_current_modname()) local S, NS = dofile(MP.."/intllib.lua") -- formspec local function get_hopper_formspec(pos) local spos = hopper.get_string_pos(pos) local formspec = "size[8,9]" .. hopper.formspec_bg .. "list[nodemeta:" .. spos .. ";main;2,0.3;4,4;]" .. hopper.get_eject_button_texts(pos, 7, 2) .. "list[current_player;main;0,4.85;8,1;]" .. "list[current_player;main;0,6.08;8,3;8]" .. "listring[nodemeta:" .. spos .. ";main]" .. "listring[current_player;main]" return formspec end local hopper_on_place = function(itemstack, placer, pointed_thing, node_name) local pos = pointed_thing.under local pos2 = pointed_thing.above local x = pos.x - pos2.x local z = pos.z - pos2.z local returned_stack, success -- unfortunately param2 overrides are needed for side hoppers even in the non-single-craftable-item case -- because they are literally *side* hoppers - their spouts point to the side rather than to the front, so -- the default item_place_node orientation code will not orient them pointing toward the selected surface. if x == -1 and (hopper.config.single_craftable_item or node_name == "hopper:hopper_side") then returned_stack, success = minetest.item_place_node(ItemStack("hopper:hopper_side"), placer, pointed_thing, 0) elseif x == 1 and (hopper.config.single_craftable_item or node_name == "hopper:hopper_side") then returned_stack, success = minetest.item_place_node(ItemStack("hopper:hopper_side"), placer, pointed_thing, 2) elseif z == -1 and (hopper.config.single_craftable_item or node_name == "hopper:hopper_side") then returned_stack, success = minetest.item_place_node(ItemStack("hopper:hopper_side"), placer, pointed_thing, 3) elseif z == 1 and (hopper.config.single_craftable_item or node_name == "hopper:hopper_side") then returned_stack, success = minetest.item_place_node(ItemStack("hopper:hopper_side"), placer, pointed_thing, 1) else if hopper.config.single_craftable_item then node_name = "hopper:hopper" -- For cases where single_craftable_item was set on an existing world and there are still side hoppers in player inventories end returned_stack, success = minetest.item_place_node(ItemStack(node_name), placer, pointed_thing) end if success then local meta = minetest.get_meta(pos2) meta:set_string("placer", placer:get_player_name()) if not minetest.settings:get_bool("creative_mode") then itemstack:take_item() end end return itemstack end ------------------------------------------------------------------------------------------- -- Hoppers minetest.register_node("hopper:hopper", { drop = "hopper:hopper", description = S("Hopper"), _doc_items_longdesc = hopper.doc.hopper_long_desc, _doc_items_usagehelp = hopper.doc.hopper_usage, groups = {cracky = 3}, sounds = hopper.metal_sounds, drawtype = "nodebox", paramtype = "light", paramtype2 = "facedir", tiles = { "hopper_top_" .. hopper.config.texture_resolution .. ".png", "hopper_top_" .. hopper.config.texture_resolution .. ".png", "hopper_front_" .. hopper.config.texture_resolution .. ".png" }, node_box = { type = "fixed", fixed = { --funnel walls {-0.5, 0.0, 0.4, 0.5, 0.5, 0.5}, {0.4, 0.0, -0.5, 0.5, 0.5, 0.5}, {-0.5, 0.0, -0.5, -0.4, 0.5, 0.5}, {-0.5, 0.0, -0.5, 0.5, 0.5, -0.4}, --funnel base {-0.5, 0.0, -0.5, 0.5, 0.1, 0.5}, --spout {-0.3, -0.3, -0.3, 0.3, 0.0, 0.3}, {-0.15, -0.3, -0.15, 0.15, -0.7, 0.15}, }, }, selection_box = { type = "fixed", fixed = { --funnel {-0.5, 0.0, -0.5, 0.5, 0.5, 0.5}, --spout {-0.3, -0.3, -0.3, 0.3, 0.0, 0.3}, {-0.15, -0.3, -0.15, 0.15, -0.7, 0.15}, }, }, on_construct = function(pos) local inv = minetest.get_meta(pos):get_inventory() inv:set_size("main", 4*4) end, on_place = function(itemstack, placer, pointed_thing) return hopper_on_place(itemstack, placer, pointed_thing, "hopper:hopper") end, can_dig = function(pos, player) local inv = minetest.get_meta(pos):get_inventory() return inv:is_empty("main") end, on_rightclick = function(pos, node, clicker, itemstack) if minetest.is_protected(pos, clicker:get_player_name()) and not minetest.check_player_privs(clicker, "protection_bypass") then return end minetest.show_formspec(clicker:get_player_name(), "hopper_formspec:"..minetest.pos_to_string(pos), get_hopper_formspec(pos)) end, on_metadata_inventory_move = function(pos, from_list, from_index, to_list, to_index, count, player) minetest.log("action", S("@1 moves stuff in hopper at @2", player:get_player_name(), minetest.pos_to_string(pos))) end, on_metadata_inventory_put = function(pos, listname, index, stack, player) minetest.log("action", S("@1 moves stuff to hopper at @2", player:get_player_name(), minetest.pos_to_string(pos))) end, on_metadata_inventory_take = function(pos, listname, index, stack, player) minetest.log("action", S("@1 moves stuff from hopper at @2", player:get_player_name(), minetest.pos_to_string(pos))) end, }) local hopper_side_drop local hopper_groups if hopper.config.single_craftable_item then hopper_side_drop = "hopper:hopper" hopper_groups = {cracky=3, not_in_creative_inventory = 1} else hopper_side_drop = "hopper:hopper_side" hopper_groups = {cracky=3} end minetest.register_node("hopper:hopper_side", { description = S("Side Hopper"), _doc_items_longdesc = hopper.doc.hopper_long_desc, _doc_items_usagehelp = hopper.doc.hopper_usage, drop = hopper_side_drop, groups = hopper_groups, sounds = hopper.metal_sounds, drawtype = "nodebox", paramtype = "light", paramtype2 = "facedir", tiles = { "hopper_top_" .. hopper.config.texture_resolution .. ".png", "hopper_bottom_" .. hopper.config.texture_resolution .. ".png", "hopper_back_" .. hopper.config.texture_resolution .. ".png", "hopper_side_" .. hopper.config.texture_resolution .. ".png", "hopper_back_" .. hopper.config.texture_resolution .. ".png", "hopper_back_" .. hopper.config.texture_resolution .. ".png" }, node_box = { type = "fixed", fixed = { --funnel walls {-0.5, 0.0, 0.4, 0.5, 0.5, 0.5}, {0.4, 0.0, -0.5, 0.5, 0.5, 0.5}, {-0.5, 0.0, -0.5, -0.4, 0.5, 0.5}, {-0.5, 0.0, -0.5, 0.5, 0.5, -0.4}, --funnel base {-0.5, 0.0, -0.5, 0.5, 0.1, 0.5}, --spout {-0.3, -0.3, -0.3, 0.3, 0.0, 0.3}, {-0.7, -0.3, -0.15, 0.15, 0.0, 0.15}, }, }, selection_box = { type = "fixed", fixed = { --funnel {-0.5, 0.0, -0.5, 0.5, 0.5, 0.5}, --spout {-0.3, -0.3, -0.3, 0.3, 0.0, 0.3}, {-0.7, -0.3, -0.15, 0.15, 0.0, 0.15}, }, }, on_construct = function(pos) local inv = minetest.get_meta(pos):get_inventory() inv:set_size("main", 4*4) end, on_place = function(itemstack, placer, pointed_thing) return hopper_on_place(itemstack, placer, pointed_thing, "hopper:hopper_side") end, can_dig = function(pos,player) local inv = minetest.get_meta(pos):get_inventory() return inv:is_empty("main") end, on_rightclick = function(pos, node, clicker, itemstack) if minetest.is_protected(pos, clicker:get_player_name()) and not minetest.check_player_privs(clicker, "protection_bypass") then return end minetest.show_formspec(clicker:get_player_name(), "hopper_formspec:"..minetest.pos_to_string(pos), get_hopper_formspec(pos)) end, on_metadata_inventory_move = function(pos, from_list, from_index, to_list, to_index, count, player) minetest.log("action", S("@1 moves stuff in hopper at @2", player:get_player_name(), minetest.pos_to_string(pos))) end, on_metadata_inventory_put = function(pos, listname, index, stack, player) minetest.log("action", S("@1 moves stuff to hopper at @2", player:get_player_name(), minetest.pos_to_string(pos))) end, on_metadata_inventory_take = function(pos, listname, index, stack, player) minetest.log("action", S("@1 moves stuff from hopper at @2", player:get_player_name(), minetest.pos_to_string(pos))) end, })
-- Settings vim.g.coq_settings = { auto_start = "shut-up", clients = { tabnine = { enabled = true, }, }, display = { mark_highlight_group = "COQMarks", }, keymap = { recommended = false, jump_to_mark = "<C-s>", }, } local coq = require("coq") local coq_3p = require("coq_3p") local lspinstall = require("nvim-lsp-installer") local capabilities = vim.lsp.protocol.make_client_capabilities() capabilities.textDocument.completion.completionItem.snippetSupport = true capabilities.offsetEncoding = { "utf-16" } lspinstall.on_server_ready(function(server) local config = { capabilities = capabilities, flags = { debounce_text_changes = 500 }, on_attach = function(client) client.resolved_capabilities.document_formatting = false client.resolved_capabilities.document_range_formatting = false if client.name == "jdtls" then require("jdtls").setup_dap({ hotcodereplace = "auto" }) require("jdtls.dap").setup_dap_main_class_configs() end end, } if server.name == "texlab" then config.settings = { texlab = { build = { args = { "-halt-on-error", "%f" }, executable = "pdflatex", onSave = true, }, }, } elseif server.name == "html" or server.name == "emmet_ls" then config.filetypes = { "html", "css", "javascriptreact" } elseif server.name == "jdtls" then config.init_options = { bundles = { vim.fn.glob( vim.fn.stdpath("data") .. "/dapinstall/java-debug/com.microsoft.java.debug.plugin/target/com.microsoft.java.debug.plugin-*.jar" ), }, extendedCapabilities = require("jdtls").extendedClientCapabilities, } end server:setup(coq.lsp_ensure_capabilities(config)) end) coq_3p({ { src = "copilot", short_name = "COP", accept_key = "<C-f>" }, }) require("lspsaga").init_lsp_saga({ finder_action_keys = { open = { "<CR>", "o" }, quit = { "q", "<esc>", "<C-c>" }, }, code_action_keys = { quit = { "q", "<esc>", "<C-c>" }, }, rename_action_keys = { quit = { "<esc>", "<C-c>" }, }, })
object_tangible_furniture_decorative_community_tcg_gcw_photo_contest_painting_2010_02 = object_tangible_furniture_decorative_shared_community_tcg_gcw_photo_contest_painting_2010_02:new { } ObjectTemplates:addTemplate(object_tangible_furniture_decorative_community_tcg_gcw_photo_contest_painting_2010_02, "object/tangible/furniture/decorative/community_tcg_gcw_photo_contest_painting_2010_02.iff")
--[[ pbInfo - Locales/lang.FR.lua Traduit par Juki de la guilde <Carpe Diem> serveur Claiomh FR v0.49 by p.b. a.k.a. novayuna released under the Creative Commons License By-Nc-Sa: http://creativecommons.org/licenses/by-nc-sa/3.0/ thx to wolf79400 and Yogg for the translation! -- commented lines need translations $B!&(B: \195\160 $B!&(B: \195\168 $B!&(B: \195\172 $B!&(B: \195\178 $B!&(B: \195\185 $B!&(B: \195\161 $B!&(B: \195\169 $B!&(B: \195\173 $B!&(B: \195\179 $B!&(B: \195\186 $B!&(B: \195\162 $B!&(B: \195\170 $B!&(B: \195\174 $B!&(B: \195\180 $B!&(B: \195\187 $B!&(B: \195\163 $B!&(B: \195\171 $B!&(B: \195\175 $B!&(B: \195\181 $B!&(B: \195\188 $B!&(B: \195\164 $B!&(B: \195\177 $B!&(B: \195\182 $B!&(B: \195\166 $B!&(B: \195\184 $B!&(B: \195\167 ? : \197\147 $B%H(B : \195\132 $B%h(B : \195\150 $B%o(B : \195\156 $B!,(B : \195\159 ]]-- pbInfo.QuestTracker.CompleteText = "%(Termin\195\169e%)"; pbInfo.QuestTracker.DailyQuestPatterns = {"pouvez encore terminer (%d+) Qu", "ne pouvez pas terminer Qu", "utilisez Billet de qu\195\170tes quotidiennes"}; pbInfo.ChatFrame.XPTP = {'^%d+ XP', '^%d+ PTA'}; pbInfo.ChatFrame.XPTPDebt = {"^Votre dette d'exp\195\169rience a diminu\195\169 de %d+", "^Votre dette de PTA a diminu\195\169 de %d+"}; pbInfo.ChatFrame.Progress = {'^Progression de (.+) : [%d.]+%%'}; -- do not translate %s and PERCENTAGE pbInfo.Locale = { ["Messages"] = { ["DESCRIPTION"] = "pbInfo shows a tooltip with several information about the mob, player or NPC you are hovering, a tooltip with information about gathering materials and it modifies the target blood bars to show a mob's real healthpoints.\n\nBy now, pbInfo includes a ThreatMeter, a QuestTracker and a ChatLog.", ["LOADED"] = "Add-on charg\195\169 - traduit par |cff00FF00wolf|r, |cff00FF00Yogg|r et |cff00FF00Juki|r", ["NVT"] = "Cible incorrecte !", ["TOGGLEtrue"] = " A \195\169t\195\169 |cff00FF00activ\195\169|r avec succ\195\168s.", ["TOGGLEfalse"] = " A \195\169t\195\169 |cffFF0000d\195\169sactiv\195\169|r avec succ\195\168s.", ["TOGGLEerror"] = " n'existe pas dans la configuration.", ["ONLOAD"] = "Utilisez le bouton de la minimap ou /pbic pour changer les options.", ["ATTENTIONENABLE"] = "Attention : l'add-on a \195\169t\195\169 |cffFF0000d\195\169sactiv\195\169|r dans le pass\195\169. Utilisez /pbic pour le remettre." }, ["Tooltip"] = { ["HP"] = "Vie", ["LVL"] = "Niveau", ["PROGRESS"] = "Progression", ["TITLE"] = "Titre", ["GUILD"] = "Guilde", ["DISTANCE"] = "Distance", ["TARGET"] = "Cible", ["MANATYPE1"] = "Mana", ["MANATYPE2"] = "Rage", ["MANATYPE3"] = "Focus", ["MANATYPE4"] = "Energie", ["MATINBAG"] = "Dans les sacs", ["MATONBANK"] = "Dans la banque" }, ["ClockTooltip"] = { ["CNDTIME"] = "Moment :", ["ONLINE"] = "En ligne depuis ", ["TIMEFORMAT"] = "%H:%M" -- http://www.lua.org/pil/22.1.html }, ["QuestTracker"] = { ["DAILY"] = "Quete journali\195\168re", ["REWARD"] = "R\195\169compense", ["QUESTNPC"] = "PNJ", ["XP"] = "XP", ["TP"] = "TP", ["GOLD"] = "Or", ["DQITEMS"] = "Objets de qu\195\170te journali\195\168re", ["COMPLQUESTS"] = "Qu\195\170tes termin\195\169es", ["INFOTOOLTIP"] = "Clic gauche pour activer le suivi des qu\195\170tes.\n\nMaj + clic droit pour le d\195\169placer." }, ["Config"] = { ["Title"] = "Configuration de pbInfo", ["TabGeneral"] = "G\195\169n\195\169ral", ["TabTooltip"] = "Info-bulle", ["TabTargetFrame"] = "Vie de la cible", ["TabBloodBars"] = "BloodBars", ["TabThreatMeter"] = "ThreatMeter", ["TabQuestTracker"] = "Suivi des qu\195\170tes", ["TabChatLog"] = "Journal", ["TabChatFrame"] = "Discussion", ["TabCastingBar"] = "Barre de cast", ["SettingEnable"] = "Activer pbInfo", ["SettingThousandsSeparatorFormat"] = "S\195\169parateur de milliers :", ["SettingTimeStampFormat"] = "Format heure :", ["SettingExtraLanguage"] = "Langue :", ["SettingModifyTooltip"] = "Montrer les infos des monstres et des joueurs", ["SettingModifyHealthbar"] = "Montrer la vraie vie de la cible", ["SettingHealthbarShowPercentage"] = "Garder les valeurs en pourcentage", ["SettingHealthColorFade"] = "Lisser les couleurs de vie", ["SettingShowMana"] = "Afficher le mana, rage, energie et focus", ["SettingShowDistance"] = "Afficher la distance", ["SettingTooltipShowRace"] = "Afficher la race", ["SettingTooltipShowPlayerInfo"] = "Afficher les titres des joueurs (experimental)", ["SettingShowMouseoverTarget"] = "Afficher la cible de la cible", ["SettingAllNPC"] = "Activer pour tous les PNJ", ["SettingStickyTooltip"] = "Position de l'info-bulle", ["SettingStickyAllTooltips"] = "Toutes les info-bulles (sorts, objets, etc.)", ["SettingStickyTooltipButton"] = "D\195\169finir position", ["SettingShowMaterialInfo"] = "Infos sur la collecte des mat\195\169riaux", ["SettingShowMatInfoItemCount"] = "Afficher le nombre d'\195\169l\195\169ments", ["SettingShowMatInfoItemCountBank"] = "+ \195\169l\195\169ments en banque", ["SettingShowMatInfoItemCountIV"] = "+ support d'InventoryViewer", ["SettingShowClockTooltip"] = "Afficher l'horloge dans l'info-bulle Jour/Nuit", ["SettingHealthBarColorFade"] = "Att\195\169nuation de la couleur de vie du vert au rouge", ["SettingModifyBloodBars"] = "Voir la vraie vie dans la barre de vie", ["SettingBloodBarsColorFade"] = "Couleur de la barre de vie du vert au rouge", ["SettingBloodBarsDelay"] = "Fr\195\169quence de mise \195\160 jour en sec. :", ["SettingThreatMeter"] = "ThreatMeter", ["SettingThreatMeterShowTitle"] = "Afficher le titre", ["SettingThreatMeterLock"] = "Fixer la position", ["SettingThreatMeterPlayerOnTop"] = "Toujours placer le joueur en haut", ["SettingThreatMeterWarnTargetTargetTarget"]= "M'alerter si la cible de ma cible me cible", ["TooltipThreatMeterWarnTargetTargetTarget"]= "M'alerter si la cible de ma cible me cible\nEx.: Tank -> Mob -> Moi", ["SettingThreatMeterHideOnNoTarget"] = "Masquer si aucune cible n'est s\195\169lectionn\195\169e", ["SettingThreatMeterHideOnNoParty"] = "Masquer si il n'y a pas de groupe", ["SettingThreatMeterRelativeToMaxThreat"] = "Voir l'aggro par rapport au max", ["SettingThreatMeterShowRealThreat"] = "Voir la vraie menace au lieu des pourcentages", ["SettingThreatMeterDisplayLimit"] = "% minimum \195\160 afficher dans la liste", ["SettingGameTooltipAlpha"] = "% transparence du fond des info-bulles", ["SettingThreatMeterAlpha"] = "% transparence du fond du ThreatMeter", ["SettingThreatMeterDelay"] = "Fr\195\169quence de mise \195\160 jour en sec. :", ["SettingQuestTracker"] = "Suivi des qu\195\170tes", ["SettingQuestTrackerShowTitle"] = "Afficher le titre", ["SettingQuestTrackerSortAsc"] = "Tri croissant", ["SettingQuestTrackerProgressColorFade"] = "Colorer avec l'avancement", ["SettingQuestTrackerTooltip"] = "Afficher l'info-bulle", ["SettingQuestTrackerTooltipRight"] = "Afficher l'info-bulle \195\160 droite", ["SettingQuestTrackerTooltipDescription"] = "Afficher le r\195\169sum\195\169 de qu\195\170te", ["SettingQuestTrackerHighlightDailies"] = "Surligner les qu\195\170tes journali\195\168res", ["SettingQuestTrackerOpenQuestbook"] = "Clic gauche ouvre le journal des qu\195\170tes", ["SettingQuestTrackerShowDailiesCounter"] = "Afficher le compteur de qu\195\170tes journali\195\168res (experimental)", ["SettingQuestTrackerFontSizesTitle"] = "Taille de police du titre du suivi des qu\195\170tes :", ["SettingQuestTrackerFontSizesQuestTitle"] = "Taille de police du nom des qu\195\170tes :", ["SettingQuestTrackerFontSizesQuestItems"] = "Taille de police des \195\169l\195\169ments des qu\195\170tes :", ["SettingQuestTrackerColorsDailyQuest"] = "Couleur des qu\195\170tes journali\195\168res", ["SettingChatLog"] = "Journal de discussion", ["SettingChatLogMaxLinesPerChat"] = "lignes \195\160 enregistrer dans l'historique", ["SettingChatFrameFilterTitles"] = "Supprimer les titres des canaux ([Zone], [Groupe], ...)", ["SettingChatFrameFilterXPTP"] = "Supprimer les gains d'XP/PTA", ["SettingChatFrameFilterXPTPDebt"] = "Enlever les messages de dettes", ["SettingChatFrameFilterProgress"] = "Remove progress messages", -- please translate this. changed: remove all progress messages ["SettingChatFrameFilterProgressGather"] = "Gathering only", -- please translate this. added: remove gathering progress messages only (mining, woodcutting, harbalism) ["SettingChatFrameShowPlayerInfo"] = "Afficher la classe et le niveau (experimental)", ["SettingTimeStamp"] = "Afficher l'heure dans le chat", ["SettingTimeStampNotInCombatLog"] = "Ne pas afficher dans le journal de combat", ["SettingAutoRepairAll"] = "R\195\169parer l'\195\169quipement automatiquement", ["SettingCastingBarShowCastTime"] = "Afficher le temps de cast", ["SettingCastingBarButton"] = "D\195\169placer la barre de cast", ["TooltipBorderTitle"] = "Position de l'info-bulle du jeu", ["TooltipBorderText"] = "Cliquer pour d\195\169placer", ["ResetButton"] = "! R\195\169init pbInfo !", ["CloseButton"] = "Fermer", ["SaveButton"] = "Sauvegarder" } };
mob_spawn_chance_multiplier = 1.0 dofile(minetest.get_modpath("mobs").."/api.lua") mobs:register_mob("mobs:dirt_monster", { type = "monster", hp_max = 5, collisionbox = {-0.4, -1.0, -0.4, 0.4, 1.9, 0.4}, visual = "upright_sprite", textures = {"mobs_dirt_monster.png", "mobs_dirt_monster_back.png"}, visual_size = {x=1, y=2}, makes_footstep_sound = true, view_range = 15, walk_velocity = 1, run_velocity = 3, damage = 2, drops = { {name = "default:dirt", chance = 1, min = 3, max = 5,}, }, armor = 100, drawtype = "front", water_damage = 1, lava_damage = 5, light_damage = 2, on_rightclick = nil, attack_type = "dogfight", animation = { speed_normal = 15, speed_run = 15, stand_start = 0, stand_end = 14, walk_start = 15, walk_end = 38, run_start = 40, run_end = 63, punch_start = 40, punch_end = 63, } }) mobs:register_spawn("mobs:dirt_monster", {"default:dirt_with_grass"}, 3, -1, 7000, 3, 31000) mobs:register_mob("mobs:stone_monster", { type = "monster", hp_max = 10, collisionbox = {-0.4, -1.0, -0.4, 0.4, 1.9, 0.4}, visual = "upright_sprite", textures = {"mobs_stone_monster.png", "mobs_stone_monster_back.png"}, visual_size = {x=1, y=2}, makes_footstep_sound = true, view_range = 10, walk_velocity = 0.5, run_velocity = 2, damage = 3, drops = { {name = "default:mossycobble", chance = 1, min = 3, max = 5,}, }, light_resistant = true, armor = 80, drawtype = "front", water_damage = 0, lava_damage = 0, light_damage = 0, attack_type = "dogfight", animation = { speed_normal = 15, speed_run = 15, stand_start = 0, stand_end = 14, walk_start = 15, walk_end = 38, run_start = 40, run_end = 63, punch_start = 40, punch_end = 63, } }) mobs:register_spawn("mobs:stone_monster", {"default:stone"}, 3, -1, 7000, 3, 0) mobs:register_mob("mobs:sand_monster", { type = "monster", hp_max = 3, collisionbox = {-0.4, -1.0, -0.4, 0.4, 1.9, 0.4}, visual = "upright_sprite", textures = {"mobs_sand_monster.png", "mobs_sand_monster_back.png"}, visual_size = {x=1,y=2}, makes_footstep_sound = true, view_range = 15, walk_velocity = 1.5, run_velocity = 4, damage = 1, drops = { {name = "default:sand", chance = 1, min = 3, max = 5,}, }, light_resistant = true, armor = 100, drawtype = "front", water_damage = 3, lava_damage = 1, light_damage = 0, attack_type = "dogfight", animation = { speed_normal = 15, speed_run = 15, stand_start = 0, stand_end = 39, walk_start = 41, walk_end = 72, run_start = 74, run_end = 105, punch_start = 74, punch_end = 105, }, }) mobs:register_spawn("mobs:sand_monster", {"default:desert_sand"}, 20, -1, 7000, 3, 31000) mobs:register_mob("mobs:tree_monster", { type = "monster", hp_max = 5, collisionbox = {-0.4, -1.0, -0.4, 0.4, 1.9, 0.4}, visual = "upright_sprite", textures = {"mobs_tree_monster.png", "mobs_tree_monster_back.png"}, visual_size = {x=3,y=5}, makes_footstep_sound = true, view_range = 15, walk_velocity = 1, run_velocity = 3, damage = 2, drops = { {name = "default:sapling", chance = 3, min = 1, max = 2,}, {name = "default:junglesapling", chance = 3, min = 1, max = 2,}, }, light_resistant = true, armor = 100, drawtype = "front", water_damage = 1, lava_damage = 5, light_damage = 2, disable_fall_damage = true, attack_type = "dogfight", animation = { speed_normal = 15, speed_run = 15, stand_start = 0, stand_end = 24, walk_start = 25, walk_end = 47, run_start = 48, run_end = 62, punch_start = 48, punch_end = 62, }, }) mobs:register_spawn("mobs:tree_monster", {"default:leaves", "default:jungleleaves"}, 3, -1, 7000, 3, 31000) mobs:register_mob("mobs:sheep", { type = "animal", hp_max = 5, collisionbox = {-0.4, -1.0, -0.4, 0.4, 1, 0.4}, textures = {"mobs_sheep.png", "mobs_sheep.png"}, visual = "upright_sprite", makes_footstep_sound = true, walk_velocity = 1, armor = 200, drops = { {name = "mobs:meat_raw", chance = 1, min = 2, max = 3,}, }, drawtype = "front", water_damage = 1, lava_damage = 5, light_damage = 0, sounds = { random = "mobs_sheep", }, animation = { speed_normal = 15, stand_start = 0, stand_end = 80, walk_start = 81, walk_end = 100, }, follow = "farming:wheat", view_range = 5, on_rightclick = function(self, clicker) local item = clicker:get_wielded_item() if item:get_name() == "farming:wheat" then if not self.tamed then if not minetest.setting_getbool("creative_mode") then item:take_item() clicker:set_wielded_item(item) end self.tamed = true elseif self.naked then if not minetest.setting_getbool("creative_mode") then item:take_item() clicker:set_wielded_item(item) end self.food = (self.food or 0) + 1 if self.food >= 8 then self.food = 0 self.naked = false self.object:set_properties({ textures = {"mobs_sheep.png", "mobs_sheep.png"}, }) end end return end if clicker:get_inventory() and not self.naked then self.naked = true if minetest.registered_items["wool:white"] then clicker:get_inventory():add_item("main", ItemStack("wool:white "..math.random(1,3))) end self.object:set_properties({ textures = {"mobs_sheep_naked.png", "mobs_sheep_naked.png"}, }) end end, }) mobs:register_spawn("mobs:sheep", {"default:dirt_with_grass"}, 20, 8, 9000, 1, 31000) minetest.register_craftitem("mobs:meat_raw", { description = "Raw Meat", inventory_image = "mobs_meat_raw.png", }) minetest.register_craftitem("mobs:meat", { description = "Meat", inventory_image = "mobs_meat.png", on_use = minetest.item_eat(8), }) minetest.register_craft({ type = "cooking", output = "mobs:meat", recipe = "mobs:meat_raw", cooktime = 5, }) mobs:register_mob("mobs:rat", { type = "animal", hp_max = 1, collisionbox = {-0.2, -0.5, -0.2, 0.2, 0.2, 0.2}, visual = "upright_sprite", visual_size = {x=1,y=0.5}, textures = {"mobs_rat.png"}, makes_footstep_sound = false, walk_velocity = 1, armor = 200, drops = {}, drawtype = "front", water_damage = 0, lava_damage = 1, light_damage = 0, on_rightclick = function(self, clicker) if clicker:is_player() and clicker:get_inventory() then clicker:get_inventory():add_item("main", "mobs:rat") self.object:remove() end end, }) mobs:register_spawn("mobs:rat", {"default:dirt_with_grass", "default:stone"}, 20, -1, 7000, 1, 31000) minetest.register_craftitem("mobs:rat", { description = "Rat", inventory_image = "mobs_rat.png", on_place = function(itemstack, placer, pointed_thing) if pointed_thing.above then minetest.env:add_entity(pointed_thing.above, "mobs:rat") itemstack:take_item() end return itemstack end, }) minetest.register_craftitem("mobs:rat_cooked", { description = "Cooked Rat", inventory_image = "mobs_cooked_rat.png", on_use = minetest.item_eat(3), }) minetest.register_craft({ type = "cooking", output = "mobs:rat_cooked", recipe = "mobs:rat", cooktime = 5, }) mobs:register_mob("mobs:oerkki", { type = "monster", hp_max = 8, collisionbox = {-0.4, -1.0, -0.4, 0.4, 1.9, 0.4}, visual = "upright_sprite", textures = {"mobs_oerkki.png", "mobs_oerkki_back.png"}, visual_size = {x=1, y=2}, makes_footstep_sound = false, view_range = 15, walk_velocity = 1, run_velocity = 3, damage = 4, drops = {}, armor = 100, drawtype = "front", light_resistant = true, water_damage = 1, lava_damage = 1, light_damage = 0, attack_type = "dogfight", animation = { stand_start = 0, stand_end = 23, walk_start = 24, walk_end = 36, run_start = 37, run_end = 49, punch_start = 37, punch_end = 49, speed_normal = 15, speed_run = 15, }, }) mobs:register_spawn("mobs:oerkki", {"default:stone"}, 2, -1, 7000, 3, -10) mobs:register_mob("mobs:dungeon_master", { type = "monster", hp_max = 10, collisionbox = {-0.7, -1.0, -0.7, 0.7, 2.6, 0.7}, visual = "upright_sprite", textures = {"mobs_dungeon_master.png", "mobs_dungeon_master_back.png"}, visual_size = {x=1, y=2}, makes_footstep_sound = true, view_range = 15, walk_velocity = 1, run_velocity = 3, damage = 4, drops = { {name = "default:mese", chance = 100, min = 1, max = 2,}, }, armor = 60, drawtype = "front", water_damage = 1, lava_damage = 1, light_damage = 0, on_rightclick = nil, attack_type = "shoot", arrow = "mobs:fireball", shoot_interval = 2.5, sounds = { attack = "mobs_fireball", }, animation = { stand_start = 0, stand_end = 19, walk_start = 20, walk_end = 35, punch_start = 36, punch_end = 48, speed_normal = 15, speed_run = 15, }, }) mobs:register_spawn("mobs:dungeon_master", {"default:stone"}, 2, -1, 7000, 1, -50) mobs:register_arrow("mobs:fireball", { visual = "sprite", visual_size = {x=1, y=1}, --textures = {{name="mobs_fireball.png", animation={type="vertical_frames", aspect_w=16, aspect_h=16, length=0.5}}}, FIXME textures = {"mobs_fireball.png"}, velocity = 5, hit_player = function(self, player) local s = self.object:getpos() local p = player:getpos() local vec = {x=s.x-p.x, y=s.y-p.y, z=s.z-p.z} player:punch(self.object, 1.0, { full_punch_interval=1.0, damage_groups = {fleshy=4}, }, vec) local pos = self.object:getpos() for dx=-1,1 do for dy=-1,1 do for dz=-1,1 do local p = {x=pos.x+dx, y=pos.y+dy, z=pos.z+dz} local n = minetest.env:get_node(pos).name if minetest.registered_nodes[n].groups.flammable or math.random(1, 100) <= 30 then minetest.env:set_node(p, {name="fire:basic_flame"}) else minetest.env:remove_node(p) end end end end end, hit_node = function(self, pos, node) for dx=-1,1 do for dy=-2,1 do for dz=-1,1 do local p = {x=pos.x+dx, y=pos.y+dy, z=pos.z+dz} local n = minetest.env:get_node(pos).name if minetest.registered_nodes[n].groups.flammable or math.random(1, 100) <= 30 then minetest.env:set_node(p, {name="fire:basic_flame"}) else minetest.env:remove_node(p) end end end end end }) if minetest.setting_get("log_mods") then minetest.log("action", "mobs loaded") end
----------------------------------------- -- ID: 4218 -- Item: Air Rider -- A goblin in a Santa outfit rides a sleigh in a downward spiral ----------------------------------------- function onItemCheck(target) return 0 end function onItemUse(target) end
MapProjectManager = MapProjectManager or class() local U = BeardLib.Utils local EU = BLE.Utils local XML = U.XML local Project = MapProjectManager local CXML = "custom_xml" function Project:init() self._diffs = {"Normal", "Hard", "Very Hard", "Overkill", "Mayhem", "Death Wish", "Death Sentence"} self._templates_directory = Path:Combine(BLE.ModPath, "Templates") self._add_xml_template = self:ReadConfig(Path:Combine(self._templates_directory, "Level/add.xml")) self._main_xml_template = self:ReadConfig(Path:Combine(self._templates_directory, "Project/main.xml")) self._level_module_template = self:ReadConfig(Path:Combine(self._templates_directory, "LevelModule.xml")) self._menu = BLE.Menu:make_page("Projects", nil, {align_method = "centered_grid"}) ItemExt:add_funcs(self) local btns = self:pan("QuickActions", {align_method = "centered_grid", inherit_values = { offset = 4, scrollbar = false, text_align = "center" }}) local opt = {w = btns:ItemsWidth() / 3, border_bottom = true} btns:button("NewProject", ClassClbk(self, "new_project_dialog", ""), opt) btns:button("CloneExistingHeist", ClassClbk(self, "select_narr_as_project"), opt) btns:button("EditExistingProject", ClassClbk(self, "select_project_dialog"), opt) self._curr_editing = self:divgroup("CurrEditing", { private = {size = 24}, border_left = false, auto_height = false, h = self._menu:ItemsHeight() - btns:OuterHeight() - btns:OffsetY() * 2 }) self:set_edit_title() end function Project:Load(data) end function Project:Destroy() return {} end function Project:ReadConfig(file) return FileIO:ReadScriptData(file, CXML, true) end function Project:for_each_level(data, func) for _, level in pairs(XML:GetNodes(data, "level")) do func(level) end for _, level in pairs(XML:GetNodes(data, "instance")) do func(level) end end function Project:current_level(data) for _, level in pairs(XML:GetNodes(data, Global.editor_loaded_instance and "instance" or "level")) do if level.id == Global.current_level_id then return level end end return nil end function Project:get_level_by_id(t, id) for _, level in pairs(XML:GetNodes(t, "level")) do if level.id == id then return level end end for _, level in pairs(XML:GetNodes(t, "instance")) do if level.id == id then return level end end end function Project:current_mod() return BeardLib.current_level and BeardLib.current_level._mod end function Project:maps_path() return BeardLib.current_level._config.include.directory end function Project:save_main_xml(data, no_reload) self:save_xml("main.xml", data) if not no_reload then self:reload_mod(data.name) end end function Project:save_xml(file, data) FileIO:WriteScriptData(self:current_mod():GetRealFilePath(Path:Combine(self:current_path(), file)), data, CXML) end function Project:read_xml(file) return FileIO:ReadScriptData(self:current_mod():GetRealFilePath(Path:Combine(self:current_path(), file)), CXML, true) end function Project:current_path() local mod = self:current_mod() return mod and mod.ModPath end function Project:current_level_path() local path = self:current_path() return path and Path:Combine(path, self:maps_path()) end function Project:set_edit_title(title) self:GetItem("CurrEditing"):SetText("Currently Editing: ".. (title or "None")) end function Project:get_projects_list() local list = {} for _, mod in pairs(BeardLib.managers.MapFramework._loaded_mods) do table.insert(list, {name = mod._clean_config.name, mod = mod}) end return list end function Project:get_project_by_narrative_id(narr) for _, mod in pairs(BeardLib.managers.MapFramework._loaded_mods) do local narrative = XML:GetNode(data, "narrative") if narrative and narrative.id == narr.id then return mod end end end function Project:get_packages_of_level(level) local dir = "levels/"..level.world_name .. "/" local packages = {dir.."world"} local ext = Idstring("mission") local path = Idstring(dir.."mission") if PackageManager:has(ext, path) then local data = PackageManager:script_data(ext, path) for c in pairs(data) do local p = dir..c.."/"..c if PackageManager:package_exists(p) then table.insert(packages, p) end end end return packages end local ignore_modules = {["GlobalValue"] = true} function Project:get_mod_and_config() local mod = self:current_mod() if mod then return mod, self:get_clean_config(mod) end return nil, nil end function Project:get_clean_config(mod, do_clone) mod = mod or self:current_mod() if not mod then return end local config = deep_clone(mod._clean_config) if mod._modules then for i, module in pairs(mod._modules) do if module.clean_table and not ignore_modules[module.type_name] and config[i] then module:DoCleanTable(config[i]) end end end local data = XML:Clean(config) return do_clone and deep_clone(data) or data end function Project:load_temp_package(p) if not PackageManager:loaded(p) and PackageManager:package_exists(p) then PackageManager:load(p) table.insert(self._packages_to_unload, p) end end function Project:add_existing_level_to_project(data, narr, level_in_chain, narr_pkg, done_clbk) local id = level_in_chain.level_id self:new_level_dialog(tostring(id), function(name) local level = clone(tweak_data.levels[id]) table.insert(data, level) local packages = type(level.package) == "string" and {level.package} or level.package or {} local level_dir = "levels/"..level.world_name .. "/" table.merge(level, { _meta = "level", assets = {}, id = name, add = {directory = "assets"}, include = {directory = Path:Combine("levels", name)}, packages = packages, script_data_mods = deep_clone(self._level_module_template).script_data_mods }) local preplanning = tweak_data.preplanning.locations[id] if preplanning then level.preplanning = deep_clone(preplanning) end if narr_pkg then table.insert(packages, narr_pkg) end local function extra_package(p) if not table.contains(packages, p) then table.insert(packages, p) end end local custom_level_dir = Path:Combine(BeardLib.config.maps_dir, data.name, "levels", name) local function extra_file(name, typ, path, data_func) path = path or level_dir typ = typ or name local data local typeid = typ:id() local nameid = name:id() local inpath = Path:Combine(path, name) if PackageManager:has(typeid, inpath:id()) then data = PackageManager:script_data(typeid, inpath:id()) if data_func then data_func(data) end local infolder = path:gsub(level_dir, "") local file = (infolder:len() > 0 and infolder.."/" or infolder) .. name.."."..typ FileIO:WriteScriptData(Path:Combine(custom_level_dir, file), data, "binary") table.insert(level.include, {_meta = "file", file = file, type = "binary"}) else BeardLibEditor:log("[add_existing_level_to_project][extra_file] File is unloaded %s", inpath) end if PackageManager:package_exists(inpath) then extra_package(inpath) end return data end local function extra_cube_lights() local path = level_dir local inpath = Path:Combine(path, "cube_lights") local typ = "texture" local bytes, file_path local add = {_meta = "add", directory = "assets"} for k, v in pairs(Global.DBPaths[typ]) do if v and k:sub(1, #inpath) == inpath then bytes = DB:open(typ, k):read() file_path = Path:Combine("levels/mods", name, string.sub(k, #path)) FileIO:WriteTo(Path:Combine(BeardLib.config.maps_dir, data.name, "assets", file_path) .. "." .. typ , bytes) table.insert(add, {_meta = "texture", path = file_path}) end end FileIO:WriteScriptData(Path:Combine(custom_level_dir, "add.xml"), add, CXML) end extra_package(level_dir.."world") for _, p in pairs(packages) do self:load_temp_package(p.."_init") self:load_temp_package(p) end local world_data = extra_file("world", nil, nil, function(data) data.brush = nil end) local continents_data = extra_file("continents") extra_file("mission") extra_file("nav_manager_data", "nav_data") extra_file("cover_data") extra_file("world_sounds") extra_file("world_cameras") extra_cube_lights() for c in pairs(continents_data) do local c_path = Path:Combine(level_dir, c) self:load_temp_package(Path:Combine(c_path, c).."_init") extra_file(c, "continent", c_path) extra_file(c, "mission", c_path) end level.world_name = nil level.name_id = nil level.briefing_id = nil level.package = nil level_in_chain.level_id = name if done_clbk then done_clbk() end end, done_clbk) end function Project:existing_narr_new_project_clbk_finish(data, narr) local mod_path = Path:Combine(BeardLib.config.maps_dir, data.name) PackageManager:set_resource_loaded_clbk(Idstring("unit"), ClassClbk(managers.sequence, "clbk_pkg_manager_unit_loaded")) FileIO:WriteScriptData(Path:Combine(mod_path, "main.xml"), data, CXML) BeardLib.managers.MapFramework:Load() BeardLib.managers.MapFramework:RegisterHooks() BLE.LoadLevel:load_levels() for _, p in pairs(self._packages_to_unload) do if PackageManager:loaded(p) then DelayedCalls:Add("UnloadPKG"..tostring(p), 0.01, function() log("Unloading temp package " .. tostring(p)) PackageManager:unload(p) end) end end end function Project:existing_narr_new_project_clbk(selection, t, name) if t then local data = deep_clone(self._main_xml_template) local narr = XML:GetNode(data, "narrative") table.merge(narr, deep_clone(selection.narr)) data.name = t.name narr.id = t.name local cv = narr.contract_visuals narr.max_mission_xp = cv and cv.max_mission_xp or narr.max_mission_xp narr.min_mission_xp = cv and cv.min_mission_xp or narr.min_mission_xp narr.contract_visuals = nil narr.name_id = nil narr.briefing_id = nil local narr_pkg = narr.package narr.package = nil --packages should only be in levels. self._packages_to_unload = {} PackageManager:set_resource_loaded_clbk(Idstring("unit"), nil) local clbk = ClassClbk(self, "existing_narr_new_project_clbk_finish", data, narr) for i, level_in_chain in pairs(narr.chain) do local last = i == #narr.chain if type(level_in_chain) == "table" then if #level_in_chain > 0 then for k, level in pairs(level_in_chain) do self:add_existing_level_to_project(data, narr, level, narr_pkg, last and (k == #level_in_chain) and clbk) end else self:add_existing_level_to_project(data, narr, level_in_chain, narr_pkg, last and clbk) end end end end end function Project:select_narr_as_project() local levels = {} for id, narr in pairs(tweak_data.narrative.jobs) do if not narr.custom and not narr.hidden then --dunno why the name_id is nil for some of them.. table.insert(levels, {name = id.." / " .. managers.localization:text((narr.name_id or ("heist_"..id)):gsub("_prof", ""):gsub("_night", "")), narr = narr}) end end BLE.ListDialog:Show({ list = levels, callback = function(selection) BLE.ListDialog:hide() self:new_project_dialog("", ClassClbk(self, "existing_narr_new_project_clbk", selection)) end }) end function Project:select_project_dialog() BLE.ListDialog:Show({ list = self:get_projects_list(), callback = ClassClbk(self, "select_project") }) end function Project:select_project(selection) self:_select_project(selection.mod) end function Project:reload_mod(name) BeardLib.managers.MapFramework._loaded_mods[name] = nil BeardLib.managers.MapFramework:Load() BeardLib.managers.MapFramework:RegisterHooks() BLE.LoadLevel:load_levels() end function Project:do_reload_mod(old_name, name, save_prev) local mod = self._current_mod if mod._modules then for _, module in pairs(mod._modules) do module.Registered = false end end self:reload_mod(old_name) if BeardLib.managers.MapFramework._loaded_mods[name] then self:_select_project(BeardLib.managers.MapFramework._loaded_mods[name], save_prev) else BLE:log("[Warning] Something went wrong while trying reload the project") end end function Project:save_current_project(mod) local t = self._current_data local id = t.orig_id or t.name local map_path = Path:Combine(BeardLib.config.maps_dir, id) local levels = XML:GetNodes(t, "level") local something_changed for _, level in pairs(levels) do if level.orig_id then local include_dir = Path:Combine("levels", level.id) level.include.directory = include_dir if level.add.file then level.add.file = Path:Combine(include_dir, "add.xml") end FileIO:MoveTo(Path:Combine(map_path, "levels", level.orig_id), Path:Combine(map_path, include_dir)) tweak_data.levels[level.orig_id] = nil table.delete(tweak_data.levels._level_index, level.orig_id) level.orig_id = nil something_changed = true end end t.orig_id = nil FileIO:WriteTo(Path:Combine(map_path, "main.xml"), FileIO:ConvertToScriptData(t, CXML, true)) mod._clean_config = t if t.name ~= id then tweak_data.narrative.jobs[id] = nil table.delete(tweak_data.narrative._jobs_index, id) FileIO:MoveTo(map_path, Path:Combine(BeardLib.config.maps_dir, t.name)) something_changed = true end if something_changed then self:do_reload_mod(id, t.name) end end function Project:_select_project(mod, save_prev) if save_prev then local save = self:GetItem("Save") if save then save:RunCallback() end end self._current_mod = mod BLE.ListDialog:hide() self:edit_main_xml(self:get_clean_config(mod, true), ClassClbk(self, "save_current_project", mod)) end function Project:new_project_dialog(name, clbk, no_callback) BLE.InputDialog:Show({ title = "Enter a name for the project", yes = "Create project", text = name or "", no_callback = no_callback, check_value = ClassClbk(self, "check_narrative_name"), callback = ClassClbk(self, "new_project_dialog_clbk", type(clbk) == "function" and clbk or ClassClbk(self, "new_project_clbk")) }) end function Project:new_level_dialog(name, clbk, no_callback) BLE.InputDialog:Show({ title = "Enter a name for the level", yes = "Create level", text = name or "", no_callback = no_callback, check_value = ClassClbk(self, "check_level_name"), callback = type(clbk) == "function" and clbk or ClassClbk(self, "create_new_level") }) end function Project:delete_level_dialog(level) EU:YesNoQuestion("This will delete the level from your project! [Note: custom levels that are inside your project will be deleted entirely]", ClassClbk(self, "delete_level_dialog_clbk", level)) end function Project:delete_level_dialog_clbk(level) local t = self._current_data if not t then BLE:log("[ERROR] Project needed to delete levels!") return end local chain = XML:GetNode(self._current_data, "narrative").chain local level_id = type(level) == "table" and level.id or level for k, v in ipairs(chain) do if success then break end if v.level_id and v.level_id == level_id then table.remove(chain, k) break else local success for i, level in pairs(v) do if level.level_id == level_id then table.remove(v, i) success = true break end end end end if type(level) == "table" then FileIO:Delete(Path:Combine(BeardLib.config.maps_dir, t.name, level.include.directory)) if tweak_data.levels[level_id].custom then tweak_data.levels[level_id] = nil end table.delete_value(t, level) end local save = self:GetItem("Save") if save then save:RunCallback() end self:do_reload_mod(t.name, t.name) end function Project:create_new_level(name) local t = self._current_data if not t then BLE:log("[ERROR] Project needed to create levels!") return end local narr = XML:GetNode(t, "narrative") local level = deep_clone(self._level_module_template) XML:InsertNode(t, level) level.id = name local proj_path = Path:Combine(BeardLib.config.maps_dir, t.name) local level_path = Path:Combine("levels", level.id) table.insert(narr.chain, {level_id = level.id, type = "d", type_id = "heist_type_assault"}) level.include.directory = level_path FileIO:WriteScriptData(Path:Combine(proj_path, "main.xml"), t, "custom_xml") FileIO:MakeDir(Path:Combine(proj_path, level_path)) FileIO:CopyToAsync(Path:Combine(self._templates_directory, "Level"), Path:Combine(proj_path, level_path)) self:do_reload_mod(t.name, t.name, true) end function Project:create_new_narrative(name) local data = deep_clone(self._main_xml_template) local narr = XML:GetNode(data, "narrative") data.name = name narr.id = name local proj_path = Path:Combine(BeardLib.config.maps_dir, name) FileIO:CopyDirTo(Path:Combine(self._templates_directory, "Project"), proj_path) FileIO:MakeDir(Path:Combine(proj_path, "assets")) FileIO:MakeDir(Path:Combine(proj_path, "levels")) FileIO:WriteTo(Path:Combine(proj_path, "main.xml"), FileIO:ConvertToScriptData(data, CXML, true)) return data end function Project:check_level_name(name) --Windows is not case sensitive. for k in pairs(tweak_data.levels) do if string.lower(k) == name:lower() then EU:Notify("Error", string.format("A level with the id %s already exists! Please use a unique id", k)) return false end end if name == "" then EU:Notify("Error", string.format("Id cannot be empty!", name)) return false elseif string.begins(name, " ") then EU:Notify("Error", "Invalid ID!") return false end return true end function Project:check_narrative_name(name) for k in pairs(tweak_data.narrative.jobs) do if string.lower(k) == name:lower() then EU:Notify("Error", string.format("A narrative with the id %s already exists! Please use a unique id", k)) return false end end if name:lower() == "backups" or name:lower() == "prefabs" or string.begins(name, " ") then EU:Notify("Error", string.format("Invalid Id")) return false elseif name == "" then EU:Notify("Error", string.format("Id cannot be empty!", name)) return false end return true end function Project:new_project_dialog_clbk(clbk, name) clbk(self:create_new_narrative(name), name) end function Project:new_project_clbk(data, name) local save = self:GetItem("Save") if save then save:RunCallback() end BeardLib.managers.MapFramework:Load() BeardLib.managers.MapFramework:RegisterHooks() BLE.LoadLevel:load_levels() local mod = BeardLib.managers.MapFramework._loaded_mods[name] self:_select_project(mod, true) EU:QuickDialog({title = "New Project", message = "Do you want to create a new level for the project?"}, {{"Yes", ClassClbk(self, "new_level_dialog", "")}}) end function Project:add_exisiting_level_dialog() local levels = {} for k, level in pairs(tweak_data.levels) do if type(level) == "table" and not level.custom and level.world_name and not string.begins(level.world_name, "wip/") then table.insert(levels, {name = k .. " / " .. managers.localization:text(level.name_id or k), id = k}) end end BLE.ListDialog:Show({ list = levels, callback = function(seleciton) local chain = XML:GetNode(self._current_data, "narrative").chain table.insert(chain, {level_id = seleciton.id, type = "d", type_id = "heist_type_assault"}) BLE.ListDialog:hide() self:_select_project(self._current_mod, true) end }) end function Project:set_crimenet_videos_dialog() local t = self._current_data local narr = XML:GetNode(self._current_data, "narrative") BLE.SelectDialog:Show({ selected_list = narr.crimenet_videos, list = EU:GetEntries({type = "movie", check = function(entry) return entry:match("movies/") end}), callback = function(list) narr.crimenet_videos = list end }) end function Project:edit_main_xml(data, save_clbk) self:reset_menu() self:set_edit_title(tostring(data.name)) local narr = XML:GetNode(data, "narrative") local levels = XML:GetNodes(data, "level") if not narr then BLE:log("[ERROR] Narrative data is missing from the main.xml!") return end local divgroup_opt = {border_position_below_title = true, private = {size = 22}} local up = ClassClbk(self, "set_project_data") local narrative = self._curr_editing:divgroup("Narrative", divgroup_opt) narrative:textbox("ProjectName", up, data.name) local contacts = table.map_keys(tweak_data.narrative.contacts) narrative:combobox("Contact", up, contacts, table.get_key(contacts, narr.contact or "custom")) narrative:textbox("BriefingEvent", up, narr.briefing_event) narr.crimenet_callouts = type(narr.crimenet_callouts) == "table" and narr.crimenet_callouts or {narr.crimenet_callouts} narr.debrief_event = type(narr.debrief_event) == "table" and narr.debrief_event or {narr.debrief_event} narrative:textbox("DebriefEvent", up, table.concat(narr.debrief_event, ",")) narrative:textbox("CrimenetCallouts", up, table.concat(narr.crimenet_callouts, ",")) narrative:button("SetCrimenetVideos", ClassClbk(self, "set_crimenet_videos_dialog")) narrative:tickbox("HideFromCrimenet", up, data.hide_from_crimenet) local updating = self._curr_editing:divgroup("Updating", divgroup_opt) local mod_assets = XML:GetNode(data, "AssetUpdates") if not mod_assets then mod_assets = {_meta = "AssetUpdates", id = -1, version = 1, provider = "modworkshop", use_local_dir = true} data.AssetUpdates = mod_assets end if mod_assets.provider == "lastbullet" then mod_assets.provider = "modworkshop" end updating:textbox("DownloadId", up, mod_assets.id, {filter = "number", floats = 0}) updating:textbox("Version", up, mod_assets.version, {filter = "number"}) updating:tickbox("Downloadable", up, mod_assets.is_standalone ~= false, { help = "Can the level be downloaded by clients connecting? this can only work if the level has no extra dependencies" }) local chain = self._curr_editing:divgroup("Chain", divgroup_opt) chain:button("AddExistingLevel", ClassClbk(self, "add_exisiting_level_dialog")) chain:button("AddNewLevel", ClassClbk(self, "new_level_dialog", "")) local levels_group = chain:divgroup("Levels", {last_y_offset = 6}) local function get_level(level_id) for _, v in pairs(levels) do if v.id == level_id then return v end end end local level_ids = {} local function build_level_ctrls(level_in_chain, chain_group, btn, level) local narr_chain = chain_group or narr.chain local my_index = table.get_key(narr_chain, level_in_chain) local tx = "textures/editor_icons_df" local toolbar = btn if level_in_chain.level_id then btn:tb_imgbtn(level_in_chain.level_id, ClassClbk(self, "delete_level_dialog", level and level or level_in_chain.level_id), tx, EU.EditorIcons["cross"], {highlight_color = Color.red}) if chain_group then btn:tb_imgbtn("Ungroup", ClassClbk(self, "ungroup_level", narr, level_in_chain, chain_group), tx, EU.EditorIcons["minus"], {highlight_color = Color.red}) else btn:tb_imgbtn("Group", ClassClbk(self, "group_level", narr, level_in_chain), tx, EU.EditorIcons["plus"], {highlight_color = Color.red}) end else toolbar = btn:GetToolbar() end toolbar:tb_imgbtn("MoveDown", ClassClbk(self, "set_chain_index", narr_chain, level_in_chain, my_index + 1), tx, EU.EditorIcons["arrow_down"], {highlight_color = Color.red, enabled = my_index < #narr_chain}) toolbar:tb_imgbtn("MoveUp", ClassClbk(self, "set_chain_index", narr_chain, level_in_chain, my_index - 1), tx, EU.EditorIcons["arrow_up"], {highlight_color = Color.red, enabled = my_index > 1}) end local function build_level_button(level_in_chain, chain_group, group) local level_id = level_in_chain.level_id local level = get_level(level_id) local btn = (group or levels_group):button(level_id, level and ClassClbk(self, "edit_main_xml_level", data, level, level_in_chain, chain_group, save_clbk), { text = level_id }) return btn, level end for i, v in ipairs(narr.chain) do if type(v) == "table" then if v.level_id then local btn, actual_level = build_level_button(v, false) build_level_ctrls(v, false, btn, actual_level) else local grouped = levels_group:divgroup("Day "..tostring(i).."[Grouped]") build_level_ctrls(v, nil, grouped) for k, level in pairs(v) do local btn, actual_level = build_level_button(level, v, grouped, k == 1) build_level_ctrls(level, v, btn, actual_level) end end end end if #levels_group._my_items == 0 then levels_group:divider("NoLevelsNotice", {text = "No levels found, sadly."}) end self._contract_costs = {} self._experience_multipliers = {} self._max_mission_xps = {} self._min_mission_xps = {} self._payouts = {} local function convertnumber(n) local t = {} for i=1, #self._diffs do table.insert(t, n) end return t end narr.contract_cost = type(narr.contract_cost) == "table" and narr.contract_cost or convertnumber(narr.contract_cost) narr.experience_mul = type(narr.experience_mul) == "table" and narr.experience_mul or convertnumber(narr.experience_mul) narr.max_mission_xp = type(narr.max_mission_xp) == "table" and narr.max_mission_xp or convertnumber(narr.max_mission_xp) narr.min_mission_xp = type(narr.min_mission_xp) == "table" and narr.min_mission_xp or convertnumber(narr.min_mission_xp) narr.payout = type(narr.payout) == "table" and narr.payout or convertnumber(narr.payout) local diff_settings = self._curr_editing:divgroup("DifficultySettings", divgroup_opt) local diff_settings_holder = diff_settings:pan("DifficultySettingsHolder", { text_offset_y = 0, align_method = "grid", offset = {diff_settings.offset[1], 0}}) local diff_settings_opt = {w = diff_settings_holder:ItemsWidth() / (#self._diffs + 1) - 2, offset = {2, 6}, size = 18} local diff_settings_texts = diff_settings_holder:divgroup("Setting", diff_settings_opt) diff_settings_opt.border_left = false local div_texts_opt = {size_by_text = true, offset = {0, diff_settings_texts.offset[2]}} diff_settings_texts:divider("Contract Cost", div_texts_opt) diff_settings_texts:divider("Payout", div_texts_opt) diff_settings_texts:divider("Stealth XP bonus", div_texts_opt) diff_settings_texts:divider("Maximum XP", div_texts_opt) diff_settings_texts:divider("Minimum XP", div_texts_opt) for i, diff in pairs(self._diffs) do local group = diff_settings_holder:divgroup(diff, diff_settings_opt) self._contract_costs[i] = group:numberbox("ContractCost"..i, up, narr.contract_cost[i] or 0, {max = 10000000, min = 0, size_by_text = true, text = "", control_slice = 1}) self._payouts[i] = group:numberbox("Payout"..i, up, narr.payout[i] or 0, {max = 100000000, min = 0, size_by_text = true, text = "", control_slice = 1}) self._experience_multipliers[i] = group:numberbox("ExperienceMul"..i, up, narr.experience_mul[i] or 0, {max = 5, min = 0, size_by_text = true, text = "", control_slice = 1}) self._max_mission_xps[i] = group:numberbox("MaxMissionXp"..i, up, narr.max_mission_xp[i] or 0, {max = 10000000, min = 0, size_by_text = true, text = "", control_slice = 1}) self._min_mission_xps[i] = group:numberbox("MinMissionXp"..i, up, narr.min_mission_xp[i] or 0, {max = 100000, min = 0, size_by_text = true, text = "", control_slice = 1}) end self:small_button("Save", save_clbk) self:small_button("Delete", ClassClbk(self, "delete_project", self._current_mod)) self:small_button("Close", ClassClbk(self, "disable")) self._current_data = data self._refresh_func = ClassClbk(self, "edit_main_xml", data, save_clbk) end function Project:delete_project(mod, item) EU:YesNoQuestion("This will delete the project and its files completely. This cannot be undone!", function() EU:YesNoQuestion("Are you 100% sure?", function() FileIO:Delete(Path:Combine("Maps", self._current_data.name)) local narr = tweak_data.narrative.jobs[mod.Name] if narr and narr.custom then tweak_data.narrative.jobs[mod.Name] = nil table.delete(tweak_data.narrative._jobs_index, mod.Name) end for _, level in pairs(XML:GetNodes(self._current_data, "level")) do local tweak = tweak_data.levels[level.id] if tweak and tweak.custom then tweak_data.levels[level.id] = nil table.delete(tweak_data.levels._level_index, level.id) end end self:reload_mod(mod.Name) self:disable() end) end) end function Project:set_project_data(item) local t = self._current_data local narr = XML:GetNode(t, "narrative") local mod_assets = XML:GetNode(t, "AssetUpdates") local old_name = t.orig_id or t.name t.name = self:GetItem("ProjectName"):Value() local title = tostring(t.name) narr.id = self:GetItem("ProjectName"):Value() if old_name ~= t.name then if t.name == "" or tweak_data.narrative.jobs[t.name] then t.name = old_name narr.id = old_name title = tostring(t.name).."[Warning: current project name already exists or name is empty, not saving name]" else t.orig_id = t.orig_id or old_name end end for i in pairs(self._diffs) do narr.contract_cost[i] = self._contract_costs[i]:Value() narr.experience_mul[i] = self._experience_multipliers[i]:Value() narr.max_mission_xp[i] = self._max_mission_xps[i]:Value() narr.min_mission_xp[i] = self._min_mission_xps[i]:Value() narr.payout[i] = self._payouts[i]:Value() end narr.crimenet_callouts = narr.crimenet_callouts or {} narr.debrief_event = narr.debrief_event or {} local callouts = self:GetItem("CrimenetCallouts"):Value() local events = self:GetItem("DebriefEvent"):Value() narr.crimenet_callouts = callouts:match(",") and string.split(callouts, ",") or {callouts} narr.debrief_event = events:match(",") and string.split(events, ",") or {events} narr.briefing_event = self:GetItem("BriefingEvent"):Value() narr.contact = self:GetItem("Contact"):SelectedItem() narr.hide_from_crimenet = self:GetItem("HideFromCrimenet"):Value() if mod_assets then mod_assets.id = self:GetItem("DownloadId"):Value() mod_assets.version = self:GetItem("Version"):Value() mod_assets.is_standalone = self:GetItem("Downloadable"):Value() if mod_assets.is_standalone == true then mod_assets.is_standalone = nil end end self:set_edit_title(title) end function Project:small_button(name, clbk) self._curr_editing:GetToolbar():tb_btn(name, clbk, { min_width = 100, text_offset = {8, 2}, border_bottom = true, }) end function Project:edit_main_xml_level(data, level, level_in_chain, chain_group, save_clbk) self._curr_editing:ClearItems() local up = ClassClbk(self, "set_project_level_data", level, level_in_chain) self._curr_editing:textbox("LevelId", up, level.id) self._curr_editing:textbox("BriefingDialog", up, level.briefing_dialog) level.intro_event = type(level.intro_event) == "table" and level.intro_event[1] or level.intro_event level.outro_event = type(level.outro_event) == "table" and level.outro_event or {level.outro_event} self._curr_editing:textbox("IntroEvent", up, level.intro_event) self._curr_editing:textbox("OutroEvent", up, table.concat(level.outro_event, ",")) if level.ghost_bonus == 0 then level.ghost_bonus = nil end self._curr_editing:numberbox("GhostBonus", up, level.ghost_bonus or 0, {max = 1, min = 0, step = 0.1}) self._curr_editing:numberbox("MaxBags", up, level.max_bags, {max = 999, min = 0, floats = 0}) local aitype = table.map_keys(LevelsTweakData.LevelType) self._curr_editing:combobox("AiGroupType", up, aitype, table.get_key(aitype, level.ai_group_type) or 1) local styles = table.map_keys(tweak_data.scene_poses.player_style) self._curr_editing:combobox("PlayerStyle", up, styles, table.get_key(styles, level.player_style or "generic"), {help = "Set the player style for the map, make sure the packages for the suits are loaded!"}) self._curr_editing:tickbox("TeamAiOff", up, level.team_ai_off) self._curr_editing:tickbox("RetainBags", up, level.repossess_bags) self._curr_editing:tickbox("PlayerInvulnerable", up, level.player_invulnerable) self._curr_editing:button("ManageMissionAssets", ClassClbk(self, "set_mission_assets_dialog", level)) self:small_button("Back", ClassClbk(self, "edit_main_xml", data, save_clbk)) self:set_edit_title(tostring(data.name) .. ":" .. tostring(level.id)) self._refresh_func = ClassClbk(self, "edit_main_xml_level", data, level, level_in_chain, chain_group, save_clbk) end function Project:set_mission_assets_dialog(level) local selected_assets = {} level.assets = level.assets or {_meta = "assets"} for _, asset in pairs(level.assets) do if type(asset) == "table" and asset._meta == "asset" then table.insert(selected_assets, {name = asset.name, value = asset.exclude == true}) end end local assets = {} for _, asset in pairs(table.map_keys(tweak_data.assets)) do if asset.stages ~= "all" then table.insert(assets, {name = asset, value = false}) end end BLE.SelectDialogValue:Show({ selected_list = selected_assets, list = assets, values_name = "Exclude", values_list_width = 100, callback = function(list) local new_assets = {} for _, asset in pairs(list) do table.insert(new_assets, {_meta = "asset", name = asset.name, exclude = asset.value == true and true or nil}) end level.assets = new_assets end }) end function Project:set_chain_index(narr_chain, chain_tbl, index) local key = table.get_key(narr_chain, chain_tbl) table.remove(narr_chain, tonumber(key)) table.insert(narr_chain, tonumber(index), chain_tbl) self._refresh_func() end function Project:ungroup_level(narr, level_in_chain, chain_group) table.delete_value(chain_group, level_in_chain) if #chain_group == 1 then narr.chain[table.get_key(narr.chain, chain_group)] = chain_group[1] end table.insert(narr.chain, level_in_chain) self._refresh_func() end function Project:group_level(narr, level_in_chain) local chain = {} for i, v in ipairs(narr.chain) do if v ~= level_in_chain then table.insert(chain, {name = v.level_id or "Day "..tostring(i).."[Grouped]", value = v}) end end BLE.ListDialog:Show({ list = chain, callback = function(selection) table.delete_value(narr.chain, level_in_chain) local key = table.get_key(narr.chain, selection.value) local chain_group = selection.value if chain_group.level_id then narr.chain[key] = {chain_group} end table.insert(narr.chain[key], level_in_chain) BLE.ListDialog:hide() self._refresh_func() end }) end function Project:set_project_level_data(level, level_in_chain) local t = self._current_data local old_name = level.orig_id or level.id level.id = self:GetItem("LevelId"):Value() local title = tostring(t.name) .. ":" .. tostring(level.id) if old_name ~= level.id then if level.id == "" and tweak_data.levels[level.id] then level.id = old_name title = tostring(t.name) .. ":" .. tostring(level.id).."[Warning: current level id already exists or id is empty, not saving Id]" else level.orig_id = level.orig_id or old_name end end level_in_chain.level_id = level.id level.ai_group_type = self:GetItem("AiGroupType"):SelectedItem() level.player_style = self:GetItem("PlayerStyle"):SelectedItem() level.briefing_dialog = self:GetItem("BriefingDialog"):Value() level.ghost_bonus = self:GetItem("GhostBonus"):Value() if level.ghost_bonus == 0 then level.ghost_bonus = nil end level.max_bags = self:GetItem("MaxBags"):Value() level.team_ai_off = self:GetItem("TeamAiOff"):Value() level.intro_event = self:GetItem("IntroEvent"):Value() level.repossess_bags = self:GetItem("RetainBags"):Value() level.player_invulnerable = self:GetItem("PlayerInvulnerable"):Value() local outro = self:GetItem("OutroEvent"):Value() level.outro_event = outro:match(",") and string.split(outro, ",") or {outro} self:set_edit_title(title) end function Project:reset_menu() self._curr_editing:ClearItems() self:set_edit_title() end function Project:disable() self._current_data = nil self._current_mod = nil self._refresh_func = nil self:reset_menu() end function Project:button_pos(near, item) if alive(near) then item:Panel():set_righttop(near:Panel():left(), 0) else item:SetPositionByString("RightTop") end end
------------------------------------------------------------------------------- -- Module Declaration -- local mod, CL = BigWigs:NewBoss("Mage-Lord Urom", 578, 624) if not mod then return end mod:RegisterEnableMob(27655) mod.engageId = 2014 -- mod.respawnTime = 0 -- resets, doesn't respawn ------------------------------------------------------------------------------- -- Initialization -- function mod:GetOptions() return { 51103, -- Frostbomb {51121, "ICON", "SAY", "SAY_COUNTDOWN"}, -- Time Bomb 51110, -- Empowered Arcane Explosion } end function mod:OnBossEnable() self:Log("SPELL_AURA_APPLIED", "TimeBomb", 51121, 59376) -- normal, heroic self:Log("SPELL_AURA_REMOVED", "TimeBomb", 51121, 59376) self:Log("SPELL_CAST_START", "EmpoweredArcaneExplosion", 51110, 59377) -- normal, heroic self:Log("SPELL_AURA_APPLIED", "Frostbomb", 51103) self:Log("SPELL_PERIODIC_DAMAGE", "Frostbomb", 51103) self:Log("SPELL_PERIODIC_MISSED", "Frostbomb", 51103) end function mod:OnEngage() -- This boss is pulled 4 times throughout the dungeon, -- the first 3 times he starts casting a spell called "Summon Menagerie" -- (each time with a different spell ID) which spawns trash, then teleports away. -- Two issues: -- - He fires ENCOUNTER_START each time; -- - SPELL_CAST_START fires *before* ENCOUNTER_START. local spell = UnitCastingInfo("boss1") if spell == self:SpellName(50476) then -- Summon Menagerie, first 3 pulls self:ScheduleTimer("Reboot", 0.5) -- prevent the module from reporting a wipe else -- normal pull self:CDBar(51110, 31.5) -- Empowered Arcane Explosion end end ------------------------------------------------------------------------------- -- Event Handlers -- function mod:TimeBomb(args) if self:Me(args.destGUID) then self:Say(51121) self:SayCountdown(51121, 6) end self:TargetMessage(51121, args.destName, "orange", "Alert", nil, nil, self:Healer()) -- damage is based on missing health self:TargetBar(51121, 6, args.destName) self:PrimaryIcon(51121, args.destName) end function mod:TimeBombRemoved(args) if self:Me(args.destGUID) then self:CancelSayCountdown(51121) end self:StopBar(args.spellName, args.destName) self:PrimaryIcon(51121) end function mod:EmpoweredArcaneExplosion(args) self:Message(51110, "yellow", nil, CL.casting:format(args.spellName)) self:CastBar(51110, self:Normal() and 8 or 6, 1449) -- 1449 = Arcane Explosion, to prevent the bar's text overlapping with its timer self:CDBar(51110, 38.9) end do local prev = 0 function mod:Frostbomb(args) if self:Me(args.destGUID) then local t = GetTime() if t - prev > 1.5 then prev = t self:Message(args.spellId, "blue", "Alert", CL.underyou:format(args.spellName)) end end end end
local Tunnel = module("vrp", "lib/Tunnel") local Proxy = module("vrp", "lib/Proxy") vRP = Proxy.getInterface("vRP") vRPclient = Tunnel.getInterface("vRP","vrp_bilskrot") local scrapprices = { {id = 0, price = 3600}, --compacts {id = 1, price = 4000}, --sedans {id = 2, price = 5200}, --SUV's {id = 3, price = 6400}, --coupes {id = 4, price = 5000}, --muscle {id = 5, price = 6500}, --sport classic {id = 6, price = 7200}, --sport {id = 7, price = 11000}, --super {id = 8, price = 2200}, --motorcycle {id = 9, price = 3800}, --offroad {id = 10, price = 4400}, --industrial {id = 11, price = 3400}, --utility {id = 12, price = 3400}, --vans {id = 13, price = 400}, --bicycles {id = 14, price = 2000}, --boats {id = 15, price = 8200}, --helicopter {id = 16, price = 9000}, --plane {id = 17, price = 2900}, --service {id = 18, price = 5000}, --emergency {id = 19, price = 6200}, --military {id = 20, price = 3400} --commercial } -- GROUPS -- WHO HAVE ACCESS TO SCRAP VEHICLES local groups = {"Mekaniker", "Mekaniker Chef"}; RegisterServerEvent("scrap:getVehPrice") AddEventHandler("scrap:getVehPrice", function(class) for k, price in pairs(scrapprices) do if class == price.id then vehPrice = price.price TriggerClientEvent("setVehPrice", -1, vehPrice) end end end) RegisterServerEvent("scrap:SellVehicle") AddEventHandler("scrap:SellVehicle", function(vehPrice) local user_id = vRP.getUserId({source}) local player = vRP.getUserSource({user_id}) for k,v in ipairs(groups) do if vRP.hasGroup({user_id,v}) then if tonumber(vehPrice) <= 11000 then vRP.giveBankMoney({user_id,vehPrice}) else print(GetPlayerName(source) .. "(".. user_id ..") prøvede at give flere penge end man kan få fra jobbet, er nok en modder.") end else print(GetPlayerName(player) .. "(".. user_id ..") triggerede et money event uden at være mekaniker, er nok en modder.") end end end) RegisterServerEvent('scrap:Mechanic') AddEventHandler('scrap:Mechanic', function(triggerevent) local source = source local user_id = vRP.getUserId({source}) local player = vRP.getUserSource({user_id}) for k,v in ipairs(groups) do if vRP.hasGroup({user_id,v}) then TriggerClientEvent(triggerevent, source) else TriggerClientEvent("pNotify:SendNotification", player,{text = "Du er ikke en mekaniker, du kan ikke sælge biler her!", type = "error", queue = "global", timeout = 2000, layout = "centerRight",animation = {open = "gta_effects_fade_in", close = "gta_effects_fade_out"},killer = true}) end end end)
--- @module flattable local BASE = (...):match("(.-)[^%.]+$") local core = require( BASE .. "core" ) local style = require( BASE .. "style" ) ------------------------------------------------------------------------------- local function keyboardOn( id, uistate ) if core.hasKeyboardFocus( id ) then if uistate.keyentered == "return" or uistate.keyentered == " " then uistate.keyentered = 0 return true end end return false end ------------------------------------------------------------------------------- local function mouseReleasedOn( id, uistate ) if uistate.mousedown == false and uistate.hotitem == id and uistate.activeitem == id then return true end return false end ------------------------------------------------------------------------------- local function flattable( self ) local id, uistate = core.nextId() self.flattable = self.flattable or uistate self.w = self.w or 0 self.h = self.h or 0 core.checkRect( id, self ) style.flattable( self, core.getMods( id ) ) return false end ------------------------------------------------------------------------------- return flattable
slot0 = require("protobuf") slot1 = require("common_pb") module("p25_pb") SC_25001 = slot0.Descriptor() CS_25002 = slot0.Descriptor() SC_25003 = slot0.Descriptor() CS_25004 = slot0.Descriptor() SC_25005 = slot0.Descriptor() CS_25006 = slot0.Descriptor() SC_25007 = slot0.Descriptor() CS_25008 = slot0.Descriptor() SC_25009 = slot0.Descriptor() CS_25010 = slot0.Descriptor() SC_25011 = slot0.Descriptor() CS_25012 = slot0.Descriptor() SC_25013 = slot0.Descriptor() CS_25014 = slot0.Descriptor() SC_25015 = slot0.Descriptor() CS_25016 = slot0.Descriptor() SC_25017 = slot0.Descriptor() CS_25018 = slot0.Descriptor() SC_25019 = slot0.Descriptor() CS_25020 = slot0.Descriptor() SC_25021 = slot0.Descriptor() CS_25022 = slot0.Descriptor() SC_25023 = slot0.Descriptor() CS_25024 = slot0.Descriptor() SC_25025 = slot0.Descriptor() COMMANDERBOXINFO = slot0.Descriptor() PRESETFLEET = slot0.Descriptor() COMMANDERHOMESLOT = slot0.Descriptor() CS_25026 = slot0.Descriptor() SC_25027 = slot0.Descriptor() CS_25028 = slot0.Descriptor() SC_25029 = slot0.Descriptor() CS_25030 = slot0.Descriptor() SC_25031 = slot0.Descriptor() CS_25032 = slot0.Descriptor() SC_25033 = slot0.Descriptor() CS_25034 = slot0.Descriptor() SC_25035 = slot0.Descriptor() CS_25036 = slot0.Descriptor() ({ SC_25001_COMMANDERS_FIELD = slot0.FieldDescriptor(), SC_25001_BOX_FIELD = slot0.FieldDescriptor(), SC_25001_USAGE_COUNT_FIELD = slot0.FieldDescriptor(), SC_25001_PRESETS_FIELD = slot0.FieldDescriptor(), CS_25002_BOXID_FIELD = slot0.FieldDescriptor(), SC_25003_RESULT_FIELD = slot0.FieldDescriptor(), SC_25003_BOX_FIELD = slot0.FieldDescriptor(), CS_25004_BOXID_FIELD = slot0.FieldDescriptor(), SC_25005_RESULT_FIELD = slot0.FieldDescriptor(), SC_25005_COMMANDER_FIELD = slot0.FieldDescriptor(), SC_25005_FINISH_TIME_FIELD = slot0.FieldDescriptor(), CS_25006_GROUPID_FIELD = slot0.FieldDescriptor(), CS_25006_POS_FIELD = slot0.FieldDescriptor(), CS_25006_COMMANDERID_FIELD = slot0.FieldDescriptor(), SC_25007_RESULT_FIELD = slot0.FieldDescriptor(), CS_25008_TARGETID_FIELD = slot0.FieldDescriptor(), CS_25008_MATERIALID_FIELD = slot0.FieldDescriptor(), SC_25009_RESULT_FIELD = slot0.FieldDescriptor(), CS_25010_COMMANDERID_FIELD = slot0.FieldDescriptor(), SC_25011_RESULT_FIELD = slot0.FieldDescriptor(), SC_25011_ABILITYID_FIELD = slot0.FieldDescriptor(), CS_25012_COMMANDERID_FIELD = slot0.FieldDescriptor(), CS_25012_TARGETID_FIELD = slot0.FieldDescriptor(), CS_25012_REPLACEID_FIELD = slot0.FieldDescriptor(), SC_25013_RESULT_FIELD = slot0.FieldDescriptor(), CS_25014_COMMANDERID_FIELD = slot0.FieldDescriptor(), SC_25015_RESULT_FIELD = slot0.FieldDescriptor(), CS_25016_COMMANDERID_FIELD = slot0.FieldDescriptor(), CS_25016_FLAG_FIELD = slot0.FieldDescriptor(), SC_25017_RESULT_FIELD = slot0.FieldDescriptor(), CS_25018_TYPE_FIELD = slot0.FieldDescriptor(), SC_25019_RESULT_FIELD = slot0.FieldDescriptor(), SC_25019_AWARDS_FIELD = slot0.FieldDescriptor(), CS_25020_NAME_FIELD = slot0.FieldDescriptor(), CS_25020_COMMANDERID_FIELD = slot0.FieldDescriptor(), SC_25021_RESULT_FIELD = slot0.FieldDescriptor(), CS_25022_ID_FIELD = slot0.FieldDescriptor(), CS_25022_COMMANDERSID_FIELD = slot0.FieldDescriptor(), SC_25023_RESULT_FIELD = slot0.FieldDescriptor(), CS_25024_ID_FIELD = slot0.FieldDescriptor(), CS_25024_NAME_FIELD = slot0.FieldDescriptor(), SC_25025_RESULT_FIELD = slot0.FieldDescriptor(), COMMANDERBOXINFO_ID_FIELD = slot0.FieldDescriptor(), COMMANDERBOXINFO_POOLID_FIELD = slot0.FieldDescriptor(), COMMANDERBOXINFO_FINISH_TIME_FIELD = slot0.FieldDescriptor(), COMMANDERBOXINFO_BEGIN_TIME_FIELD = slot0.FieldDescriptor(), PRESETFLEET_ID_FIELD = slot0.FieldDescriptor(), PRESETFLEET_COMMANDERSID_FIELD = slot0.FieldDescriptor(), PRESETFLEET_NAME_FIELD = slot0.FieldDescriptor(), COMMANDERHOMESLOT_ID_FIELD = slot0.FieldDescriptor(), COMMANDERHOMESLOT_OP_FLAG_FIELD = slot0.FieldDescriptor(), COMMANDERHOMESLOT_EXP_TIME_FIELD = slot0.FieldDescriptor(), COMMANDERHOMESLOT_COMMANDER_ID_FIELD = slot0.FieldDescriptor(), COMMANDERHOMESLOT_STYLE_FIELD = slot0.FieldDescriptor(), COMMANDERHOMESLOT_COMMANDER_LEVEL_FIELD = slot0.FieldDescriptor(), COMMANDERHOMESLOT_COMMANDER_EXP_FIELD = slot0.FieldDescriptor(), COMMANDERHOMESLOT_CACHE_EXP_FIELD = slot0.FieldDescriptor(), CS_25026_TYPE_FIELD = slot0.FieldDescriptor(), SC_25027_LEVEL_FIELD = slot0.FieldDescriptor(), SC_25027_EXP_FIELD = slot0.FieldDescriptor(), SC_25027_SLOTS_FIELD = slot0.FieldDescriptor(), SC_25027_CLEAN_FIELD = slot0.FieldDescriptor(), CS_25028_TYPE_FIELD = slot0.FieldDescriptor(), SC_25029_RESULT_FIELD = slot0.FieldDescriptor(), SC_25029_LEVEL_FIELD = slot0.FieldDescriptor(), SC_25029_EXP_FIELD = slot0.FieldDescriptor(), SC_25029_AWARDS_FIELD = slot0.FieldDescriptor(), SC_25029_OP_TIME_FIELD = slot0.FieldDescriptor(), CS_25030_SLOTIDX_FIELD = slot0.FieldDescriptor(), CS_25030_COMMANDER_ID_FIELD = slot0.FieldDescriptor(), SC_25031_RESULT_FIELD = slot0.FieldDescriptor(), SC_25031_TIME_FIELD = slot0.FieldDescriptor(), SC_25031_COMMANDER_LEVEL_FIELD = slot0.FieldDescriptor(), SC_25031_COMMANDER_EXP_FIELD = slot0.FieldDescriptor(), CS_25032_SLOTIDX_FIELD = slot0.FieldDescriptor(), CS_25032_STYLEIDX_FIELD = slot0.FieldDescriptor(), SC_25033_RESULT_FIELD = slot0.FieldDescriptor(), CS_25034_TYPE_FIELD = slot0.FieldDescriptor(), SC_25035_BOX_LIST_FIELD = slot0.FieldDescriptor(), CS_25036_IS_OPEN_FIELD = slot0.FieldDescriptor() })["SC_25001_COMMANDERS_FIELD"].name = "commanders" ()["SC_25001_COMMANDERS_FIELD"].full_name = "p25.sc_25001.commanders" ()["SC_25001_COMMANDERS_FIELD"].number = 1 ()["SC_25001_COMMANDERS_FIELD"].index = 0 ()["SC_25001_COMMANDERS_FIELD"].label = 3 ()["SC_25001_COMMANDERS_FIELD"].has_default_value = false ()["SC_25001_COMMANDERS_FIELD"].default_value = {} ()["SC_25001_COMMANDERS_FIELD"].message_type = slot1.COMMANDERINFO ()["SC_25001_COMMANDERS_FIELD"].type = 11 ()["SC_25001_COMMANDERS_FIELD"].cpp_type = 10 ()["SC_25001_BOX_FIELD"].name = "box" ()["SC_25001_BOX_FIELD"].full_name = "p25.sc_25001.box" ()["SC_25001_BOX_FIELD"].number = 2 ()["SC_25001_BOX_FIELD"].index = 1 ()["SC_25001_BOX_FIELD"].label = 3 ()["SC_25001_BOX_FIELD"].has_default_value = false ()["SC_25001_BOX_FIELD"].default_value = {} ()["SC_25001_BOX_FIELD"].message_type = COMMANDERBOXINFO ()["SC_25001_BOX_FIELD"].type = 11 ()["SC_25001_BOX_FIELD"].cpp_type = 10 ()["SC_25001_USAGE_COUNT_FIELD"].name = "usage_count" ()["SC_25001_USAGE_COUNT_FIELD"].full_name = "p25.sc_25001.usage_count" ()["SC_25001_USAGE_COUNT_FIELD"].number = 3 ()["SC_25001_USAGE_COUNT_FIELD"].index = 2 ()["SC_25001_USAGE_COUNT_FIELD"].label = 2 ()["SC_25001_USAGE_COUNT_FIELD"].has_default_value = false ()["SC_25001_USAGE_COUNT_FIELD"].default_value = 0 ()["SC_25001_USAGE_COUNT_FIELD"].type = 13 ()["SC_25001_USAGE_COUNT_FIELD"].cpp_type = 3 ()["SC_25001_PRESETS_FIELD"].name = "presets" ()["SC_25001_PRESETS_FIELD"].full_name = "p25.sc_25001.presets" ()["SC_25001_PRESETS_FIELD"].number = 4 ()["SC_25001_PRESETS_FIELD"].index = 3 ()["SC_25001_PRESETS_FIELD"].label = 3 ()["SC_25001_PRESETS_FIELD"].has_default_value = false ()["SC_25001_PRESETS_FIELD"].default_value = {} ()["SC_25001_PRESETS_FIELD"].message_type = PRESETFLEET ()["SC_25001_PRESETS_FIELD"].type = 11 ()["SC_25001_PRESETS_FIELD"].cpp_type = 10 SC_25001.name = "sc_25001" SC_25001.full_name = "p25.sc_25001" SC_25001.nested_types = {} SC_25001.enum_types = {} SC_25001.fields = { ()["SC_25001_COMMANDERS_FIELD"], ()["SC_25001_BOX_FIELD"], ()["SC_25001_USAGE_COUNT_FIELD"], ()["SC_25001_PRESETS_FIELD"] } SC_25001.is_extendable = false SC_25001.extensions = {} ()["CS_25002_BOXID_FIELD"].name = "boxid" ()["CS_25002_BOXID_FIELD"].full_name = "p25.cs_25002.boxid" ()["CS_25002_BOXID_FIELD"].number = 1 ()["CS_25002_BOXID_FIELD"].index = 0 ()["CS_25002_BOXID_FIELD"].label = 2 ()["CS_25002_BOXID_FIELD"].has_default_value = false ()["CS_25002_BOXID_FIELD"].default_value = 0 ()["CS_25002_BOXID_FIELD"].type = 13 ()["CS_25002_BOXID_FIELD"].cpp_type = 3 CS_25002.name = "cs_25002" CS_25002.full_name = "p25.cs_25002" CS_25002.nested_types = {} CS_25002.enum_types = {} CS_25002.fields = { ()["CS_25002_BOXID_FIELD"] } CS_25002.is_extendable = false CS_25002.extensions = {} ()["SC_25003_RESULT_FIELD"].name = "result" ()["SC_25003_RESULT_FIELD"].full_name = "p25.sc_25003.result" ()["SC_25003_RESULT_FIELD"].number = 1 ()["SC_25003_RESULT_FIELD"].index = 0 ()["SC_25003_RESULT_FIELD"].label = 2 ()["SC_25003_RESULT_FIELD"].has_default_value = false ()["SC_25003_RESULT_FIELD"].default_value = 0 ()["SC_25003_RESULT_FIELD"].type = 13 ()["SC_25003_RESULT_FIELD"].cpp_type = 3 ()["SC_25003_BOX_FIELD"].name = "box" ()["SC_25003_BOX_FIELD"].full_name = "p25.sc_25003.box" ()["SC_25003_BOX_FIELD"].number = 2 ()["SC_25003_BOX_FIELD"].index = 1 ()["SC_25003_BOX_FIELD"].label = 2 ()["SC_25003_BOX_FIELD"].has_default_value = false ()["SC_25003_BOX_FIELD"].default_value = nil ()["SC_25003_BOX_FIELD"].message_type = COMMANDERBOXINFO ()["SC_25003_BOX_FIELD"].type = 11 ()["SC_25003_BOX_FIELD"].cpp_type = 10 SC_25003.name = "sc_25003" SC_25003.full_name = "p25.sc_25003" SC_25003.nested_types = {} SC_25003.enum_types = {} SC_25003.fields = { ()["SC_25003_RESULT_FIELD"], ()["SC_25003_BOX_FIELD"] } SC_25003.is_extendable = false SC_25003.extensions = {} ()["CS_25004_BOXID_FIELD"].name = "boxid" ()["CS_25004_BOXID_FIELD"].full_name = "p25.cs_25004.boxid" ()["CS_25004_BOXID_FIELD"].number = 1 ()["CS_25004_BOXID_FIELD"].index = 0 ()["CS_25004_BOXID_FIELD"].label = 2 ()["CS_25004_BOXID_FIELD"].has_default_value = false ()["CS_25004_BOXID_FIELD"].default_value = 0 ()["CS_25004_BOXID_FIELD"].type = 13 ()["CS_25004_BOXID_FIELD"].cpp_type = 3 CS_25004.name = "cs_25004" CS_25004.full_name = "p25.cs_25004" CS_25004.nested_types = {} CS_25004.enum_types = {} CS_25004.fields = { ()["CS_25004_BOXID_FIELD"] } CS_25004.is_extendable = false CS_25004.extensions = {} ()["SC_25005_RESULT_FIELD"].name = "result" ()["SC_25005_RESULT_FIELD"].full_name = "p25.sc_25005.result" ()["SC_25005_RESULT_FIELD"].number = 1 ()["SC_25005_RESULT_FIELD"].index = 0 ()["SC_25005_RESULT_FIELD"].label = 2 ()["SC_25005_RESULT_FIELD"].has_default_value = false ()["SC_25005_RESULT_FIELD"].default_value = 0 ()["SC_25005_RESULT_FIELD"].type = 13 ()["SC_25005_RESULT_FIELD"].cpp_type = 3 ()["SC_25005_COMMANDER_FIELD"].name = "commander" ()["SC_25005_COMMANDER_FIELD"].full_name = "p25.sc_25005.commander" ()["SC_25005_COMMANDER_FIELD"].number = 2 ()["SC_25005_COMMANDER_FIELD"].index = 1 ()["SC_25005_COMMANDER_FIELD"].label = 2 ()["SC_25005_COMMANDER_FIELD"].has_default_value = false ()["SC_25005_COMMANDER_FIELD"].default_value = nil ()["SC_25005_COMMANDER_FIELD"].message_type = slot1.COMMANDERINFO ()["SC_25005_COMMANDER_FIELD"].type = 11 ()["SC_25005_COMMANDER_FIELD"].cpp_type = 10 ()["SC_25005_FINISH_TIME_FIELD"].name = "finish_time" ()["SC_25005_FINISH_TIME_FIELD"].full_name = "p25.sc_25005.finish_time" ()["SC_25005_FINISH_TIME_FIELD"].number = 3 ()["SC_25005_FINISH_TIME_FIELD"].index = 2 ()["SC_25005_FINISH_TIME_FIELD"].label = 2 ()["SC_25005_FINISH_TIME_FIELD"].has_default_value = false ()["SC_25005_FINISH_TIME_FIELD"].default_value = 0 ()["SC_25005_FINISH_TIME_FIELD"].type = 13 ()["SC_25005_FINISH_TIME_FIELD"].cpp_type = 3 SC_25005.name = "sc_25005" SC_25005.full_name = "p25.sc_25005" SC_25005.nested_types = {} SC_25005.enum_types = {} SC_25005.fields = { ()["SC_25005_RESULT_FIELD"], ()["SC_25005_COMMANDER_FIELD"], ()["SC_25005_FINISH_TIME_FIELD"] } SC_25005.is_extendable = false SC_25005.extensions = {} ()["CS_25006_GROUPID_FIELD"].name = "groupid" ()["CS_25006_GROUPID_FIELD"].full_name = "p25.cs_25006.groupid" ()["CS_25006_GROUPID_FIELD"].number = 1 ()["CS_25006_GROUPID_FIELD"].index = 0 ()["CS_25006_GROUPID_FIELD"].label = 2 ()["CS_25006_GROUPID_FIELD"].has_default_value = false ()["CS_25006_GROUPID_FIELD"].default_value = 0 ()["CS_25006_GROUPID_FIELD"].type = 13 ()["CS_25006_GROUPID_FIELD"].cpp_type = 3 ()["CS_25006_POS_FIELD"].name = "pos" ()["CS_25006_POS_FIELD"].full_name = "p25.cs_25006.pos" ()["CS_25006_POS_FIELD"].number = 2 ()["CS_25006_POS_FIELD"].index = 1 ()["CS_25006_POS_FIELD"].label = 2 ()["CS_25006_POS_FIELD"].has_default_value = false ()["CS_25006_POS_FIELD"].default_value = 0 ()["CS_25006_POS_FIELD"].type = 13 ()["CS_25006_POS_FIELD"].cpp_type = 3 ()["CS_25006_COMMANDERID_FIELD"].name = "commanderid" ()["CS_25006_COMMANDERID_FIELD"].full_name = "p25.cs_25006.commanderid" ()["CS_25006_COMMANDERID_FIELD"].number = 3 ()["CS_25006_COMMANDERID_FIELD"].index = 2 ()["CS_25006_COMMANDERID_FIELD"].label = 2 ()["CS_25006_COMMANDERID_FIELD"].has_default_value = false ()["CS_25006_COMMANDERID_FIELD"].default_value = 0 ()["CS_25006_COMMANDERID_FIELD"].type = 13 ()["CS_25006_COMMANDERID_FIELD"].cpp_type = 3 CS_25006.name = "cs_25006" CS_25006.full_name = "p25.cs_25006" CS_25006.nested_types = {} CS_25006.enum_types = {} CS_25006.fields = { ()["CS_25006_GROUPID_FIELD"], ()["CS_25006_POS_FIELD"], ()["CS_25006_COMMANDERID_FIELD"] } CS_25006.is_extendable = false CS_25006.extensions = {} ()["SC_25007_RESULT_FIELD"].name = "result" ()["SC_25007_RESULT_FIELD"].full_name = "p25.sc_25007.result" ()["SC_25007_RESULT_FIELD"].number = 1 ()["SC_25007_RESULT_FIELD"].index = 0 ()["SC_25007_RESULT_FIELD"].label = 2 ()["SC_25007_RESULT_FIELD"].has_default_value = false ()["SC_25007_RESULT_FIELD"].default_value = 0 ()["SC_25007_RESULT_FIELD"].type = 13 ()["SC_25007_RESULT_FIELD"].cpp_type = 3 SC_25007.name = "sc_25007" SC_25007.full_name = "p25.sc_25007" SC_25007.nested_types = {} SC_25007.enum_types = {} SC_25007.fields = { ()["SC_25007_RESULT_FIELD"] } SC_25007.is_extendable = false SC_25007.extensions = {} ()["CS_25008_TARGETID_FIELD"].name = "targetid" ()["CS_25008_TARGETID_FIELD"].full_name = "p25.cs_25008.targetid" ()["CS_25008_TARGETID_FIELD"].number = 1 ()["CS_25008_TARGETID_FIELD"].index = 0 ()["CS_25008_TARGETID_FIELD"].label = 2 ()["CS_25008_TARGETID_FIELD"].has_default_value = false ()["CS_25008_TARGETID_FIELD"].default_value = 0 ()["CS_25008_TARGETID_FIELD"].type = 13 ()["CS_25008_TARGETID_FIELD"].cpp_type = 3 ()["CS_25008_MATERIALID_FIELD"].name = "materialid" ()["CS_25008_MATERIALID_FIELD"].full_name = "p25.cs_25008.materialid" ()["CS_25008_MATERIALID_FIELD"].number = 2 ()["CS_25008_MATERIALID_FIELD"].index = 1 ()["CS_25008_MATERIALID_FIELD"].label = 3 ()["CS_25008_MATERIALID_FIELD"].has_default_value = false ()["CS_25008_MATERIALID_FIELD"].default_value = {} ()["CS_25008_MATERIALID_FIELD"].type = 13 ()["CS_25008_MATERIALID_FIELD"].cpp_type = 3 CS_25008.name = "cs_25008" CS_25008.full_name = "p25.cs_25008" CS_25008.nested_types = {} CS_25008.enum_types = {} CS_25008.fields = { ()["CS_25008_TARGETID_FIELD"], ()["CS_25008_MATERIALID_FIELD"] } CS_25008.is_extendable = false CS_25008.extensions = {} ()["SC_25009_RESULT_FIELD"].name = "result" ()["SC_25009_RESULT_FIELD"].full_name = "p25.sc_25009.result" ()["SC_25009_RESULT_FIELD"].number = 1 ()["SC_25009_RESULT_FIELD"].index = 0 ()["SC_25009_RESULT_FIELD"].label = 2 ()["SC_25009_RESULT_FIELD"].has_default_value = false ()["SC_25009_RESULT_FIELD"].default_value = 0 ()["SC_25009_RESULT_FIELD"].type = 13 ()["SC_25009_RESULT_FIELD"].cpp_type = 3 SC_25009.name = "sc_25009" SC_25009.full_name = "p25.sc_25009" SC_25009.nested_types = {} SC_25009.enum_types = {} SC_25009.fields = { ()["SC_25009_RESULT_FIELD"] } SC_25009.is_extendable = false SC_25009.extensions = {} ()["CS_25010_COMMANDERID_FIELD"].name = "commanderid" ()["CS_25010_COMMANDERID_FIELD"].full_name = "p25.cs_25010.commanderid" ()["CS_25010_COMMANDERID_FIELD"].number = 1 ()["CS_25010_COMMANDERID_FIELD"].index = 0 ()["CS_25010_COMMANDERID_FIELD"].label = 2 ()["CS_25010_COMMANDERID_FIELD"].has_default_value = false ()["CS_25010_COMMANDERID_FIELD"].default_value = 0 ()["CS_25010_COMMANDERID_FIELD"].type = 13 ()["CS_25010_COMMANDERID_FIELD"].cpp_type = 3 CS_25010.name = "cs_25010" CS_25010.full_name = "p25.cs_25010" CS_25010.nested_types = {} CS_25010.enum_types = {} CS_25010.fields = { ()["CS_25010_COMMANDERID_FIELD"] } CS_25010.is_extendable = false CS_25010.extensions = {} ()["SC_25011_RESULT_FIELD"].name = "result" ()["SC_25011_RESULT_FIELD"].full_name = "p25.sc_25011.result" ()["SC_25011_RESULT_FIELD"].number = 1 ()["SC_25011_RESULT_FIELD"].index = 0 ()["SC_25011_RESULT_FIELD"].label = 2 ()["SC_25011_RESULT_FIELD"].has_default_value = false ()["SC_25011_RESULT_FIELD"].default_value = 0 ()["SC_25011_RESULT_FIELD"].type = 13 ()["SC_25011_RESULT_FIELD"].cpp_type = 3 ()["SC_25011_ABILITYID_FIELD"].name = "abilityid" ()["SC_25011_ABILITYID_FIELD"].full_name = "p25.sc_25011.abilityid" ()["SC_25011_ABILITYID_FIELD"].number = 2 ()["SC_25011_ABILITYID_FIELD"].index = 1 ()["SC_25011_ABILITYID_FIELD"].label = 3 ()["SC_25011_ABILITYID_FIELD"].has_default_value = false ()["SC_25011_ABILITYID_FIELD"].default_value = {} ()["SC_25011_ABILITYID_FIELD"].type = 13 ()["SC_25011_ABILITYID_FIELD"].cpp_type = 3 SC_25011.name = "sc_25011" SC_25011.full_name = "p25.sc_25011" SC_25011.nested_types = {} SC_25011.enum_types = {} SC_25011.fields = { ()["SC_25011_RESULT_FIELD"], ()["SC_25011_ABILITYID_FIELD"] } SC_25011.is_extendable = false SC_25011.extensions = {} ()["CS_25012_COMMANDERID_FIELD"].name = "commanderid" ()["CS_25012_COMMANDERID_FIELD"].full_name = "p25.cs_25012.commanderid" ()["CS_25012_COMMANDERID_FIELD"].number = 1 ()["CS_25012_COMMANDERID_FIELD"].index = 0 ()["CS_25012_COMMANDERID_FIELD"].label = 2 ()["CS_25012_COMMANDERID_FIELD"].has_default_value = false ()["CS_25012_COMMANDERID_FIELD"].default_value = 0 ()["CS_25012_COMMANDERID_FIELD"].type = 13 ()["CS_25012_COMMANDERID_FIELD"].cpp_type = 3 ()["CS_25012_TARGETID_FIELD"].name = "targetid" ()["CS_25012_TARGETID_FIELD"].full_name = "p25.cs_25012.targetid" ()["CS_25012_TARGETID_FIELD"].number = 2 ()["CS_25012_TARGETID_FIELD"].index = 1 ()["CS_25012_TARGETID_FIELD"].label = 2 ()["CS_25012_TARGETID_FIELD"].has_default_value = false ()["CS_25012_TARGETID_FIELD"].default_value = 0 ()["CS_25012_TARGETID_FIELD"].type = 13 ()["CS_25012_TARGETID_FIELD"].cpp_type = 3 ()["CS_25012_REPLACEID_FIELD"].name = "replaceid" ()["CS_25012_REPLACEID_FIELD"].full_name = "p25.cs_25012.replaceid" ()["CS_25012_REPLACEID_FIELD"].number = 3 ()["CS_25012_REPLACEID_FIELD"].index = 2 ()["CS_25012_REPLACEID_FIELD"].label = 2 ()["CS_25012_REPLACEID_FIELD"].has_default_value = false ()["CS_25012_REPLACEID_FIELD"].default_value = 0 ()["CS_25012_REPLACEID_FIELD"].type = 13 ()["CS_25012_REPLACEID_FIELD"].cpp_type = 3 CS_25012.name = "cs_25012" CS_25012.full_name = "p25.cs_25012" CS_25012.nested_types = {} CS_25012.enum_types = {} CS_25012.fields = { ()["CS_25012_COMMANDERID_FIELD"], ()["CS_25012_TARGETID_FIELD"], ()["CS_25012_REPLACEID_FIELD"] } CS_25012.is_extendable = false CS_25012.extensions = {} ()["SC_25013_RESULT_FIELD"].name = "result" ()["SC_25013_RESULT_FIELD"].full_name = "p25.sc_25013.result" ()["SC_25013_RESULT_FIELD"].number = 1 ()["SC_25013_RESULT_FIELD"].index = 0 ()["SC_25013_RESULT_FIELD"].label = 2 ()["SC_25013_RESULT_FIELD"].has_default_value = false ()["SC_25013_RESULT_FIELD"].default_value = 0 ()["SC_25013_RESULT_FIELD"].type = 13 ()["SC_25013_RESULT_FIELD"].cpp_type = 3 SC_25013.name = "sc_25013" SC_25013.full_name = "p25.sc_25013" SC_25013.nested_types = {} SC_25013.enum_types = {} SC_25013.fields = { ()["SC_25013_RESULT_FIELD"] } SC_25013.is_extendable = false SC_25013.extensions = {} ()["CS_25014_COMMANDERID_FIELD"].name = "commanderid" ()["CS_25014_COMMANDERID_FIELD"].full_name = "p25.cs_25014.commanderid" ()["CS_25014_COMMANDERID_FIELD"].number = 1 ()["CS_25014_COMMANDERID_FIELD"].index = 0 ()["CS_25014_COMMANDERID_FIELD"].label = 2 ()["CS_25014_COMMANDERID_FIELD"].has_default_value = false ()["CS_25014_COMMANDERID_FIELD"].default_value = 0 ()["CS_25014_COMMANDERID_FIELD"].type = 13 ()["CS_25014_COMMANDERID_FIELD"].cpp_type = 3 CS_25014.name = "cs_25014" CS_25014.full_name = "p25.cs_25014" CS_25014.nested_types = {} CS_25014.enum_types = {} CS_25014.fields = { ()["CS_25014_COMMANDERID_FIELD"] } CS_25014.is_extendable = false CS_25014.extensions = {} ()["SC_25015_RESULT_FIELD"].name = "result" ()["SC_25015_RESULT_FIELD"].full_name = "p25.sc_25015.result" ()["SC_25015_RESULT_FIELD"].number = 1 ()["SC_25015_RESULT_FIELD"].index = 0 ()["SC_25015_RESULT_FIELD"].label = 2 ()["SC_25015_RESULT_FIELD"].has_default_value = false ()["SC_25015_RESULT_FIELD"].default_value = 0 ()["SC_25015_RESULT_FIELD"].type = 13 ()["SC_25015_RESULT_FIELD"].cpp_type = 3 SC_25015.name = "sc_25015" SC_25015.full_name = "p25.sc_25015" SC_25015.nested_types = {} SC_25015.enum_types = {} SC_25015.fields = { ()["SC_25015_RESULT_FIELD"] } SC_25015.is_extendable = false SC_25015.extensions = {} ()["CS_25016_COMMANDERID_FIELD"].name = "commanderid" ()["CS_25016_COMMANDERID_FIELD"].full_name = "p25.cs_25016.commanderid" ()["CS_25016_COMMANDERID_FIELD"].number = 1 ()["CS_25016_COMMANDERID_FIELD"].index = 0 ()["CS_25016_COMMANDERID_FIELD"].label = 2 ()["CS_25016_COMMANDERID_FIELD"].has_default_value = false ()["CS_25016_COMMANDERID_FIELD"].default_value = 0 ()["CS_25016_COMMANDERID_FIELD"].type = 13 ()["CS_25016_COMMANDERID_FIELD"].cpp_type = 3 ()["CS_25016_FLAG_FIELD"].name = "flag" ()["CS_25016_FLAG_FIELD"].full_name = "p25.cs_25016.flag" ()["CS_25016_FLAG_FIELD"].number = 2 ()["CS_25016_FLAG_FIELD"].index = 1 ()["CS_25016_FLAG_FIELD"].label = 2 ()["CS_25016_FLAG_FIELD"].has_default_value = false ()["CS_25016_FLAG_FIELD"].default_value = 0 ()["CS_25016_FLAG_FIELD"].type = 13 ()["CS_25016_FLAG_FIELD"].cpp_type = 3 CS_25016.name = "cs_25016" CS_25016.full_name = "p25.cs_25016" CS_25016.nested_types = {} CS_25016.enum_types = {} CS_25016.fields = { ()["CS_25016_COMMANDERID_FIELD"], ()["CS_25016_FLAG_FIELD"] } CS_25016.is_extendable = false CS_25016.extensions = {} ()["SC_25017_RESULT_FIELD"].name = "result" ()["SC_25017_RESULT_FIELD"].full_name = "p25.sc_25017.result" ()["SC_25017_RESULT_FIELD"].number = 1 ()["SC_25017_RESULT_FIELD"].index = 0 ()["SC_25017_RESULT_FIELD"].label = 2 ()["SC_25017_RESULT_FIELD"].has_default_value = false ()["SC_25017_RESULT_FIELD"].default_value = 0 ()["SC_25017_RESULT_FIELD"].type = 13 ()["SC_25017_RESULT_FIELD"].cpp_type = 3 SC_25017.name = "sc_25017" SC_25017.full_name = "p25.sc_25017" SC_25017.nested_types = {} SC_25017.enum_types = {} SC_25017.fields = { ()["SC_25017_RESULT_FIELD"] } SC_25017.is_extendable = false SC_25017.extensions = {} ()["CS_25018_TYPE_FIELD"].name = "type" ()["CS_25018_TYPE_FIELD"].full_name = "p25.cs_25018.type" ()["CS_25018_TYPE_FIELD"].number = 1 ()["CS_25018_TYPE_FIELD"].index = 0 ()["CS_25018_TYPE_FIELD"].label = 2 ()["CS_25018_TYPE_FIELD"].has_default_value = false ()["CS_25018_TYPE_FIELD"].default_value = 0 ()["CS_25018_TYPE_FIELD"].type = 13 ()["CS_25018_TYPE_FIELD"].cpp_type = 3 CS_25018.name = "cs_25018" CS_25018.full_name = "p25.cs_25018" CS_25018.nested_types = {} CS_25018.enum_types = {} CS_25018.fields = { ()["CS_25018_TYPE_FIELD"] } CS_25018.is_extendable = false CS_25018.extensions = {} ()["SC_25019_RESULT_FIELD"].name = "result" ()["SC_25019_RESULT_FIELD"].full_name = "p25.sc_25019.result" ()["SC_25019_RESULT_FIELD"].number = 1 ()["SC_25019_RESULT_FIELD"].index = 0 ()["SC_25019_RESULT_FIELD"].label = 2 ()["SC_25019_RESULT_FIELD"].has_default_value = false ()["SC_25019_RESULT_FIELD"].default_value = 0 ()["SC_25019_RESULT_FIELD"].type = 13 ()["SC_25019_RESULT_FIELD"].cpp_type = 3 ()["SC_25019_AWARDS_FIELD"].name = "awards" ()["SC_25019_AWARDS_FIELD"].full_name = "p25.sc_25019.awards" ()["SC_25019_AWARDS_FIELD"].number = 2 ()["SC_25019_AWARDS_FIELD"].index = 1 ()["SC_25019_AWARDS_FIELD"].label = 3 ()["SC_25019_AWARDS_FIELD"].has_default_value = false ()["SC_25019_AWARDS_FIELD"].default_value = {} ()["SC_25019_AWARDS_FIELD"].message_type = slot1.DROPINFO ()["SC_25019_AWARDS_FIELD"].type = 11 ()["SC_25019_AWARDS_FIELD"].cpp_type = 10 SC_25019.name = "sc_25019" SC_25019.full_name = "p25.sc_25019" SC_25019.nested_types = {} SC_25019.enum_types = {} SC_25019.fields = { ()["SC_25019_RESULT_FIELD"], ()["SC_25019_AWARDS_FIELD"] } SC_25019.is_extendable = false SC_25019.extensions = {} ()["CS_25020_NAME_FIELD"].name = "name" ()["CS_25020_NAME_FIELD"].full_name = "p25.cs_25020.name" ()["CS_25020_NAME_FIELD"].number = 1 ()["CS_25020_NAME_FIELD"].index = 0 ()["CS_25020_NAME_FIELD"].label = 2 ()["CS_25020_NAME_FIELD"].has_default_value = false ()["CS_25020_NAME_FIELD"].default_value = "" ()["CS_25020_NAME_FIELD"].type = 9 ()["CS_25020_NAME_FIELD"].cpp_type = 9 ()["CS_25020_COMMANDERID_FIELD"].name = "commanderid" ()["CS_25020_COMMANDERID_FIELD"].full_name = "p25.cs_25020.commanderid" ()["CS_25020_COMMANDERID_FIELD"].number = 2 ()["CS_25020_COMMANDERID_FIELD"].index = 1 ()["CS_25020_COMMANDERID_FIELD"].label = 2 ()["CS_25020_COMMANDERID_FIELD"].has_default_value = false ()["CS_25020_COMMANDERID_FIELD"].default_value = 0 ()["CS_25020_COMMANDERID_FIELD"].type = 13 ()["CS_25020_COMMANDERID_FIELD"].cpp_type = 3 CS_25020.name = "cs_25020" CS_25020.full_name = "p25.cs_25020" CS_25020.nested_types = {} CS_25020.enum_types = {} CS_25020.fields = { ()["CS_25020_NAME_FIELD"], ()["CS_25020_COMMANDERID_FIELD"] } CS_25020.is_extendable = false CS_25020.extensions = {} ()["SC_25021_RESULT_FIELD"].name = "result" ()["SC_25021_RESULT_FIELD"].full_name = "p25.sc_25021.result" ()["SC_25021_RESULT_FIELD"].number = 1 ()["SC_25021_RESULT_FIELD"].index = 0 ()["SC_25021_RESULT_FIELD"].label = 2 ()["SC_25021_RESULT_FIELD"].has_default_value = false ()["SC_25021_RESULT_FIELD"].default_value = 0 ()["SC_25021_RESULT_FIELD"].type = 13 ()["SC_25021_RESULT_FIELD"].cpp_type = 3 SC_25021.name = "sc_25021" SC_25021.full_name = "p25.sc_25021" SC_25021.nested_types = {} SC_25021.enum_types = {} SC_25021.fields = { ()["SC_25021_RESULT_FIELD"] } SC_25021.is_extendable = false SC_25021.extensions = {} ()["CS_25022_ID_FIELD"].name = "id" ()["CS_25022_ID_FIELD"].full_name = "p25.cs_25022.id" ()["CS_25022_ID_FIELD"].number = 1 ()["CS_25022_ID_FIELD"].index = 0 ()["CS_25022_ID_FIELD"].label = 2 ()["CS_25022_ID_FIELD"].has_default_value = false ()["CS_25022_ID_FIELD"].default_value = 0 ()["CS_25022_ID_FIELD"].type = 13 ()["CS_25022_ID_FIELD"].cpp_type = 3 ()["CS_25022_COMMANDERSID_FIELD"].name = "commandersid" ()["CS_25022_COMMANDERSID_FIELD"].full_name = "p25.cs_25022.commandersid" ()["CS_25022_COMMANDERSID_FIELD"].number = 2 ()["CS_25022_COMMANDERSID_FIELD"].index = 1 ()["CS_25022_COMMANDERSID_FIELD"].label = 3 ()["CS_25022_COMMANDERSID_FIELD"].has_default_value = false ()["CS_25022_COMMANDERSID_FIELD"].default_value = {} ()["CS_25022_COMMANDERSID_FIELD"].message_type = slot1.COMMANDERSINFO ()["CS_25022_COMMANDERSID_FIELD"].type = 11 ()["CS_25022_COMMANDERSID_FIELD"].cpp_type = 10 CS_25022.name = "cs_25022" CS_25022.full_name = "p25.cs_25022" CS_25022.nested_types = {} CS_25022.enum_types = {} CS_25022.fields = { ()["CS_25022_ID_FIELD"], ()["CS_25022_COMMANDERSID_FIELD"] } CS_25022.is_extendable = false CS_25022.extensions = {} ()["SC_25023_RESULT_FIELD"].name = "result" ()["SC_25023_RESULT_FIELD"].full_name = "p25.sc_25023.result" ()["SC_25023_RESULT_FIELD"].number = 1 ()["SC_25023_RESULT_FIELD"].index = 0 ()["SC_25023_RESULT_FIELD"].label = 2 ()["SC_25023_RESULT_FIELD"].has_default_value = false ()["SC_25023_RESULT_FIELD"].default_value = 0 ()["SC_25023_RESULT_FIELD"].type = 13 ()["SC_25023_RESULT_FIELD"].cpp_type = 3 SC_25023.name = "sc_25023" SC_25023.full_name = "p25.sc_25023" SC_25023.nested_types = {} SC_25023.enum_types = {} SC_25023.fields = { ()["SC_25023_RESULT_FIELD"] } SC_25023.is_extendable = false SC_25023.extensions = {} ()["CS_25024_ID_FIELD"].name = "id" ()["CS_25024_ID_FIELD"].full_name = "p25.cs_25024.id" ()["CS_25024_ID_FIELD"].number = 1 ()["CS_25024_ID_FIELD"].index = 0 ()["CS_25024_ID_FIELD"].label = 2 ()["CS_25024_ID_FIELD"].has_default_value = false ()["CS_25024_ID_FIELD"].default_value = 0 ()["CS_25024_ID_FIELD"].type = 13 ()["CS_25024_ID_FIELD"].cpp_type = 3 ()["CS_25024_NAME_FIELD"].name = "name" ()["CS_25024_NAME_FIELD"].full_name = "p25.cs_25024.name" ()["CS_25024_NAME_FIELD"].number = 2 ()["CS_25024_NAME_FIELD"].index = 1 ()["CS_25024_NAME_FIELD"].label = 2 ()["CS_25024_NAME_FIELD"].has_default_value = false ()["CS_25024_NAME_FIELD"].default_value = "" ()["CS_25024_NAME_FIELD"].type = 9 ()["CS_25024_NAME_FIELD"].cpp_type = 9 CS_25024.name = "cs_25024" CS_25024.full_name = "p25.cs_25024" CS_25024.nested_types = {} CS_25024.enum_types = {} CS_25024.fields = { ()["CS_25024_ID_FIELD"], ()["CS_25024_NAME_FIELD"] } CS_25024.is_extendable = false CS_25024.extensions = {} ()["SC_25025_RESULT_FIELD"].name = "result" ()["SC_25025_RESULT_FIELD"].full_name = "p25.sc_25025.result" ()["SC_25025_RESULT_FIELD"].number = 1 ()["SC_25025_RESULT_FIELD"].index = 0 ()["SC_25025_RESULT_FIELD"].label = 2 ()["SC_25025_RESULT_FIELD"].has_default_value = false ()["SC_25025_RESULT_FIELD"].default_value = 0 ()["SC_25025_RESULT_FIELD"].type = 13 ()["SC_25025_RESULT_FIELD"].cpp_type = 3 SC_25025.name = "sc_25025" SC_25025.full_name = "p25.sc_25025" SC_25025.nested_types = {} SC_25025.enum_types = {} SC_25025.fields = { ()["SC_25025_RESULT_FIELD"] } SC_25025.is_extendable = false SC_25025.extensions = {} ()["COMMANDERBOXINFO_ID_FIELD"].name = "id" ()["COMMANDERBOXINFO_ID_FIELD"].full_name = "p25.commanderboxinfo.id" ()["COMMANDERBOXINFO_ID_FIELD"].number = 1 ()["COMMANDERBOXINFO_ID_FIELD"].index = 0 ()["COMMANDERBOXINFO_ID_FIELD"].label = 2 ()["COMMANDERBOXINFO_ID_FIELD"].has_default_value = false ()["COMMANDERBOXINFO_ID_FIELD"].default_value = 0 ()["COMMANDERBOXINFO_ID_FIELD"].type = 13 ()["COMMANDERBOXINFO_ID_FIELD"].cpp_type = 3 ()["COMMANDERBOXINFO_POOLID_FIELD"].name = "poolId" ()["COMMANDERBOXINFO_POOLID_FIELD"].full_name = "p25.commanderboxinfo.poolId" ()["COMMANDERBOXINFO_POOLID_FIELD"].number = 2 ()["COMMANDERBOXINFO_POOLID_FIELD"].index = 1 ()["COMMANDERBOXINFO_POOLID_FIELD"].label = 2 ()["COMMANDERBOXINFO_POOLID_FIELD"].has_default_value = false ()["COMMANDERBOXINFO_POOLID_FIELD"].default_value = 0 ()["COMMANDERBOXINFO_POOLID_FIELD"].type = 13 ()["COMMANDERBOXINFO_POOLID_FIELD"].cpp_type = 3 ()["COMMANDERBOXINFO_FINISH_TIME_FIELD"].name = "finish_time" ()["COMMANDERBOXINFO_FINISH_TIME_FIELD"].full_name = "p25.commanderboxinfo.finish_time" ()["COMMANDERBOXINFO_FINISH_TIME_FIELD"].number = 3 ()["COMMANDERBOXINFO_FINISH_TIME_FIELD"].index = 2 ()["COMMANDERBOXINFO_FINISH_TIME_FIELD"].label = 2 ()["COMMANDERBOXINFO_FINISH_TIME_FIELD"].has_default_value = false ()["COMMANDERBOXINFO_FINISH_TIME_FIELD"].default_value = 0 ()["COMMANDERBOXINFO_FINISH_TIME_FIELD"].type = 13 ()["COMMANDERBOXINFO_FINISH_TIME_FIELD"].cpp_type = 3 ()["COMMANDERBOXINFO_BEGIN_TIME_FIELD"].name = "begin_time" ()["COMMANDERBOXINFO_BEGIN_TIME_FIELD"].full_name = "p25.commanderboxinfo.begin_time" ()["COMMANDERBOXINFO_BEGIN_TIME_FIELD"].number = 4 ()["COMMANDERBOXINFO_BEGIN_TIME_FIELD"].index = 3 ()["COMMANDERBOXINFO_BEGIN_TIME_FIELD"].label = 2 ()["COMMANDERBOXINFO_BEGIN_TIME_FIELD"].has_default_value = false ()["COMMANDERBOXINFO_BEGIN_TIME_FIELD"].default_value = 0 ()["COMMANDERBOXINFO_BEGIN_TIME_FIELD"].type = 13 ()["COMMANDERBOXINFO_BEGIN_TIME_FIELD"].cpp_type = 3 COMMANDERBOXINFO.name = "commanderboxinfo" COMMANDERBOXINFO.full_name = "p25.commanderboxinfo" COMMANDERBOXINFO.nested_types = {} COMMANDERBOXINFO.enum_types = {} COMMANDERBOXINFO.fields = { ()["COMMANDERBOXINFO_ID_FIELD"], ()["COMMANDERBOXINFO_POOLID_FIELD"], ()["COMMANDERBOXINFO_FINISH_TIME_FIELD"], ()["COMMANDERBOXINFO_BEGIN_TIME_FIELD"] } COMMANDERBOXINFO.is_extendable = false COMMANDERBOXINFO.extensions = {} ()["PRESETFLEET_ID_FIELD"].name = "id" ()["PRESETFLEET_ID_FIELD"].full_name = "p25.presetfleet.id" ()["PRESETFLEET_ID_FIELD"].number = 1 ()["PRESETFLEET_ID_FIELD"].index = 0 ()["PRESETFLEET_ID_FIELD"].label = 2 ()["PRESETFLEET_ID_FIELD"].has_default_value = false ()["PRESETFLEET_ID_FIELD"].default_value = 0 ()["PRESETFLEET_ID_FIELD"].type = 13 ()["PRESETFLEET_ID_FIELD"].cpp_type = 3 ()["PRESETFLEET_COMMANDERSID_FIELD"].name = "commandersid" ()["PRESETFLEET_COMMANDERSID_FIELD"].full_name = "p25.presetfleet.commandersid" ()["PRESETFLEET_COMMANDERSID_FIELD"].number = 2 ()["PRESETFLEET_COMMANDERSID_FIELD"].index = 1 ()["PRESETFLEET_COMMANDERSID_FIELD"].label = 3 ()["PRESETFLEET_COMMANDERSID_FIELD"].has_default_value = false ()["PRESETFLEET_COMMANDERSID_FIELD"].default_value = {} ()["PRESETFLEET_COMMANDERSID_FIELD"].message_type = slot1.COMMANDERSINFO ()["PRESETFLEET_COMMANDERSID_FIELD"].type = 11 ()["PRESETFLEET_COMMANDERSID_FIELD"].cpp_type = 10 ()["PRESETFLEET_NAME_FIELD"].name = "name" ()["PRESETFLEET_NAME_FIELD"].full_name = "p25.presetfleet.name" ()["PRESETFLEET_NAME_FIELD"].number = 3 ()["PRESETFLEET_NAME_FIELD"].index = 2 ()["PRESETFLEET_NAME_FIELD"].label = 2 ()["PRESETFLEET_NAME_FIELD"].has_default_value = false ()["PRESETFLEET_NAME_FIELD"].default_value = "" ()["PRESETFLEET_NAME_FIELD"].type = 9 ()["PRESETFLEET_NAME_FIELD"].cpp_type = 9 PRESETFLEET.name = "presetfleet" PRESETFLEET.full_name = "p25.presetfleet" PRESETFLEET.nested_types = {} PRESETFLEET.enum_types = {} PRESETFLEET.fields = { ()["PRESETFLEET_ID_FIELD"], ()["PRESETFLEET_COMMANDERSID_FIELD"], ()["PRESETFLEET_NAME_FIELD"] } PRESETFLEET.is_extendable = false PRESETFLEET.extensions = {} ()["COMMANDERHOMESLOT_ID_FIELD"].name = "id" ()["COMMANDERHOMESLOT_ID_FIELD"].full_name = "p25.commanderhomeslot.id" ()["COMMANDERHOMESLOT_ID_FIELD"].number = 1 ()["COMMANDERHOMESLOT_ID_FIELD"].index = 0 ()["COMMANDERHOMESLOT_ID_FIELD"].label = 2 ()["COMMANDERHOMESLOT_ID_FIELD"].has_default_value = false ()["COMMANDERHOMESLOT_ID_FIELD"].default_value = 0 ()["COMMANDERHOMESLOT_ID_FIELD"].type = 13 ()["COMMANDERHOMESLOT_ID_FIELD"].cpp_type = 3 ()["COMMANDERHOMESLOT_OP_FLAG_FIELD"].name = "op_flag" ()["COMMANDERHOMESLOT_OP_FLAG_FIELD"].full_name = "p25.commanderhomeslot.op_flag" ()["COMMANDERHOMESLOT_OP_FLAG_FIELD"].number = 2 ()["COMMANDERHOMESLOT_OP_FLAG_FIELD"].index = 1 ()["COMMANDERHOMESLOT_OP_FLAG_FIELD"].label = 2 ()["COMMANDERHOMESLOT_OP_FLAG_FIELD"].has_default_value = false ()["COMMANDERHOMESLOT_OP_FLAG_FIELD"].default_value = 0 ()["COMMANDERHOMESLOT_OP_FLAG_FIELD"].type = 13 ()["COMMANDERHOMESLOT_OP_FLAG_FIELD"].cpp_type = 3 ()["COMMANDERHOMESLOT_EXP_TIME_FIELD"].name = "exp_time" ()["COMMANDERHOMESLOT_EXP_TIME_FIELD"].full_name = "p25.commanderhomeslot.exp_time" ()["COMMANDERHOMESLOT_EXP_TIME_FIELD"].number = 3 ()["COMMANDERHOMESLOT_EXP_TIME_FIELD"].index = 2 ()["COMMANDERHOMESLOT_EXP_TIME_FIELD"].label = 2 ()["COMMANDERHOMESLOT_EXP_TIME_FIELD"].has_default_value = false ()["COMMANDERHOMESLOT_EXP_TIME_FIELD"].default_value = 0 ()["COMMANDERHOMESLOT_EXP_TIME_FIELD"].type = 13 ()["COMMANDERHOMESLOT_EXP_TIME_FIELD"].cpp_type = 3 ()["COMMANDERHOMESLOT_COMMANDER_ID_FIELD"].name = "commander_id" ()["COMMANDERHOMESLOT_COMMANDER_ID_FIELD"].full_name = "p25.commanderhomeslot.commander_id" ()["COMMANDERHOMESLOT_COMMANDER_ID_FIELD"].number = 4 ()["COMMANDERHOMESLOT_COMMANDER_ID_FIELD"].index = 3 ()["COMMANDERHOMESLOT_COMMANDER_ID_FIELD"].label = 2 ()["COMMANDERHOMESLOT_COMMANDER_ID_FIELD"].has_default_value = false ()["COMMANDERHOMESLOT_COMMANDER_ID_FIELD"].default_value = 0 ()["COMMANDERHOMESLOT_COMMANDER_ID_FIELD"].type = 13 ()["COMMANDERHOMESLOT_COMMANDER_ID_FIELD"].cpp_type = 3 ()["COMMANDERHOMESLOT_STYLE_FIELD"].name = "style" ()["COMMANDERHOMESLOT_STYLE_FIELD"].full_name = "p25.commanderhomeslot.style" ()["COMMANDERHOMESLOT_STYLE_FIELD"].number = 5 ()["COMMANDERHOMESLOT_STYLE_FIELD"].index = 4 ()["COMMANDERHOMESLOT_STYLE_FIELD"].label = 2 ()["COMMANDERHOMESLOT_STYLE_FIELD"].has_default_value = false ()["COMMANDERHOMESLOT_STYLE_FIELD"].default_value = 0 ()["COMMANDERHOMESLOT_STYLE_FIELD"].type = 13 ()["COMMANDERHOMESLOT_STYLE_FIELD"].cpp_type = 3 ()["COMMANDERHOMESLOT_COMMANDER_LEVEL_FIELD"].name = "commander_level" ()["COMMANDERHOMESLOT_COMMANDER_LEVEL_FIELD"].full_name = "p25.commanderhomeslot.commander_level" ()["COMMANDERHOMESLOT_COMMANDER_LEVEL_FIELD"].number = 6 ()["COMMANDERHOMESLOT_COMMANDER_LEVEL_FIELD"].index = 5 ()["COMMANDERHOMESLOT_COMMANDER_LEVEL_FIELD"].label = 1 ()["COMMANDERHOMESLOT_COMMANDER_LEVEL_FIELD"].has_default_value = false ()["COMMANDERHOMESLOT_COMMANDER_LEVEL_FIELD"].default_value = 0 ()["COMMANDERHOMESLOT_COMMANDER_LEVEL_FIELD"].type = 13 ()["COMMANDERHOMESLOT_COMMANDER_LEVEL_FIELD"].cpp_type = 3 ()["COMMANDERHOMESLOT_COMMANDER_EXP_FIELD"].name = "commander_exp" ()["COMMANDERHOMESLOT_COMMANDER_EXP_FIELD"].full_name = "p25.commanderhomeslot.commander_exp" ()["COMMANDERHOMESLOT_COMMANDER_EXP_FIELD"].number = 7 ()["COMMANDERHOMESLOT_COMMANDER_EXP_FIELD"].index = 6 ()["COMMANDERHOMESLOT_COMMANDER_EXP_FIELD"].label = 1 ()["COMMANDERHOMESLOT_COMMANDER_EXP_FIELD"].has_default_value = false ()["COMMANDERHOMESLOT_COMMANDER_EXP_FIELD"].default_value = 0 ()["COMMANDERHOMESLOT_COMMANDER_EXP_FIELD"].type = 13 ()["COMMANDERHOMESLOT_COMMANDER_EXP_FIELD"].cpp_type = 3 ()["COMMANDERHOMESLOT_CACHE_EXP_FIELD"].name = "cache_exp" ()["COMMANDERHOMESLOT_CACHE_EXP_FIELD"].full_name = "p25.commanderhomeslot.cache_exp" ()["COMMANDERHOMESLOT_CACHE_EXP_FIELD"].number = 8 ()["COMMANDERHOMESLOT_CACHE_EXP_FIELD"].index = 7 ()["COMMANDERHOMESLOT_CACHE_EXP_FIELD"].label = 2 ()["COMMANDERHOMESLOT_CACHE_EXP_FIELD"].has_default_value = false ()["COMMANDERHOMESLOT_CACHE_EXP_FIELD"].default_value = 0 ()["COMMANDERHOMESLOT_CACHE_EXP_FIELD"].type = 13 ()["COMMANDERHOMESLOT_CACHE_EXP_FIELD"].cpp_type = 3 COMMANDERHOMESLOT.name = "commanderhomeslot" COMMANDERHOMESLOT.full_name = "p25.commanderhomeslot" COMMANDERHOMESLOT.nested_types = {} COMMANDERHOMESLOT.enum_types = {} COMMANDERHOMESLOT.fields = { ()["COMMANDERHOMESLOT_ID_FIELD"], ()["COMMANDERHOMESLOT_OP_FLAG_FIELD"], ()["COMMANDERHOMESLOT_EXP_TIME_FIELD"], ()["COMMANDERHOMESLOT_COMMANDER_ID_FIELD"], ()["COMMANDERHOMESLOT_STYLE_FIELD"], ()["COMMANDERHOMESLOT_COMMANDER_LEVEL_FIELD"], ()["COMMANDERHOMESLOT_COMMANDER_EXP_FIELD"], ()["COMMANDERHOMESLOT_CACHE_EXP_FIELD"] } COMMANDERHOMESLOT.is_extendable = false COMMANDERHOMESLOT.extensions = {} ()["CS_25026_TYPE_FIELD"].name = "type" ()["CS_25026_TYPE_FIELD"].full_name = "p25.cs_25026.type" ()["CS_25026_TYPE_FIELD"].number = 1 ()["CS_25026_TYPE_FIELD"].index = 0 ()["CS_25026_TYPE_FIELD"].label = 2 ()["CS_25026_TYPE_FIELD"].has_default_value = false ()["CS_25026_TYPE_FIELD"].default_value = 0 ()["CS_25026_TYPE_FIELD"].type = 13 ()["CS_25026_TYPE_FIELD"].cpp_type = 3 CS_25026.name = "cs_25026" CS_25026.full_name = "p25.cs_25026" CS_25026.nested_types = {} CS_25026.enum_types = {} CS_25026.fields = { ()["CS_25026_TYPE_FIELD"] } CS_25026.is_extendable = false CS_25026.extensions = {} ()["SC_25027_LEVEL_FIELD"].name = "level" ()["SC_25027_LEVEL_FIELD"].full_name = "p25.sc_25027.level" ()["SC_25027_LEVEL_FIELD"].number = 1 ()["SC_25027_LEVEL_FIELD"].index = 0 ()["SC_25027_LEVEL_FIELD"].label = 2 ()["SC_25027_LEVEL_FIELD"].has_default_value = false ()["SC_25027_LEVEL_FIELD"].default_value = 0 ()["SC_25027_LEVEL_FIELD"].type = 13 ()["SC_25027_LEVEL_FIELD"].cpp_type = 3 ()["SC_25027_EXP_FIELD"].name = "exp" ()["SC_25027_EXP_FIELD"].full_name = "p25.sc_25027.exp" ()["SC_25027_EXP_FIELD"].number = 2 ()["SC_25027_EXP_FIELD"].index = 1 ()["SC_25027_EXP_FIELD"].label = 2 ()["SC_25027_EXP_FIELD"].has_default_value = false ()["SC_25027_EXP_FIELD"].default_value = 0 ()["SC_25027_EXP_FIELD"].type = 13 ()["SC_25027_EXP_FIELD"].cpp_type = 3 ()["SC_25027_SLOTS_FIELD"].name = "slots" ()["SC_25027_SLOTS_FIELD"].full_name = "p25.sc_25027.slots" ()["SC_25027_SLOTS_FIELD"].number = 3 ()["SC_25027_SLOTS_FIELD"].index = 2 ()["SC_25027_SLOTS_FIELD"].label = 3 ()["SC_25027_SLOTS_FIELD"].has_default_value = false ()["SC_25027_SLOTS_FIELD"].default_value = {} ()["SC_25027_SLOTS_FIELD"].message_type = COMMANDERHOMESLOT ()["SC_25027_SLOTS_FIELD"].type = 11 ()["SC_25027_SLOTS_FIELD"].cpp_type = 10 ()["SC_25027_CLEAN_FIELD"].name = "clean" ()["SC_25027_CLEAN_FIELD"].full_name = "p25.sc_25027.clean" ()["SC_25027_CLEAN_FIELD"].number = 4 ()["SC_25027_CLEAN_FIELD"].index = 3 ()["SC_25027_CLEAN_FIELD"].label = 2 ()["SC_25027_CLEAN_FIELD"].has_default_value = false ()["SC_25027_CLEAN_FIELD"].default_value = 0 ()["SC_25027_CLEAN_FIELD"].type = 13 ()["SC_25027_CLEAN_FIELD"].cpp_type = 3 SC_25027.name = "sc_25027" SC_25027.full_name = "p25.sc_25027" SC_25027.nested_types = {} SC_25027.enum_types = {} SC_25027.fields = { ()["SC_25027_LEVEL_FIELD"], ()["SC_25027_EXP_FIELD"], ()["SC_25027_SLOTS_FIELD"], ()["SC_25027_CLEAN_FIELD"] } SC_25027.is_extendable = false SC_25027.extensions = {} ()["CS_25028_TYPE_FIELD"].name = "type" ()["CS_25028_TYPE_FIELD"].full_name = "p25.cs_25028.type" ()["CS_25028_TYPE_FIELD"].number = 1 ()["CS_25028_TYPE_FIELD"].index = 0 ()["CS_25028_TYPE_FIELD"].label = 2 ()["CS_25028_TYPE_FIELD"].has_default_value = false ()["CS_25028_TYPE_FIELD"].default_value = 0 ()["CS_25028_TYPE_FIELD"].type = 13 ()["CS_25028_TYPE_FIELD"].cpp_type = 3 CS_25028.name = "cs_25028" CS_25028.full_name = "p25.cs_25028" CS_25028.nested_types = {} CS_25028.enum_types = {} CS_25028.fields = { ()["CS_25028_TYPE_FIELD"] } CS_25028.is_extendable = false CS_25028.extensions = {} ()["SC_25029_RESULT_FIELD"].name = "result" ()["SC_25029_RESULT_FIELD"].full_name = "p25.sc_25029.result" ()["SC_25029_RESULT_FIELD"].number = 1 ()["SC_25029_RESULT_FIELD"].index = 0 ()["SC_25029_RESULT_FIELD"].label = 2 ()["SC_25029_RESULT_FIELD"].has_default_value = false ()["SC_25029_RESULT_FIELD"].default_value = 0 ()["SC_25029_RESULT_FIELD"].type = 13 ()["SC_25029_RESULT_FIELD"].cpp_type = 3 ()["SC_25029_LEVEL_FIELD"].name = "level" ()["SC_25029_LEVEL_FIELD"].full_name = "p25.sc_25029.level" ()["SC_25029_LEVEL_FIELD"].number = 2 ()["SC_25029_LEVEL_FIELD"].index = 1 ()["SC_25029_LEVEL_FIELD"].label = 2 ()["SC_25029_LEVEL_FIELD"].has_default_value = false ()["SC_25029_LEVEL_FIELD"].default_value = 0 ()["SC_25029_LEVEL_FIELD"].type = 13 ()["SC_25029_LEVEL_FIELD"].cpp_type = 3 ()["SC_25029_EXP_FIELD"].name = "exp" ()["SC_25029_EXP_FIELD"].full_name = "p25.sc_25029.exp" ()["SC_25029_EXP_FIELD"].number = 3 ()["SC_25029_EXP_FIELD"].index = 2 ()["SC_25029_EXP_FIELD"].label = 2 ()["SC_25029_EXP_FIELD"].has_default_value = false ()["SC_25029_EXP_FIELD"].default_value = 0 ()["SC_25029_EXP_FIELD"].type = 13 ()["SC_25029_EXP_FIELD"].cpp_type = 3 ()["SC_25029_AWARDS_FIELD"].name = "awards" ()["SC_25029_AWARDS_FIELD"].full_name = "p25.sc_25029.awards" ()["SC_25029_AWARDS_FIELD"].number = 4 ()["SC_25029_AWARDS_FIELD"].index = 3 ()["SC_25029_AWARDS_FIELD"].label = 3 ()["SC_25029_AWARDS_FIELD"].has_default_value = false ()["SC_25029_AWARDS_FIELD"].default_value = {} ()["SC_25029_AWARDS_FIELD"].message_type = slot1.DROPINFO ()["SC_25029_AWARDS_FIELD"].type = 11 ()["SC_25029_AWARDS_FIELD"].cpp_type = 10 ()["SC_25029_OP_TIME_FIELD"].name = "op_time" ()["SC_25029_OP_TIME_FIELD"].full_name = "p25.sc_25029.op_time" ()["SC_25029_OP_TIME_FIELD"].number = 5 ()["SC_25029_OP_TIME_FIELD"].index = 4 ()["SC_25029_OP_TIME_FIELD"].label = 2 ()["SC_25029_OP_TIME_FIELD"].has_default_value = false ()["SC_25029_OP_TIME_FIELD"].default_value = 0 ()["SC_25029_OP_TIME_FIELD"].type = 13 ()["SC_25029_OP_TIME_FIELD"].cpp_type = 3 SC_25029.name = "sc_25029" SC_25029.full_name = "p25.sc_25029" SC_25029.nested_types = {} SC_25029.enum_types = {} SC_25029.fields = { ()["SC_25029_RESULT_FIELD"], ()["SC_25029_LEVEL_FIELD"], ()["SC_25029_EXP_FIELD"], ()["SC_25029_AWARDS_FIELD"], ()["SC_25029_OP_TIME_FIELD"] } SC_25029.is_extendable = false SC_25029.extensions = {} ()["CS_25030_SLOTIDX_FIELD"].name = "slotidx" ()["CS_25030_SLOTIDX_FIELD"].full_name = "p25.cs_25030.slotidx" ()["CS_25030_SLOTIDX_FIELD"].number = 1 ()["CS_25030_SLOTIDX_FIELD"].index = 0 ()["CS_25030_SLOTIDX_FIELD"].label = 2 ()["CS_25030_SLOTIDX_FIELD"].has_default_value = false ()["CS_25030_SLOTIDX_FIELD"].default_value = 0 ()["CS_25030_SLOTIDX_FIELD"].type = 13 ()["CS_25030_SLOTIDX_FIELD"].cpp_type = 3 ()["CS_25030_COMMANDER_ID_FIELD"].name = "commander_id" ()["CS_25030_COMMANDER_ID_FIELD"].full_name = "p25.cs_25030.commander_id" ()["CS_25030_COMMANDER_ID_FIELD"].number = 2 ()["CS_25030_COMMANDER_ID_FIELD"].index = 1 ()["CS_25030_COMMANDER_ID_FIELD"].label = 2 ()["CS_25030_COMMANDER_ID_FIELD"].has_default_value = false ()["CS_25030_COMMANDER_ID_FIELD"].default_value = 0 ()["CS_25030_COMMANDER_ID_FIELD"].type = 13 ()["CS_25030_COMMANDER_ID_FIELD"].cpp_type = 3 CS_25030.name = "cs_25030" CS_25030.full_name = "p25.cs_25030" CS_25030.nested_types = {} CS_25030.enum_types = {} CS_25030.fields = { ()["CS_25030_SLOTIDX_FIELD"], ()["CS_25030_COMMANDER_ID_FIELD"] } CS_25030.is_extendable = false CS_25030.extensions = {} ()["SC_25031_RESULT_FIELD"].name = "result" ()["SC_25031_RESULT_FIELD"].full_name = "p25.sc_25031.result" ()["SC_25031_RESULT_FIELD"].number = 1 ()["SC_25031_RESULT_FIELD"].index = 0 ()["SC_25031_RESULT_FIELD"].label = 2 ()["SC_25031_RESULT_FIELD"].has_default_value = false ()["SC_25031_RESULT_FIELD"].default_value = 0 ()["SC_25031_RESULT_FIELD"].type = 13 ()["SC_25031_RESULT_FIELD"].cpp_type = 3 ()["SC_25031_TIME_FIELD"].name = "time" ()["SC_25031_TIME_FIELD"].full_name = "p25.sc_25031.time" ()["SC_25031_TIME_FIELD"].number = 2 ()["SC_25031_TIME_FIELD"].index = 1 ()["SC_25031_TIME_FIELD"].label = 2 ()["SC_25031_TIME_FIELD"].has_default_value = false ()["SC_25031_TIME_FIELD"].default_value = 0 ()["SC_25031_TIME_FIELD"].type = 13 ()["SC_25031_TIME_FIELD"].cpp_type = 3 ()["SC_25031_COMMANDER_LEVEL_FIELD"].name = "commander_level" ()["SC_25031_COMMANDER_LEVEL_FIELD"].full_name = "p25.sc_25031.commander_level" ()["SC_25031_COMMANDER_LEVEL_FIELD"].number = 3 ()["SC_25031_COMMANDER_LEVEL_FIELD"].index = 2 ()["SC_25031_COMMANDER_LEVEL_FIELD"].label = 2 ()["SC_25031_COMMANDER_LEVEL_FIELD"].has_default_value = false ()["SC_25031_COMMANDER_LEVEL_FIELD"].default_value = 0 ()["SC_25031_COMMANDER_LEVEL_FIELD"].type = 13 ()["SC_25031_COMMANDER_LEVEL_FIELD"].cpp_type = 3 ()["SC_25031_COMMANDER_EXP_FIELD"].name = "commander_exp" ()["SC_25031_COMMANDER_EXP_FIELD"].full_name = "p25.sc_25031.commander_exp" ()["SC_25031_COMMANDER_EXP_FIELD"].number = 4 ()["SC_25031_COMMANDER_EXP_FIELD"].index = 3 ()["SC_25031_COMMANDER_EXP_FIELD"].label = 2 ()["SC_25031_COMMANDER_EXP_FIELD"].has_default_value = false ()["SC_25031_COMMANDER_EXP_FIELD"].default_value = 0 ()["SC_25031_COMMANDER_EXP_FIELD"].type = 13 ()["SC_25031_COMMANDER_EXP_FIELD"].cpp_type = 3 SC_25031.name = "sc_25031" SC_25031.full_name = "p25.sc_25031" SC_25031.nested_types = {} SC_25031.enum_types = {} SC_25031.fields = { ()["SC_25031_RESULT_FIELD"], ()["SC_25031_TIME_FIELD"], ()["SC_25031_COMMANDER_LEVEL_FIELD"], ()["SC_25031_COMMANDER_EXP_FIELD"] } SC_25031.is_extendable = false SC_25031.extensions = {} ()["CS_25032_SLOTIDX_FIELD"].name = "slotidx" ()["CS_25032_SLOTIDX_FIELD"].full_name = "p25.cs_25032.slotidx" ()["CS_25032_SLOTIDX_FIELD"].number = 1 ()["CS_25032_SLOTIDX_FIELD"].index = 0 ()["CS_25032_SLOTIDX_FIELD"].label = 2 ()["CS_25032_SLOTIDX_FIELD"].has_default_value = false ()["CS_25032_SLOTIDX_FIELD"].default_value = 0 ()["CS_25032_SLOTIDX_FIELD"].type = 13 ()["CS_25032_SLOTIDX_FIELD"].cpp_type = 3 ()["CS_25032_STYLEIDX_FIELD"].name = "styleidx" ()["CS_25032_STYLEIDX_FIELD"].full_name = "p25.cs_25032.styleidx" ()["CS_25032_STYLEIDX_FIELD"].number = 2 ()["CS_25032_STYLEIDX_FIELD"].index = 1 ()["CS_25032_STYLEIDX_FIELD"].label = 2 ()["CS_25032_STYLEIDX_FIELD"].has_default_value = false ()["CS_25032_STYLEIDX_FIELD"].default_value = 0 ()["CS_25032_STYLEIDX_FIELD"].type = 13 ()["CS_25032_STYLEIDX_FIELD"].cpp_type = 3 CS_25032.name = "cs_25032" CS_25032.full_name = "p25.cs_25032" CS_25032.nested_types = {} CS_25032.enum_types = {} CS_25032.fields = { ()["CS_25032_SLOTIDX_FIELD"], ()["CS_25032_STYLEIDX_FIELD"] } CS_25032.is_extendable = false CS_25032.extensions = {} ()["SC_25033_RESULT_FIELD"].name = "result" ()["SC_25033_RESULT_FIELD"].full_name = "p25.sc_25033.result" ()["SC_25033_RESULT_FIELD"].number = 1 ()["SC_25033_RESULT_FIELD"].index = 0 ()["SC_25033_RESULT_FIELD"].label = 2 ()["SC_25033_RESULT_FIELD"].has_default_value = false ()["SC_25033_RESULT_FIELD"].default_value = 0 ()["SC_25033_RESULT_FIELD"].type = 13 ()["SC_25033_RESULT_FIELD"].cpp_type = 3 SC_25033.name = "sc_25033" SC_25033.full_name = "p25.sc_25033" SC_25033.nested_types = {} SC_25033.enum_types = {} SC_25033.fields = { ()["SC_25033_RESULT_FIELD"] } SC_25033.is_extendable = false SC_25033.extensions = {} ()["CS_25034_TYPE_FIELD"].name = "type" ()["CS_25034_TYPE_FIELD"].full_name = "p25.cs_25034.type" ()["CS_25034_TYPE_FIELD"].number = 1 ()["CS_25034_TYPE_FIELD"].index = 0 ()["CS_25034_TYPE_FIELD"].label = 2 ()["CS_25034_TYPE_FIELD"].has_default_value = false ()["CS_25034_TYPE_FIELD"].default_value = 0 ()["CS_25034_TYPE_FIELD"].type = 13 ()["CS_25034_TYPE_FIELD"].cpp_type = 3 CS_25034.name = "cs_25034" CS_25034.full_name = "p25.cs_25034" CS_25034.nested_types = {} CS_25034.enum_types = {} CS_25034.fields = { ()["CS_25034_TYPE_FIELD"] } CS_25034.is_extendable = false CS_25034.extensions = {} ()["SC_25035_BOX_LIST_FIELD"].name = "box_list" ()["SC_25035_BOX_LIST_FIELD"].full_name = "p25.sc_25035.box_list" ()["SC_25035_BOX_LIST_FIELD"].number = 1 ()["SC_25035_BOX_LIST_FIELD"].index = 0 ()["SC_25035_BOX_LIST_FIELD"].label = 3 ()["SC_25035_BOX_LIST_FIELD"].has_default_value = false ()["SC_25035_BOX_LIST_FIELD"].default_value = {} ()["SC_25035_BOX_LIST_FIELD"].message_type = COMMANDERBOXINFO ()["SC_25035_BOX_LIST_FIELD"].type = 11 ()["SC_25035_BOX_LIST_FIELD"].cpp_type = 10 SC_25035.name = "sc_25035" SC_25035.full_name = "p25.sc_25035" SC_25035.nested_types = {} SC_25035.enum_types = {} SC_25035.fields = { ()["SC_25035_BOX_LIST_FIELD"] } SC_25035.is_extendable = false SC_25035.extensions = {} ()["CS_25036_IS_OPEN_FIELD"].name = "is_open" ()["CS_25036_IS_OPEN_FIELD"].full_name = "p25.cs_25036.is_open" ()["CS_25036_IS_OPEN_FIELD"].number = 1 ()["CS_25036_IS_OPEN_FIELD"].index = 0 ()["CS_25036_IS_OPEN_FIELD"].label = 2 ()["CS_25036_IS_OPEN_FIELD"].has_default_value = false ()["CS_25036_IS_OPEN_FIELD"].default_value = 0 ()["CS_25036_IS_OPEN_FIELD"].type = 13 ()["CS_25036_IS_OPEN_FIELD"].cpp_type = 3 CS_25036.name = "cs_25036" CS_25036.full_name = "p25.cs_25036" CS_25036.nested_types = {} CS_25036.enum_types = {} CS_25036.fields = { ()["CS_25036_IS_OPEN_FIELD"] } CS_25036.is_extendable = false CS_25036.extensions = {} commanderboxinfo = slot0.Message(COMMANDERBOXINFO) commanderhomeslot = slot0.Message(COMMANDERHOMESLOT) cs_25002 = slot0.Message(CS_25002) cs_25004 = slot0.Message(CS_25004) cs_25006 = slot0.Message(CS_25006) cs_25008 = slot0.Message(CS_25008) cs_25010 = slot0.Message(CS_25010) cs_25012 = slot0.Message(CS_25012) cs_25014 = slot0.Message(CS_25014) cs_25016 = slot0.Message(CS_25016) cs_25018 = slot0.Message(CS_25018) cs_25020 = slot0.Message(CS_25020) cs_25022 = slot0.Message(CS_25022) cs_25024 = slot0.Message(CS_25024) cs_25026 = slot0.Message(CS_25026) cs_25028 = slot0.Message(CS_25028) cs_25030 = slot0.Message(CS_25030) cs_25032 = slot0.Message(CS_25032) cs_25034 = slot0.Message(CS_25034) cs_25036 = slot0.Message(CS_25036) presetfleet = slot0.Message(PRESETFLEET) sc_25001 = slot0.Message(SC_25001) sc_25003 = slot0.Message(SC_25003) sc_25005 = slot0.Message(SC_25005) sc_25007 = slot0.Message(SC_25007) sc_25009 = slot0.Message(SC_25009) sc_25011 = slot0.Message(SC_25011) sc_25013 = slot0.Message(SC_25013) sc_25015 = slot0.Message(SC_25015) sc_25017 = slot0.Message(SC_25017) sc_25019 = slot0.Message(SC_25019) sc_25021 = slot0.Message(SC_25021) sc_25023 = slot0.Message(SC_25023) sc_25025 = slot0.Message(SC_25025) sc_25027 = slot0.Message(SC_25027) sc_25029 = slot0.Message(SC_25029) sc_25031 = slot0.Message(SC_25031) sc_25033 = slot0.Message(SC_25033) sc_25035 = slot0.Message(SC_25035) return
describe("http.client module", function() local client = require "http.client" it("invalid network parameters return nil, err, errno", function() -- Invalid network parameters will return nil, err, errno local ok, err, errno = client.connect{host="127.0.0.1", port="invalid"} assert.same(nil, ok) assert.same("string", type(err)) assert.same("number", type(errno)) end) end)
-- IMPORTANT NOTE : This is the user config, can be edited. Will be preserved if updated with internal updater -- This file is for NvChad options & tools, custom settings are split between here and 'lua/custom/init.lua' local M = {} local opt = vim.opt -- NOTE: To use this, make a copy with `cp example_chadrc.lua chadrc.lua` -------------------------------------------------------------------- -- To use this file, copy the structure of `core/default_config.lua`, -- examples of setting relative number & changing theme: -- M.options = { -- relativenumber = true, -- } opt.shell = 'pwsh -NoLogo' opt.shellquote = '"' opt.shellxquote = '' opt.shellpipe = '| Out-File -Encoding UTF8 %s' opt.shellredir = '| Out-File -Encoding UTF8 %s' opt.tabstop = 4 M.ui = { theme = "onedark" } -- NvChad included plugin options & overrides M.plugins = { status = { blankline = true, -- show code scope with symbols bufferline = true, -- list open buffers up the top, easy switching too colorizer = true, -- color RGB, HEX, CSS, NAME color codes comment = true, -- easily (un)comment code, language aware dashboard = true, -- NeoVim 'home screen' on open esc_insertmode = true, -- map to <ESC> with no lag feline = true, -- statusline gitsigns = true, -- gitsigns in statusline lspsignature = true, -- lsp enhancements telescope_media = false, -- media previews within telescope finders vim_matchup = true, -- % operator enhancements cmp = true, nvimtree = true, wakatime = true, }, options = { lspconfig = { setup_lspconf = "custom.plugins.lspconfig", }, statusline = { hidden = { "NvimTree", "terminal", "dashboard", }, }, }, -- To change the Packer `config` of a plugin that comes with NvChad, -- add a table entry below matching the plugin github name -- '-' -> '_', remove any '.lua', '.nvim' extensions -- this string will be called in a `require` -- use "(custom.configs).my_func()" to call a function -- use "custom.blankline" to call a file default_plugin_config_replace = {}, } return M
project "abl" kind "SharedLib" language "C" includedirs { "include" } defines { "ABL_DLL", "ABL_DLL_EXPORTS" } files { "include/**.h", "abl/**.h", "abl/**.c" } function libabl() links { "abl" } end
-- http://regex.info/blog/lua/json JSON = (loadfile "parsers/test_Lua_JSON/JSON.lua")() -- one-time load of the routines function readAll(file) local f = io.open(file, "rb") local content = f:read("*all") f:close() return content end local data = readAll(arg[1]) local lua_value = JSON:decode(data) if lua_value == nil then print ("Error:", err) os.exit(1) end print ("--", lua_value ) os.exit(0)
local lush = require 'lush' local v = vim.g -- this must be done, because lush is executed in a bare environment v.colors_name = 'nord' local theme = require 'base' -- {'gitcommit'} v.nord_langs = v.nord_langs or { 'asciidoc', 'awk', 'c', 'cmake', 'cs', 'css', 'dosini', 'dt', 'gitconfig', 'go', 'help', 'html', 'java', 'json', 'less', 'lisp', 'lua', 'markdown', 'perl', 'php', 'pod', 'python', 'ruby', 'rust', 'sass', 'sh', 'sql', 'vim', 'xml', 'yaml', } for _, lang in pairs(v.nord_langs) do theme = lush.extends({theme}).with(require('langs.' .. lang)) end -- {'vimtex', 'cmp', 'gitsigns', 'vim-startify', 'gitsigns'} v.nord_pkgs = v.nord_pkgs or { 'ale', 'coc', 'ctrlp', 'haskell-vim', 'jedi-vim', 'nerdtree', 'tree-sitter', 'vim-clap', 'vim-fugitive', 'vim-gitgutter', 'vim-indent-guides', 'vim-javascript', 'vim-markdown', 'vim-plug', 'vim-signature', 'vim-signify', 'vimwiki', 'vim-yaml', 'yats', } for _, pkg in pairs(v.nord_pkgs) do theme = lush.extends({theme}).with(require('pkgs.' .. pkg)) end return theme -- vi:nowrap
return function(LevelEntites) return function(x, y) --print("WALL", x, y, LevelEntites) local obj = setmetatable({ quad = function(self) return LevelEntites.sprites["wall"] end, x = (x-1) * 128, y = (y-1) * 128, update = function(self, dt) --update end, get_occlusion_block = function(self) return Rect(self.x, self.y, 128, 128) end, }, { __tostring = function(self) return "barrier" end }) LevelEntites:addEntity(x, y, obj) return obj end end
-- Copyright 2017 Yousong Zhou <yszhou4tech@gmail.com> -- Licensed to the public under the Apache License 2.0. local ds = require "luci.dispatcher" local ss = require("luci.model.shadowsocks-libev") local m, s m = Map("shadowsocks-libev", translate("Remote Servers"), translate("Definition of remote shadowsocks servers. \ Disable any of them will also disable instances referring to it.")) local sname = arg[1] if sname then if not m:get(sname) then luci.http.redirect(ds.build_url("admin/services/shadowsocks-libev/servers")) return end s = m:section(NamedSection, sname, "server") m.title = m.title .. ' - ' .. sname else s = m:section(TypedSection, "server") s.template = 'cbi/tblsection' s.addremove = true end s:option(Flag, "disabled", translate("Disable")) ss.options_server(s) return m
local osmose = require 'osmose' local et = osmose.Model 'FreshWaterGenerator' ---------- -- User parameters ---------- et.inputs = { -- Heat exchangers EX1_TIN = {default=15, unit='°C'}, EX1_TOUT = {default=61, unit='°C'}, EXEVA_T = {default=61, unit='°C'}, EXCOND_T = {default=59, unit='°C'}, EX2_TIN = {default=59, unit='°C'}, EX2_TOUT = {default=25, unit='°C'}, -- Units consuming electricity EFF_PUMP = {default=0.7, unit='-'}, DP_PUMP = {default=80000, unit='Pa'}, -- Inlet and outlet mass flows CREW_NUMBER = {default=20, unit='-'}, --Number of people on board, required for the estimation of the fresh water demand ENGINE_POWER = {default=5, unit='-'} --UNIT: MW . Average engine power demand, estimated. Required for the estimation of the fresh water demand. } ----------- -- Calculated parameters ----------- et.outputs = { -- Heat exchanger delta enthalpy WATER_IN = {unit='kg/s', job='(0.5*ENGINE_POWER+0.4*CREW_NUMBER+0.3)*1000/24/3600'}, -- Based on SNAME document "Marine power plants". Original estimation in ton/day, converted to kg/s EX_MCP = {unit='kW/K', job='4.187*WATER_IN()'}, EX1_DH = {unit='kW',job='EX_MCP()*(EX1_TOUT-EX1_TIN)'}, EX2_DH = {unit='kW',job='EX_MCP()*(EX2_TOUT-EX2_TIN)'}, EXEVA_DH = {unit='kW',job='WATER_IN()*2370'}, -- Total electricity supply P_EL_TOT = {unit='kW',job='DP_PUMP*WATER_IN()/EFF_PUMP/1000'} } ----------- -- Layers ----------- et:addLayers {Electricity = {type= 'ResourceBalance', unit = 'kW'} } ----------- -- Units ----------- et:addUnit('PureWaterProd',{type='Process', Fmin = 0, Fmax = 1, Cost1=0, Cost2=0, Cinv1=0, Cinv2=0, Power1=0, Power2=0, Impact1=0,Impact2=0}) et['PureWaterProd']:addStreams{ -- Thermal streams qt_ex1 = qt({tin = 'EX1_TIN', hin = 0, tout='EX1_TOUT', hout='EX1_DH', dtmin=0}), qt_ex2 = qt({tin = 'EX2_TIN', hin = 0, tout='EX2_TOUT', hout='EX2_DH', dtmin=0}), qt_exeva = qt({tin = 'EXEVA_T', hin = 0, tout='EXEVA_T', hout='EXEVA_DH', dtmin=0}), qt_excond = qt({tin = 'EXCOND_T', hin = 'EXEVA_DH', tout='EXCOND_T', hout=0, dtmin=0}), -- Electricity stream elec_tot = rs({'Electricity', 'in', 'P_EL_TOT'}), } return et
--@import see.event.Event --@extends see.event.Event --[[ For compatibility's sake only. Use ModemMessageEvent instead. ]] function RednetMessageEvent:init(sender, message, protocol) self:super(Event).init("rednet_message") self.sender = sender self.message = message self.protocol = protocol end
-------------------------------------------------------------------------------- -- cookie.lua, v1.1: lib for cookies -- This file is a part of Sailor project -- Copyright (c) 2014 Etiene Dalcol <dalcol@etiene.net> -- License: MIT -- http://sailorproject.org -------------------------------------------------------------------------------- local cookie = {} local remy = require "remy" function cookie.set(r, key, value, path) path = path or "/" if remy.detect(r) == remy.MODE_CGILUA then local ck = require "cgilua.cookies" return ck.set(key,value,{path=path}) end r.headers_out['Set-Cookie'] = ("%s=%s;Path=%s;"):format(key, value, path) end function cookie.get(r, key) local remy_mode = remy.detect(r) if remy_mode == remy.MODE_CGILUA then local ck = require "cgilua.cookies" return ck.get(key) elseif remy_mode == remy.MODE_LWAN then return r.native_request:cookie(key) end return (r.headers_in['Cookie'] or ""):match(key .. "=([^;]+)") or "" end return cookie
-------------------------------------------------------------------------------- -- This is a class to draw the texture. <br> -- Base Classes => DisplayObject, TextureDrawable, Resizable <br> -------------------------------------------------------------------------------- local table = require("hp/lang/table") local class = require("hp/lang/class") local DisplayObject = require("hp/display/DisplayObject") local TextureDrawable = require("hp/display/TextureDrawable") local ResourceManager = require("hp/manager/ResourceManager") local M = class(DisplayObject, TextureDrawable) M.MOAI_CLASS = MOAIParticleSystem function M.fromPex(particleName) local filePath = ResourceManager:getFilePath(particleName) local plugin = MOAIParticlePexPlugin.load(filePath) local self = M(plugin:getTextureName()) self:reserveParticles(plugin:getMaxParticles(), plugin:getSize()) self:reserveSprites(plugin:getMaxParticles()) self:reserveStates(1) self:setBlendMode(plugin:getBlendMode()) local state = MOAIParticleState.new() state:setTerm(plugin:getLifespan()) state:setPlugin(plugin) local emitter = MOAIParticleTimedEmitter.new() emitter:setLoc(0, 0) emitter:setSystem(self) emitter:setEmission(plugin:getEmission()) emitter:setFrequency(plugin:getFrequency()) emitter:setRect(plugin:getRect()) local timer = MOAITimer.new() timer:setSpan(plugin:getDuration()) timer:setMode(MOAITimer.NORMAL) timer:setListener(MOAIAction.EVENT_STOP, function() self:stopParticle() end) self.plugin = plugin self.emitter = emitter self.state = state self.timer = timer self:setState(1, state) return self end -------------------------------------------------------------------------------- -- The constructor. -- @param params (option)Parameter is set to Object.<br> -------------------------------------------------------------------------------- function M:init(params) DisplayObject.init(self) params = params or {} params = type(params) == "string" and {texture = params} or params local deck = MOAIGfxQuad2D.new() deck:setUVRect(0, 0, 1, 1) deck:setRect(-0.5, -0.5, 0.5, 0.5) self:setDeck(deck) self.deck = deck self:copyParams(params) end function M:startParticle() self.emitter:start() if self.plugin:getDuration() > 0 then self.timer:start() end end function M:stopParticle() self.emitter:stop() if self.plugin:getDuration() > 0 then self.timer:stop() end end return M
--[[ Copyright (c) 2015 深圳市辉游科技有限公司. --]] local Parser = {} Parser.parse = function(protos) local maps = {} for key, obj in pairs(protos) do maps[key] = Parser.parseObject(obj) end return maps end Parser.parseObject = function(obj) local proto = {} local nestProtos = {} local tags = {} for name, tag in pairs(obj) do local params = string.split(name, ' ') if params[1] == 'required' or params[1] == 'optional' or params[1] == 'repeated' then if #params == 3 and not tags[tag] then proto[params[3]] = { option = params[1], type = params[2], tag = tag } tags[tag] = params[3] end elseif params[1] == 'message' then if #params == 2 then nestProtos[params[2]] = Parser.parseObject(tag) end end end proto.__messages = nestProtos proto.__tags = tags return proto end return Parser
function add_furnace_entity(name, loader, energy_usage) return { type = "assembling-machine", name = name, icon = "__Loader-Furnaces__/graphics/icon/loader-furnace/" .. name .. ".png", icon_size = 32, flags = {"placeable-player", "player-creation", "fast-replaceable-no-build-while-moving"}, minable = {mining_time = 5, result = name}, max_health = 5000, corpse = "big-remnants", dying_explosion = "medium-explosion", light = {intensity = 1, size = 10}, resistances = { {type = "fire", percent = 80}, {type = "acid", percent = 80} }, collision_box = {{-1.2, -1.2}, {1.2, 1.2}}, selection_box = {{-1.5, -1.5}, {1.5, 1.5}}, module_specification = {module_slots = 3, module_info_icon_shift = {0, 0.8}}, allowed_effects = {"consumption", "pollution"}, crafting_categories = {"lf-smelting"}, fast_replaceable_group = "lf-furnace", ingredient_count = 4, crafting_speed = (loader.speed * 640) / 1.5, energy_usage = energy_usage .. "kW", energy_source = {type = "electric", usage_priority = "secondary-input", emmisions = 0.005}, vehicle_impact_sound = {filename = "__base__/sound/car-metal-impact.ogg", volume = 0.65}, working_sound = { sound = {filename = "__base__/sound/electric-furnace.ogg", volume = 0.7}, apparent_volume = 1.5 }, animation = { filename = "__Loader-Furnaces__/graphics/entity/loader-furnace/" .. name .. ".png", priority = "high", width = 129, height = 100, frame_count = 1, shift = {0.421875, 0} }, working_visualisations = { { animation = { filename = "__base__/graphics/entity/electric-furnace/electric-furnace-heater.png", priority = "high", width = 25, height = 15, frame_count = 12, animation_speed = 0.5, shift = {0.015625, 0.890625} }, light = {intensity = 0.4, size = 6, shift = {0.0, 1.0}} }, { animation = { filename = "__base__/graphics/entity/electric-furnace/electric-furnace-propeller-1.png", priority = "high", width = 19, height = 13, frame_count = 4, animation_speed = 0.5, shift = {-0.671875, -0.640625} } }, { animation = { filename = "__base__/graphics/entity/electric-furnace/electric-furnace-propeller-2.png", priority = "high", width = 12, height = 9, frame_count = 4, animation_speed = 0.5, shift = {0.0625, -1.234375} } } } } end
local adapter_api = ... return function(proxy) return { beep = {write=adapter_api.createWriter(proxy.beep, 0, "number", "number")}, running = adapter_api.create_toggle(proxy.isRunning, proxy.start, proxy.stop), } end
project "AcceptanceTests" kind "ConsoleApp" language "C" files { "*.c" } excludes { "performance_test.c" } includedirs { "../include", "../../include", "../../src" } libdirs { "../../src" } links { "pthread", "InstrumentsLibrary" } linkoptions { "-Wl,-rpath,../../src" } targetname "run_tests" configuration "Debug" targetsuffix "_debug" flags { "Symbols" } project "PerformanceTests" kind "ConsoleApp" language "C" files { "performance_test.c" } includedirs { "../include", "../../include", "../../src" } libdirs { "../../src" } links { "InstrumentsLibrary" } linkoptions { "-Wl,-rpath,../../src" } targetname "run_perf_test" configuration "Debug" targetsuffix "_debug" flags { "Symbols" }
local UiTheme = {} local Log = require("api.Log") local fs = require("util.fs") local data = require("internal.data") local asset_drawable = require("internal.draw.asset_drawable") local assets = {} local cache = {} local holder_cache = {} local theme_proxy = class.class("theme_proxy") function theme_proxy:init(namespace) assert(type(namespace) == "string") self._namespace = namespace end local function load_asset(id) if cache[id] then return cache[id] end -- BUG: The following causes flickering if the asset is being loaded in the -- middle of the draw() loop, because apparently LÖVE stops drawing in the -- middle of the frame if it can't finish within an alotted period of time -- (16ms?). I would rather load everything up front, but because BMP loading -- is expensive and it takes almost a minute to load it all at once I'd -- rather just load it lazily for the time being. local proto = assets[id] if not proto then return nil end local obj if type(proto) == "string" then proto = { image = proto } end if type(proto) == "table" then local _type = proto.type if _type == nil or _type == "asset" then local copy = table.shallow_copy(proto) obj = asset_drawable:new(copy) elseif _type == "font" then obj = { size = proto.size } elseif _type == "color" then obj = proto.color else error("invalid asset type " .. id .. " " .. tostring(_type)) end else error("invalid asset " .. id) end Log.debug("Load new asset: %s", id) cache[id] = obj return cache[id] end function theme_proxy:__index(asset) local v = rawget(theme_proxy, asset) if v then return v end local id = self._namespace .. "." .. asset return load_asset(id) end local theme_holder = class.class("theme_holder") function theme_holder:init() end function theme_holder:__index(namespace) if data["base.asset"][namespace] then return load_asset(namespace) end if namespace:find("%.") then return nil end if holder_cache[namespace] then return holder_cache[namespace] end local proxy = theme_proxy:new(namespace) holder_cache[namespace] = proxy return proxy end function UiTheme.clear_cache() cache = {} end function UiTheme.clear() assets = {} cache = {} end function UiTheme.set_assets(_assets) assets = _assets cache = {} end function UiTheme.load(instance) return theme_holder:new() end function UiTheme.preload_all() data["base.asset"]:iter():each(function(a) load_asset(a._id) end) end function UiTheme.on_hotload(old, new) table.replace_with(old, new) new.preload_all() end return UiTheme
--[[ Lokasenna_GUI - Slider class ---- User parameters ---- (name, z, x, y, w, caption, min, max, steps, handles[, dir]) Required: z Element depth, used for hiding and disabling layers. 1 is the highest. x, y Coordinates of top-left corner w Width of the slider track. Height is fixed. caption Label shown above the slider track. min, max Minimum and maximum values steps The number of steps the slider can be set to. The value is non-inclusive, i.e. a slider from 0 - 30 would have 30 steps. handles Table of default values (in steps, as per above) of each slider handle: {5, 10, 15, 20, 25} would create a slider with five handles. If only one handle is needed, it can be given as a number rather than a table. Examples: A pan slider from -100 to 100, defaulting to 0: min = -100 max = 100 steps = 200 handles = 100 Five sliders from 0 to 30, defaulting to 5, 10, 15, 20, 25: min = 0 max = 30 steps = 30 handles = {5, 10, 15, 20, 25} Optional: dir **not yet implemented** "h" Horizontal slider (default) "v" Vertical slider Additional: bg Color to be drawn underneath the label. Defaults to "wnd_bg" font_a Label font font_b Value font col_txt Text color col_fill Fill bar color show_handles Boolean. If false, will hide the slider handles. i.e. displaying a VU meter show_values Boolean. If false, will hide the handles' value labels. cap_x, cap_y Offset values for the slider's caption output Allows the value labels to be modified; accepts several different var types: string Replaces all of the value labels number table Replaces each value label with self.output[retval] functions Replaces each value with the returned value from self.output(retval) Extra methods: GUI.Val() Returns a table of values for each handle, sorted from smallest to largest GUI.Val(new) Accepts a table of values for each handle, as above ]]-- if not GUI then reaper.ShowMessageBox("Couldn't access GUI functions.\n\nLokasenna_GUI - Core.lua must be loaded prior to any classes.", "Library Error", 0) missing_lib = true return 0 end GUI.Slider = GUI.Element:new() function GUI.Slider:new(name, z, x, y, w, caption, min, max, steps, handles, dir) local Slider = {} Slider.name = name Slider.type = "Slider" Slider.z = z GUI.redraw_z[z] = true Slider.x, Slider.y = x, y Slider.w, Slider.h = table.unpack(dir ~= "v" and {w, 8} or {8, w}) Slider.caption = caption Slider.bg = "wnd_bg" Slider.font_a = 3 Slider.font_b = 4 Slider.col_txt = "txt" Slider.col_hnd = "elm_frame" Slider.col_fill = "elm_fill" Slider.dir = dir or "h" if Slider.dir == "v" then min, max = max, min end Slider.show_handles = true Slider.show_values = true Slider.cap_x = 0 Slider.cap_y = 0 Slider.min, Slider.max = min, max Slider.steps = steps -- If the user only asked for one handle if type(handles) == "number" then handles = {handles} end Slider.handles = {} for i = 1, #handles do Slider.handles[i] = {} Slider.handles[i].default = (dir ~= "v" and handles[i] or (steps - handles[i])) Slider.handles[i].curstep = handles[i] Slider.handles[i].curval = handles[i] / steps Slider.handles[i].retval = GUI.round(((max - min) / steps) * handles[i] + min) --Slider.handles[i].retval = ((max - min) / (steps - 1)) * handles[i] + min end setmetatable(Slider, self) self.__index = self return Slider end function GUI.Slider:init() self.buff = self.buff or GUI.GetBuffer() local hw, hh = table.unpack(self.dir == "h" and {8, 16} or {16, 8}) gfx.dest = self.buff gfx.setimgdim(self.buff, -1, -1) gfx.setimgdim(self.buff, 2 * hw + 4, hh + 2) GUI.color(self.col_hnd) GUI.roundrect(1, 1, hw, hh, 2, 1, 1) GUI.color("elm_outline") GUI.roundrect(1, 1, hw, hh, 2, 1, 0) local r, g, b, a = table.unpack(GUI.colors["shadow"]) gfx.set(r, g, b, 1) GUI.roundrect(hw + 2, 1, hw, hh, 2, 1, 1) gfx.muladdrect(hw + 2, 1, hw + 2, hh + 2, 1, 1, 1, a, 0, 0, 0, 0 ) end function GUI.Slider:ondelete() GUI.FreeBuffer(self.buff) end -- Slider - Draw function GUI.Slider:draw() local x, y, w, h = self.x, self.y, self.w, self.h local steps = self.steps local min, max = self.min, self.max ---- Common code, pre-Direction ---- -- Draw track GUI.color("elm_bg") GUI.roundrect(x, y, w, h, 4, 1, 1) GUI.color("elm_outline") GUI.roundrect(x, y, w, h, 4, 1, 0) local fill = (#self.handles > 1) or self.handles[1].curstep ~= self.handles[1].default if fill then -- If the user has given us two colors to make a gradient with if self.col_fill_a and #self.handles == 1 then -- Make a gradient, local col_a = GUI.colors[self.col_fill_a] local col_b = GUI.colors[self.col_fill_b] local grad_step = self.handles[1].curstep / steps local r, g, b, a = GUI.gradient(col_a, col_b, grad_step) gfx.set(r, g, b, a) else GUI.color(self.col_fill) end end -- Handles if self.dir == "h" then -- Limit everything to be drawn within the square part of the track x, w = x + 4, w - 8 -- Size of the handle local hw, hh = 8, h * 2 local inc = w / steps local fill_min, fill_max local hy = y + (h - hh) / 2 -- Get the handles' coordinates and the fill bar local x_min, x_max for i = 1, #self.handles do local cx = x + inc * self.handles[i].curstep self.handles[i].x, self.handles[i].y = cx - (hw / 2), hy if not x_min or cx < x_min then x_min = cx end if not x_max or cx > x_max then x_max = cx end end -- Draw the fill bar if #self.handles == 1 then x_min = x + inc * self.handles[1].default gfx.circle(x_min, y + (h / 2), h / 2 - 1, 1, 1) if x_min > x_max then x_min, x_max = x_max, x_min end end gfx.rect(x_min, y + 1, x_max - x_min, h - 1, 1) -- Drawing them in reverse order so overlaps match the shadow direction for i = #self.handles, 1, -1 do local hx, hy = GUI.round(self.handles[i].x) - 1, GUI.round(self.handles[i].y) - 1 if self.show_values then GUI.color(self.col_txt) GUI.font(self.font_b) local output = self.handles[i].retval if self.output then local t = type(self.output) if t == "string" or t == "number" then output = self.output elseif t == "table" then output = self.output[output] elseif t == "function" then output = self.output(output) end end local str_w, str_h = gfx.measurestr(output) gfx.x = hx + (hw - str_w) / 2 + 1 gfx.y = y + h + h GUI.text_bg(output, self.bg) gfx.drawstr(output) end if self.show_handles then for j = 1, GUI.shadow_dist do gfx.blit(self.buff, 1, 0, hw + 2, 0, hw + 2, hh + 2, hx + j, hy + j) end --gfx.blit(source, scale, rotation[, srcx, srcy, srcw, srch, destx, desty, destw, desth, rotxoffs, rotyoffs] ) gfx.blit(self.buff, 1, 0, 0, 0, hw + 2, hh + 2, hx, hy) end end elseif self.dir == "v" then -- Limit everything to be drawn within the square part of the track y, h = y + 4, h - 8 -- Size of the handle local hw, hh = w * 2, 8 local inc = h / steps local fill_min, fill_max local hx = x + (w - hw) / 2 -- Get the handles' coordinates and the fill bar local y_min, y_max for i = 1, #self.handles do local cy = y + inc * self.handles[i].curstep self.handles[i].x, self.handles[i].y = hx, cy - (hh / 2) if not y_min or cy < y_min then y_min = cy end if not y_max or cy > y_max then y_max = cy end end -- Draw the fill bar if #self.handles == 1 then y_min = y + inc * self.handles[1].default gfx.circle(x + (w / 2), y_min, w / 2 - 1, 1, 1) if y_min > y_max then y_min, y_max = y_max, y_min end end gfx.rect(x + 1, y_min, w - 1, y_max - y_min, 1) -- Drawing them in reverse order so overlaps match the shadow direction for i = #self.handles, 1, -1 do local hx, hy = GUI.round(self.handles[i].x) - 1, GUI.round(self.handles[i].y) - 1 if self.show_values then GUI.color(self.col_txt) GUI.font(self.font_b) local output = self.handles[i].retval if self.output then local t = type(self.output) if t == "string" or t == "number" then output = self.output elseif t == "table" then output = self.output[i] elseif t == "function" then output = self.output(i) end end local str_w, str_h = gfx.measurestr(output) gfx.x = x + w + w gfx.y = hy + (hh - str_h) / 2 + 1 GUI.text_bg(output, self.bg) gfx.drawstr(output) end if self.show_handles then for j = 1, GUI.shadow_dist do gfx.blit(self.buff, 1, 0, hw + 2, 0, hw + 2, hh + 2, hx + j, hy + j) end --gfx.blit(source, scale, rotation[, srcx, srcy, srcw, srch, destx, desty, destw, desth, rotxoffs, rotyoffs] ) gfx.blit(self.buff, 1, 0, 0, 0, hw + 2, hh + 2, hx, hy) end end end -- Draw caption GUI.font(self.font_a) local str_w, str_h = gfx.measurestr(self.caption) --[[ gfx.x = x + (w - str_w) / 2 gfx.y = y - h - str_h ]]-- gfx.x = x + (w - str_w) / 2 + self.cap_x gfx.y = y - (self.dir ~= "v" and h or w) - str_h + self.cap_y GUI.text_bg(self.caption, self.bg) GUI.shadow(self.caption, self.col_txt, "shadow") end -- Slider - Get/set value function GUI.Slider:val(newvals) if newvals then if type(newvals) == "number" then newvals = {newvals} end local steps, min, max = self.steps, self.min, self.max local inc = (max - min) / steps for i = 1, #self.handles do self.handles[i].curstep = newvals[i] self.handles[i].curval = self.handles[i].curstep / steps self.handles[i].retval = GUI.round( (inc * self.handles[i].curstep) + min) end GUI.redraw_z[self.z] = true else local ret = {} for i = 1, #self.handles do --dir ~= "v" and handles[i] or (steps - handles[i]) table.insert(ret, (self.dir ~= "v" and (self.handles[i].curstep + self.min) or (self.steps - self.handles[i].curstep))) end if #ret == 1 then return ret[1] else table.sort(ret) return ret end end end -- Slider - Mouse down function GUI.Slider:onmousedown() -- Snap the nearest slider to the nearest value local mouse_val = self.dir == "h" and (GUI.mouse.x - self.x) / self.w or (GUI.mouse.y - self.y) / self.h local small_diff, small_idx for i = 1, #self.handles do local diff = math.abs( self.handles[i].curval - mouse_val ) if not small_diff or (math.abs( self.handles[i].curval - mouse_val ) < small_diff) then small_diff = diff small_idx = i end end cur = small_idx self.cur_handle = cur mouse_val = GUI.clamp(mouse_val, 0, 1) self.handles[cur].curval = mouse_val self.handles[cur].curstep = GUI.round(mouse_val * self.steps) self.handles[cur].retval = GUI.round( ( (self.max - self.min) / self.steps ) * self.handles[cur].curstep + self.min ) GUI.redraw_z[self.z] = true end -- Slider - Dragging function GUI.Slider:ondrag() local mouse_val, n, ln = table.unpack(self.dir == "h" and {(GUI.mouse.x - self.x) / self.w, GUI.mouse.x, GUI.mouse.lx} or {(GUI.mouse.y - self.y) / self.h, GUI.mouse.y, GUI.mouse.ly} ) local cur = self.cur_handle or 1 -- Ctrl? local ctrl = GUI.mouse.cap&4==4 -- A multiplier for how fast the slider should move. Higher values = slower -- Ctrl Normal local adj = ctrl and math.max(1200, (8*self.steps)) or 150 local adj_scale = (self.dir == "h" and self.w or self.h) / 150 adj = adj * adj_scale self.handles[cur].curval = GUI.clamp( self.handles[cur].curval + ((n - ln) / adj) , 0, 1 ) self.handles[cur].curstep = GUI.round( self.handles[cur].curval * self.steps ) self.handles[cur].retval = GUI.round( ( (self.max - self.min) / self.steps ) * self.handles[cur].curstep + self.min ) --self:sort() GUI.redraw_z[self.z] = true end -- Slider - Mousewheel function GUI.Slider:onwheel() local mouse_val = self.dir == "h" and (GUI.mouse.x - self.x) / self.w or (GUI.mouse.y - self.y) / self.h local inc = GUI.round( self.dir == "h" and GUI.mouse.inc or -GUI.mouse.inc ) local small_diff, small_idx for i = 1, #self.handles do local diff = math.abs( self.handles[i].curval - mouse_val ) if not small_diff or diff < small_diff then small_diff = diff small_idx = i end end local cur = small_idx local ctrl = GUI.mouse.cap&4==4 -- How many steps per wheel-step local fine = 1 local coarse = math.max( GUI.round(self.steps / 30), 1) local adj = ctrl and fine or coarse self.handles[cur].curval = GUI.clamp( self.handles[cur].curval + (inc * adj / self.steps) , 0, 1) self.handles[cur].curstep = GUI.round( self.handles[cur].curval * self.steps ) self.handles[cur].retval = GUI.round(((self.max - self.min) / self.steps) * self.handles[cur].curstep + self.min) --self:sort() GUI.redraw_z[self.z] = true end function GUI.Slider:ondoubleclick() local ctrl = GUI.mouse.cap&4==4 local min, max, steps = self.min, self.max, self.steps local inc = (max - min) / steps if ctrl then -- Only reset the closest slider local mouse_val = (GUI.mouse.x - self.x) / self.w local small_diff, small_idx for i = 1, #self.handles do local diff = math.abs( self.handles[i].curval - mouse_val ) if not small_diff or diff < small_diff then small_diff = diff small_idx = i end end local cur = small_idx self.handles[cur].curstep = self.handles[cur].default self.handles[cur].curval = self.handles[cur].curstep / self.steps self.handles[cur].retval = GUI.round(inc * self.handles[cur].curstep + self.min) else for i = 1, #self.handles do self.handles[i].curstep = self.handles[i].default self.handles[i].curval = self.handles[i].curstep / self.steps self.handles[i].retval = GUI.round(inc * self.handles[i].curstep + self.min) end end --self:sort() GUI.redraw_z[self.z] = true end
mysql = exports.mysql reports = { } function resourceStart(res) for key, value in ipairs(exports.pool:getPoolElementsByType("player")) do removeElementData(value, "report") removeElementData(value, "reportadmin") end end addEventHandler("onResourceStart", getResourceRootElement(), resourceStart) function updateReportCount() local open = 0 local handled = 0 local unanswered = {} local byadmin = {} for key, value in pairs(reports) do open = open + 1 if value[5] then handled = handled + 1 if not byadmin[value[5]] then byadmin[value[5]] = { key } else table.insert(byadmin[value[5]], key) end else table.insert(unanswered, key) end end for key, value in ipairs(exports.global:getAdmins()) do triggerClientEvent( value, "updateReportsCount", value, open, handled, unanswered, byadmin[value] ) end end function showReports(thePlayer) if (exports.global:isPlayerAdmin(thePlayer)) then outputChatBox("~~~~~~~~~ Reports ~~~~~~~~~", thePlayer, 255, 194, 15) local count = 0 for i = 1, 128 do local report = reports[i] if report then local reporter = report[1] local reported = report[2] local timestring = report[4] local admin = report[5] local handler = "" if (isElement(admin)) then handler = tostring(getPlayerName(admin)) else handler = "None." end outputChatBox("Report #" .. tostring(i) .. ": '" .. tostring(getPlayerName(reporter)) .. "' reporting '" .. tostring(getPlayerName(reported)) .. "' at " .. timestring .. ". Handler: " .. handler .. ".", thePlayer, 255, 195, 15) count = count + 1 end end if count == 0 then outputChatBox("None.", thePlayer, 255, 194, 15) else outputChatBox("Type /ri [id] to obtain more information about the report.", thePlayer, 255, 194, 15) end end end addCommandHandler("reports", showReports, false, false) function reportInfo(thePlayer, commandName, id) if (exports.global:isPlayerAdmin(thePlayer)) then if not (id) then outputChatBox("SYNTAX: " .. commandName .. " [ID]", thePlayer, 255, 194, 15) else id = tonumber(id) if reports[id] then local reporter = reports[id][1] local reported = reports[id][2] local reason = reports[id][3] local timestring = reports[id][4] local admin = reports[id][5] local playerID = getElementData(reporter, "playerid") local reportedID = getElementData(reported, "playerid") outputChatBox(" [#" .. id .."] (" .. playerID .. ") " .. tostring(getPlayerName(reporter)) .. " reported (" .. reportedID .. ") " .. tostring(getPlayerName(reported)) .. " at " .. timestring .. ".", thePlayer, 0, 255, 255) local reason1 = reason:sub( 0, 70 ) local reason2 = reason:sub( 71 ) outputChatBox(" [#" .. id .."] Reason: " .. reason1, thePlayer, 0, 255, 255) if reason2 and #reason2 > 0 then outputChatBox(" [#" .. id .."] " .. reason2, thePlayer, 0, 255, 255) end local handler = "" if (isElement(admin)) then outputChatBox(" [#" .. id .."] This report is being handled by " .. getPlayerName(admin) .. ".", thePlayer, 0, 255, 255) else outputChatBox(" [#" .. id .."] Type /ar " .. id .. " to accept this report.", thePlayer, 0, 255, 255) end else outputChatBox("Invalid Report ID.", thePlayer, 255, 0, 0) end end end end addCommandHandler("reportinfo", reportInfo, false, false) addCommandHandler("ri", reportInfo, false, false) function playerQuit() local report = getElementData(source, "report") local update = false if report and reports[report] then local theAdmin = reports[report][5] if (isElement(theAdmin)) then outputChatBox(" [#" .. report .."] Player " .. getPlayerName(source) .. " left the game.", theAdmin, 0, 255, 255) else for key, value in ipairs(exports.global:getAdmins()) do local adminduty = getElementData(value, "adminduty") if adminduty == 1 then outputChatBox(" [#" .. report .."] Player " .. getPlayerName(source) .. " left the game.", value, 0, 255, 255) update = true end end end local alertTimer = reports[report][6] local timeoutTimer = reports[report][7] if isTimer(alertTimer) then killTimer(alertTimer) end if isTimer(timeoutTimer) then killTimer(timeoutTimer) end reports[report] = nil -- Destroy any reports made by the player update = true end -- check for reports assigned to him, unassigned if neccessary for i = 1, 128 do -- Support 128 reports at any one time, since each player can only have one report if reports[i] then if reports[i][5] == source then reports[i][5] = nil for key, value in ipairs(exports.global:getAdmins()) do local adminduty = getElementData(value, "adminduty") if adminduty == 1 then outputChatBox(" [#" .. i .."] Report is unassigned (" .. getPlayerName(source) .. " left the game)", value, 0, 255, 255) update = true end end end if reports[i][2] == source then for key, value in ipairs(exports.global:getAdmins()) do local adminduty = getElementData(value, "adminduty") if adminduty == 1 then outputChatBox(" [#" .. i .."] Reported Player " .. getPlayerName(source) .. " left the game.", value, 0, 255, 255) update = true end end local reporter = reports[i][1] if reporter ~= source then outputChatBox("Your report #" .. i .. " has been closed (" .. getPlayerName(source) .. " left the game)", reporter, 255, 194, 14) removeElementData(reporter, "report") removeElementData(reporter, "reportadmin") end local alertTimer = reports[i][6] local timeoutTimer = reports[i][7] if isTimer(alertTimer) then killTimer(alertTimer) end if isTimer(timeoutTimer) then killTimer(timeoutTimer) end reports[i] = nil -- Destroy any reports made by the player end end end if update then updateReportCount() end end addEventHandler("onPlayerQuit", getRootElement(), playerQuit) function handleReport(reportedPlayer, reportedReason) if getElementData(reportedPlayer, "loggedin") ~= 1 then outputChatBox("The Player you're reporting is not logged in.", source, 255, 0, 0) return end -- Find a free report slot local slot = nil for i = 1, 128 do -- Support 128 reports at any one time, since each player can only have one report if not reports[i] then slot = i break end end local hours, minutes = getTime() -- Fix hours if (hours<10) then hours = "0" .. hours end -- Fix minutes if (minutes<10) then minutes = "0" .. minutes end local timestring = hours .. ":" .. minutes local alertTimer = setTimer(alertPendingReport, 120000, 2, slot) local timeoutTimer = setTimer(pendingReportTimeout, 300000, 1, slot) -- Store report information reports[slot] = { } reports[slot][1] = source -- Reporter reports[slot][2] = reportedPlayer -- Reported Player reports[slot][3] = reportedReason -- Reported Reason reports[slot][4] = timestring -- Time reported at reports[slot][5] = nil -- Admin dealing with the report reports[slot][6] = alertTimer -- Alert timer of the report reports[slot][7] = timeoutTimer -- Timeout timer of the report local playerID = getElementData(source, "playerid") local reportedID = getElementData(reportedPlayer, "playerid") setElementData(source, "report", slot) removeElementData(source, "reportadmin") local admins = exports.global:getAdmins() local count = 0 -- Show to admins for key, value in ipairs(admins) do local adminduty = getElementData(value, "adminduty") if (adminduty==1) then outputChatBox(" [#" .. slot .. "] (" .. playerID .. ") " .. tostring(getPlayerName(source)) .. " reported (" .. reportedID .. ") " .. tostring(getPlayerName(reportedPlayer)) .. " at " .. timestring .. ".", value, 0, 255, 255) local reason1 = reportedReason:sub( 0, 70 ) local reason2 = reportedReason:sub( 71 ) outputChatBox(" [#" .. slot .. "] Reason: " .. reason1, value, 0, 255, 255) if reason2 and #reason2 > 0 then outputChatBox(" [#" .. slot .. "] " .. reason2, value, 0, 255, 255) end end if getElementData(value, "hiddenadmin") ~= 1 then count = count + 1 end end outputChatBox("[" .. timestring .. "] Thank you for submitting your admin report, Your report reference number is #" .. tostring(slot) .. ".", source, 255, 194, 14) outputChatBox("[" .. timestring .. "] An admin will respond to your report ASAP. Currently there are " .. count .. " admin" .. ( count == 1 and "" or "s" ) .. " available.", source, 255, 194, 14) outputChatBox("[" .. timestring .. "] You can close this report at any time by typing /endreport.", source, 255, 194, 14) updateReportCount() end addEvent("clientSendReport", true) addEventHandler("clientSendReport", getRootElement(), handleReport) function alertPendingReport(id) if (reports[id]) then local admins = exports.global:getAdmins() local reportingPlayer = reports[id][1] local reportedPlayer = reports[id][2] local reportedReason = reports[id][3] local timestring = reports[id][4] local playerID = getElementData(reportingPlayer, "playerid") local reportedID = getElementData(reportedPlayer, "playerid") -- Show to admins for key, value in ipairs(admins) do local adminduty = getElementData(value, "adminduty") if (adminduty==1) then outputChatBox(" [#" .. id .. "] is still not answered: (" .. playerID .. ") " .. tostring(getPlayerName(reportingPlayer)) .. " reported (" .. reportedID .. ") " .. tostring(getPlayerName(reportedPlayer)) .. " at " .. timestring .. ".", value, 0, 255, 255) outputChatBox(" [#" .. id .. "] " .. "Reason: " .. tostring(reportedReason), value, 0, 255, 255) end end end end function pendingReportTimeout(id) if (reports[id]) then local admins = exports.global:getAdmins() local reportingPlayer = reports[id][1] -- Destroy the report local alertTimer = reports[id][6] local timeoutTimer = reports[id][7] if isTimer(alertTimer) then killTimer(alertTimer) end if isTimer(timeoutTimer) then killTimer(timeoutTimer) end reports[id] = nil -- Destroy any reports made by the player removeElementData(reportingPlayer, "report") removeElementData(reportingPlayer, "reportadmin") local hours, minutes = getTime() -- Fix hours if (hours<10) then hours = "0" .. hours end -- Fix minutes if (minutes<10) then minutes = "0" .. minutes end local timestring = hours .. ":" .. minutes -- Show to admins for key, value in ipairs(admins) do local adminduty = getElementData(value, "adminduty") if (adminduty==1) then outputChatBox(" [#" .. id .. "] - REPORT #" .. id .. " has expired! Be quicker next time!! -", value, 0, 255, 255) end end outputChatBox("[" .. timestring .. "] Your report (#" .. id .. ") has expired.", reportingPlayer, 255, 194, 14) outputChatBox("[" .. timestring .. "] If you still require assistance, please resubmit your report or visit our forums (http://forums.valhallagaming.net).", reportingPlayer, 255, 194, 14) updateReportCount() end end function falseReport(thePlayer, commandName, id) if (exports.global:isPlayerAdmin(thePlayer)) then if not (id) then outputChatBox("SYNTAX: /" .. commandName .. " [Report ID]", thePlayer, 255, 194, 14) else local id = tonumber(id) if not (reports[id]) then outputChatBox("Invalid report ID.", thePlayer, 255, 0, 0) else local reportHandler = reports[id][5] if (reportHandler) then outputChatBox("Report #" .. id .. " is already being handled by " .. getPlayerName(reportHandler) .. ".", thePlayer, 255, 0, 0) else local reportingPlayer = reports[id][1] local alertTimer = reports[id][6] local timeoutTimer = reports[id][7] if isTimer(alertTimer) then killTimer(alertTimer) end if isTimer(timeoutTimer) then killTimer(timeoutTimer) end reports[id] = nil local hours, minutes = getTime() -- Fix hours if (hours<10) then hours = "0" .. hours end -- Fix minutes if (minutes<10) then minutes = "0" .. minutes end local timestring = hours .. ":" .. minutes removeElementData(reportingPlayer, "report") removeElementData(reportingPlayer, "reportadmin") outputChatBox("[" .. timestring .. "] Your report (#" .. id .. ") was marked as false by " .. getPlayerName(thePlayer) .. ".", reportingPlayer, 255, 194, 14) local admins = exports.global:getAdmins() for key, value in ipairs(admins) do local adminduty = getElementData(value, "adminduty") if (adminduty==1) then outputChatBox(" [#" .. id .. "] - " .. getPlayerName(thePlayer) .. " has marked report #" .. id .. " as false. -", value, 0, 255, 255) end end updateReportCount() end end end end end addCommandHandler("falsereport", falseReport, false, false) addCommandHandler("fr", falseReport, false, false) function acceptReport(thePlayer, commandName, id) if (exports.global:isPlayerAdmin(thePlayer)) then if not (id) then outputChatBox("SYNTAX: /" .. commandName .. " [Report ID]", thePlayer, 255, 194, 14) else local id = tonumber(id) if not (reports[id]) then outputChatBox("Invalid report ID.", thePlayer, 255, 0, 0) else local reportHandler = reports[id][5] if (reportHandler) then outputChatBox("Report #" .. id .. " is already being handled by " .. getPlayerName(reportHandler) .. ".", thePlayer, 255, 0, 0) else local reportingPlayer = reports[id][1] local reportedPlayer = reports[id][2] local alertTimer = reports[id][6] local timeoutTimer = reports[id][7] if isTimer(alertTimer) then killTimer(alertTimer) end if isTimer(timeoutTimer) then killTimer(timeoutTimer) end reports[id][5] = thePlayer -- Admin dealing with this report local hours, minutes = getTime() -- Fix hours if (hours<10) then hours = "0" .. hours end -- Fix minutes if (minutes<10) then minutes = "0" .. minutes end local adminreports = getElementData(thePlayer, "adminreports") setElementData(thePlayer, "adminreports", adminreports+1, false) mysql:query_free("UPDATE accounts SET adminreports=adminreports+1 WHERE id = " .. getElementData( thePlayer, "gameaccountid" ) ) setElementData(reportingPlayer, "reportadmin", thePlayer, false) local timestring = hours .. ":" .. minutes local playerID = getElementData(reportingPlayer, "playerid") outputChatBox("[" .. timestring .. "] Administrator " .. getPlayerName(thePlayer) .. " has accepted your report (#" .. id .. "), Please wait for him/her to contact you.", reportingPlayer, 255, 194, 14) outputChatBox("You have accepted report #" .. id .. ". Please proceed to contact the player ( (" .. playerID .. ") " .. getPlayerName(reportingPlayer) .. ").", thePlayer, 255, 194, 14) local admins = exports.global:getAdmins() for key, value in ipairs(admins) do local adminduty = getElementData(value, "adminduty") if (adminduty==1) then outputChatBox(" [#" .. id .. "] - " .. getPlayerName(thePlayer) .. " has accepted report #" .. id .. " -", value, 0, 255, 255) end end updateReportCount() end end end end end addCommandHandler("acceptreport", acceptReport, false, false) addCommandHandler("ar", acceptReport, false, false) function closeReport(thePlayer, commandName, id) if (exports.global:isPlayerAdmin(thePlayer)) then if not (id) then outputChatBox("SYNTAX: " .. commandName .. " [ID]", thePlayer, 255, 195, 14) else id = tonumber(id) if (reports[id]==nil) then outputChatBox("Invalid Report ID.", thePlayer, 255, 0, 0) else local reporter = reports[id][1] local alertTimer = reports[id][6] local timeoutTimer = reports[id][7] if isTimer(alertTimer) then killTimer(alertTimer) end if isTimer(timeoutTimer) then killTimer(timeoutTimer) end reports[id] = nil if (isElement(reporter)) then removeElementData(reporter, "report") removeElementData(reporter, "reportadmin") outputChatBox(getPlayerName(thePlayer) .. " has closed your report. Please re-submit your report if you weren't happy that it was resolved.", reporter, 0, 255, 255) end local admins = exports.global:getAdmins() for key, value in ipairs(admins) do local adminduty = getElementData(value, "adminduty") if (adminduty==1) then outputChatBox(" [#" .. id .. "] - " .. getPlayerName(thePlayer) .. " has closed the report #" .. id .. ". -", value, 0, 255, 255) end end updateReportCount() end end end end addCommandHandler("closereport", closeReport, false, false) addCommandHandler("cr", closeReport, false, false) function endReport(thePlayer, commandName) local report = getElementData(thePlayer, "report") if not (report) or not reports[report] then outputChatBox("You have no pending reports. Press F2 to create one.", thePlayer, 255, 0, 0) else local hours, minutes = getTime() -- Fix hours if (hours<10) then hours = "0" .. hours end -- Fix minutes if (minutes<10) then minutes = "0" .. minutes end local timestring = hours .. ":" .. minutes local reportHandler = reports[report][5] local alertTimer = reports[report][6] local timeoutTimer = reports[report][7] if isTimer(alertTimer) then killTimer(alertTimer) end if isTimer(timeoutTimer) then killTimer(timeoutTimer) end reports[report] = nil removeElementData(thePlayer, "report") removeElementData(thePlayer, "reportadmin") outputChatBox("[" .. timestring .. "] You have closed your report (#" .. report .. ").", thePlayer, 255, 194, 14) if (isElement(reportHandler)) then outputChatBox(getPlayerName(thePlayer) .. " has closed the report (#" .. report .. "). Thank you for dealing with this report.", reportHandler, 0, 255, 255) end updateReportCount() end end addCommandHandler("endreport", endReport, false, false)
#!/usr/bin/env tarantool local test = require("sqltester") test:plan(10) box.execute("DROP TABLE IF EXISTS t1") box.execute("DROP TABLE IF EXISTS t2") box.execute("CREATE TABLE t1 (s0 INT PRIMARY KEY, s1 INT UNIQUE, s2 INT);") box.execute("CREATE TABLE t2 (s0 INT PRIMARY KEY, s1 INT UNIQUE, s2 INT);") box.execute("INSERT INTO t1 VALUES (1,1,1);") box.execute("INSERT INTO t2 VALUES (1,1,1);") test:do_execsql_test('commit1_check', [[START TRANSACTION; INSERT INTO t1 VALUES (2,2,2); COMMIT; SELECT s1,s2 FROM t1]], {1, 1, 2, 2}) test:do_execsql_test('rollback1_check', [[START TRANSACTION; INSERT INTO t1 VALUES (3,3,3); ROLLBACK; SELECT s1,s2 FROM t1]], {1, 1, 2, 2}) for _, verb in ipairs({'ROLLBACK', 'ABORT'}) do box.execute('DELETE FROM t2') local answer = "/Duplicate key exists in unique index 'unique_unnamed_T1_2' in space 'T1'/" test:do_catchsql_test('insert1_'..verb, [[START TRANSACTION; INSERT INTO t2 VALUES (20, 2, 2); INSERT OR ]]..verb..[[ INTO t1 VALUES (10,1,1); ]], {1, answer}) local expect = {} if verb == 'ABORT' then box.execute('COMMIT') expect = {20, 2, 2} end test:do_execsql_test('insert1_'..verb..'_check', 'SELECT * FROM t2', expect) box.execute('DELETE FROM t2') test:do_catchsql_test('update1_'..verb, [[START TRANSACTION; INSERT INTO t2 VALUES (20, 2, 2); UPDATE OR ]]..verb..[[ t1 SET s1 = 1 WHERE s1 = 2; ]], {1, answer}) test:do_execsql_test('update1_'..verb..'check', 'SELECT * FROM t2', expect) end box.execute('COMMIT') -- Cleanup box.execute('DROP TABLE t1') box.execute('DROP TABLE t2') test:finish_test()
local socket = require "socket" local serpent = require "serpent" local bencode = require "bencode" local load = loadstring or load local timeout = 0.001 local d = function(_) end local serpent_pp = function(p) return function(x) local serpent_opts = {maxlevel=8,maxnum=64,nocode=true} p(serpent.block(x, serpent_opts)) end end local sessions = {} local response_for = function(old_msg, msg) msg.session, msg.id, msg.ns = old_msg.session, old_msg.id, "" return msg end local send = function(conn, msg) d("Sending", bencode.encode(msg)) conn:send(bencode.encode(msg)) end local write_for = function(conn, msg) return function(...) send(conn, response_for(msg, {out=table.concat({...}, "\t")})) end end local print_for = function(write) return function(...) local args = {...} for i,x in ipairs(args) do args[i] = tostring(x) end table.insert(args, "\n") write(table.concat(args, " ")) end end local read_for = function(conn, msg) return function() send(conn, response_for(msg, {status={"need-input"}})) while(not sessions[msg.session].input) do coroutine.yield() d("yielded") end local input = sessions[msg.session].input sessions[msg.session].input = nil return input end end local sandbox_for = function(write, provided_sandbox) local sandbox = { io = { write = write }, print = print_for(write), } for k,v in pairs(provided_sandbox) do sandbox[k] = v end return sandbox end -- for stuff that's shared between eval and load_file local execute_chunk = function(session, chunk, pp) local old_write, old_print, old_read = io.write, print, io.read if(session.sandbox) then setfenv(chunk, session.sandbox) pp = pp or serpent_pp(session.sandbox.print) else _G.print = print_for(session.write) _G.io.write, _G.io.read = session.write, session.read pp = pp or serpent_pp(_G.print) end local trace, err local result = {xpcall(chunk, function(e) trace = debug.traceback() err = e end)} _G.print, _G.io.write, _G.io.read = old_print, old_write, old_read if(result[1]) then local res, i = pp(result[2]), 3 while i <= #result do res = res .. ', ' .. pp(result[i]) i = i + 1 end return res else return nil, (err or "Unknown error") .. "\n" .. trace end end local eval = function(session, code, pp) local chunk, err = load("return " .. code, "*socket*") if(err and not chunk) then -- statement, not expression chunk, err = load(code, "*socket*") if(not chunk) then return nil, "Compilation error: " .. (err or "unknown") end end return execute_chunk(session, chunk, pp) end local load_file = function(session, file, loader) local chunk, err = (loader or loadfile)(file) if(not chunk) then return nil, "Compilation error in " .. file ": ".. (err or "unknown") end return execute_chunk(session, chunk) end local register_session = function(conn, msg, provided_sandbox) local session = tostring(math.random(999999999)) local write = write_for(conn, msg) local sandbox = provided_sandbox and sandbox_for(write, provided_sandbox) sessions[session] = { conn = conn, write = write, print = print_for(write), sandbox = sandbox, coros = {}} return response_for(msg, {["new-session"]=session, status={"done"}}) end local unregister_session = function(msg) sessions[msg.session] = nil return response_for(msg, {status={"done"}}) end local describe = function(msg, handlers) local ops = { "clone", "close", "describe", "eval", "load-file", "ls-sessions", "complete", "stdin", "interrupt" } for op in handlers do table.insert(ops, op) end return response_for(msg, {ops=ops, status={"done"}}) end local session_for = function(conn, msg, sandbox) local s = sessions[msg.session] or register_session(conn, msg, sandbox) s.write = write_for(conn, msg) s.read = read_for(conn, msg) return s end local complete = function(msg, sandbox) local clone = function(t) local n = {} for k,v in pairs(t) do n[k] = v end return n end local top_ctx = clone(sandbox or _G) for k,v in pairs(msg.libs or {}) do top_ctx[k] = require(v:sub(2,-2)) end local function cpl_for(input_parts, ctx) if type(ctx) ~= "table" then return {} end if #input_parts == 0 and ctx ~= top_ctx then return ctx elseif #input_parts == 1 then local matches = {} for k in pairs(ctx) do if k:find('^' .. input_parts[1]) then table.insert(matches, k) end end return matches else local token1 = table.remove(input_parts, 1) return cpl_for(input_parts, ctx[token1]) end end local input_parts = {} for i in string.gmatch(msg.input, "([^.%s]+)") do table.insert(input_parts, i) end return response_for(msg, {completions = cpl_for(input_parts, top_ctx)}) end -- see https://github.com/clojure/tools.nrepl/blob/master/doc/ops.md local handle = function(conn, handlers, sandbox, msg) if(handlers and handlers[msg.op]) then d("Custom op:", msg.op) handlers[msg.op](conn, msg, session_for(conn, msg, sandbox)) elseif(msg.op == "clone") then d("New session.") send(conn, register_session(conn, msg, sandbox)) elseif(msg.op == "describe") then d("Describe.") send(conn, describe(msg, handlers)) elseif(msg.op == "eval") then d("Evaluating", msg.code) local value, err = eval(session_for(conn, msg, sandbox), msg.code, msg.pp) d("Got", value, err) -- monroe bug means you have to send done status separately send(conn, response_for(msg, {value=value, ex=err})) send(conn, response_for(msg, {status={"done"}})) elseif(msg.op == "load-file") then d("Loading file", msg.file) local value, err = load_file(session_for(conn, msg, sandbox), msg.file, msg.loader) d("Got", value, err) send(conn, response_for(msg, {value=value, ex=err, status={"done"}})) elseif(msg.op == "ls-sessions") then d("List sessions") local session_ids = {} for id in pairs(sessions) do table.insert(session_ids, id) end send(conn, response_for(msg, {sessions=session_ids, status={"done"}})) elseif(msg.op == "complete") then d("Complete", msg.input) local session_sandbox = session_for(conn, msg, sandbox).sandbox send(conn, complete(msg, session_sandbox)) elseif(msg.op == "stdin") then d("Stdin", serpent.block(msg)) sessions[msg.session].input = msg.stdin send(conn, response_for(msg, {status={"done"}})) return elseif(msg.op ~= "interrupt") then -- silently ignore interrupt send(conn, response_for(msg, {status={"unknown-op"}})) print(" | Unknown op", serpent.block(msg)) end end local handler_coros = {} local function receive(conn, partial) local s, err = conn:receive(1) -- wow this is primitive coroutine.yield() -- iterate backwards so we can safely remove for i=#handler_coros, 1, -1 do coroutine.resume(handler_coros[i]) if(coroutine.status(handler_coros[i]) ~= "suspended") then table.remove(handler_coros, i) end end if(s) then return receive(conn, (partial or "") .. s) elseif(err == "timeout" and partial == nil) then return receive(conn) elseif(err == "timeout") then return partial else return nil, err end end local function handle_loop(conn, sandbox, handlers, middleware) local input, r_err = receive(conn) if(input) then local decoded, d_err = bencode.decode(input) coroutine.yield() if(decoded and decoded.op == "close") then d("End session.") return send(conn, unregister_session(decoded)) elseif(decoded and decoded.op ~= "close") then -- If we don't spin up a coroutine here, we can't io.read, because -- that requires waiting for a response from the client. But most -- messages don't need to stick around. local coro = coroutine.create(handle) if(middleware) then middleware(function(msg) coroutine.resume(coro, conn, handlers, sandbox, msg) end, decoded) else coroutine.resume(coro, conn, handlers, sandbox, decoded) end if(coroutine.status(coro) == "suspended") then table.insert(handler_coros, coro) end else print(" | Decoding error:", d_err) end return handle_loop(conn, sandbox, handlers, middleware) else return r_err end end local connections = {} local function loop(server, sandbox, handlers, middleware, foreground) socket.sleep(timeout) local conn, err = server:accept() local stop = (not foreground) and (coroutine.yield() == "stop") if(conn) then conn:settimeout(timeout) d("Connected.") local coro = coroutine.create(function() local ok, h_err = pcall(handle_loop, conn, sandbox, handlers, middleware) d("Connection closed: " .. h_err) end) table.insert(connections, coro) return loop(server, sandbox, handlers, middleware, foreground) else if(err ~= "timeout") then print(" | Socket error: " .. err) end for _,c in ipairs(connections) do coroutine.resume(c) end if(stop or err == "closed") then server:close() print("Server stopped.") else return loop(server, sandbox, handlers, middleware, foreground) end end end return { -- Start an nrepl socket server on the given port. For opts you can pass a -- table with foreground=true to run in the foreground, debug=true for -- verbose logging, and sandbox={...} to evaluate all code in a sandbox. You -- can also give an opts.handlers table keying ops to handler functions which -- take the socket, the decoded message, and the optional sandbox table. start = function(port, opts) port = port or 7888 opts = opts or {} -- host should always be localhost on a PC, but not always on a micro local server = assert(socket.bind(opts.host or "localhost", port)) if(opts.debug) then d = print end if(opts.timeout) then timeout = tonumber(opts.timeout) end server:settimeout(timeout) print("Server started on port " .. port .. "...") if opts.foreground then return loop(server, opts.sandbox, opts.handlers, opts.middleware, opts.foreground) else return coroutine.create(function() loop(server, opts.sandbox, opts.handlers, opts.middleware) end) end end, -- Pass in the coroutine from jeejah.start to this function to stop it. stop = function(coro) coroutine.resume(coro, "stop") end, broadcast = function(msg) for _,session in pairs(sessions) do send(session.conn, msg) end end, }
ESX = nil TriggerEvent("esx:getSharedObject", function(obj) ESX = obj end) Hackers = {} deep = { kimlik = function(player, source) if player ~= nil then local dat = MySQL.Sync.fetchAll("SELECT firstname, lastname FROM users WHERE identifier = @identifier", {["@identifier"] = player.identifier}) return {text = "Fullname: "..dat[1].firstname.." "..dat[1].lastname.." Job: "..player.job.label.." Grade: "..tostring(player.job.grade_label), method = "notify", source = source} elseif player == nil then return {text = "Person not in city.", source = source, method = "notify"} end end, lokasyon = function(player, source) if player ~= nil then return {id = player.source, text = "Persons locations marked in the map for 5 minutes.", method = "lokasyon", source = source} elseif player == nil then return {text = "Person not in city.", source = source, method = "notify"} end end, dropWalkie = function(player, source) return {method = "dropWalkie", source = player.source} end, bankaSoy = function(player, source) if player ~= nil then local dat = MySQL.Sync.fetchAll("SELECT firstname, lastname FROM users WHERE identifier = @identifier", {["@identifier"] = player.identifier}) local xPlayer = ESX.GetPlayerFromId(source) local playermoney = player.getAccount("bank").money local reward = math.random(BankReward.min, BankReward.max) local notf if playermoney < BankReward.min then notf = playermoney player.removeAccountMoney("bank", playermoney) xPlayer.addAccountMoney("bank", playermoney) else if playermoney < reward then notf = BankReward.min player.removeAccountMoney("bank", BankReward.min) xPlayer.addAccountMoney("bank", BankReward.min) else notf = reward player.removeAccountMoney("bank", reward) xPlayer.addAccountMoney("bank", reward) end end return {text = "You stole "..notf.."$ from "..dat[1].firstname.." "..dat[1].lastname.."'s bank account.", method = "notify"} else return {text = "Person not in city.", method = "notify"} end end } MySQL.ready(function() -- gather todays hack left on server restart local result = MySQL.Sync.fetchAll("SELECT identifier, job FROM users") for i = 1, #result, 1 do if result[i].job == "hacker" then table.insert(Hackers, {identifier = result[i].identifier, todaysHacks = Dailyhack}) CheckUser(result[i].identifier) end end end) function CheckUser(identifier) local result = MySQL.Sync.fetchAll("SELECT identifier FROM hackerlevels") local found = false for i = 1, #result, 1 do if result[i].identifier == identifier then found = true end end if not found then MySQL.Async.execute("INSERT INTO hackerlevels (identifier, level, exp) VALUES (@identifier, @level, @exp)", { ["@identifier"] = identifier, ["@level"] = 1, ["@exp"] = 0 }) end end ESX.RegisterServerCallback("deep_hacker:getPlayerLevel", function(source, cb) local xPlayer = ESX.GetPlayerFromId(source) local todaysHacks = nil local result = MySQL.Sync.fetchAll("SELECT * FROM hackerlevels WHERE identifier = @identifier", { ["@identifier"] = xPlayer.identifier }) for i = 1, #Hackers, 1 do if Hackers[i].identifier == xPlayer.identifier then todaysHacks = Hackers[i].todaysHacks break end end if result ~= nil and result[1] ~= nil then if todaysHacks ~= nil then cb(result[1].level, result[1].exp, todaysHacks) else table.insert(Hackers, {indentifier = xPlayer.identifier, todaysHacks = Dailyhack}) cb(result[1].level, result[1].exp, 3) end else MySQL.Async.execute("INSERT INTO hackerlevels (identifier, level, exp) VALUES (@identifier, @level, @exp)", { ["@identifier"] = xPlayer.identifier, ["@level"] = 1, ["@exp"] = 0 }) table.insert(Hackers, {indentifier = xPlayer.identifier, todaysHacks = Dailyhack}) cb(result[1].level, result[1].exp, 3) end end) --[[ESX.RegisterServerCallback("deep_hacker:checkItem", function(source, cb) local xPlayer = ESX.GetPlayerFromId(source) local item = xPlayer.getInventoryItem("phone") -- don't forget to change item name!!! if item.count >= 1 then cb(true) else cb(false) end end)]] RegisterServerEvent("deep_hacker:expUpdate") AddEventHandler("deep_hacker:expUpdate", function(level, exp) local xPlayer = ESX.GetPlayerFromId(source) local data = MySQL.Sync.fetchAll("SELECT level, exp FROM hackerlevels WHERE identifier = @identifier", { ["@identifier"] = xPlayer.identifier }) for i = 1, #Hackers, 1 do if Hackers[i].identifier == xPlayer.identifier then Hackers[i].todaysHacks = Hackers[i].todaysHacks - 1 break end end if level < 8 then -- eğer level 8 altıysa kontrol if (data[1].exp + exp) >= LevelConfig[level].total then MySQL.Async.execute("UPDATE hackerlevels SET level = @level, exp = @exp WHERE identifier = @identifier", { ["@identifier"] = xPlayer.identifier, ["@level"] = level + 1, ["@exp"] = ((data[1].exp + exp) - LevelConfig[level].total) }) xPlayer.setJob("hacker", level + 1) TriggerClientEvent("deep_hacker:ensureJob", xPlayer.source, "hacker", level + 1) TriggerClientEvent("mythic_notify:client:SendAlert", xPlayer.source, {type = "success", text = "Level up! "..(level+1), lenght = 6000}) else MySQL.Async.execute("UPDATE hackerlevels SET exp = @exp WHERE identifier = @identifier", { ["@identifier"] = xPlayer.identifier, ["@exp"] = data[1].exp + exp }) end else MySQL.Async.execute("UPDATE hackerlevels SET exp = @exp WHERE identifier = @identifier", { ["@identifier"] = xPlayer.identifier, ["@exp"] = data[1].exp + exp }) end end) RegisterServerEvent("deep_hacker:lostLife") AddEventHandler("deep_hacker:lostLife", function() local xPlayer = ESX.GetPlayerFromId(source) for i = 1, #Hackers, 1 do if Hackers[i].identifier == xPlayer.identifier then Hackers[i].todaysHacks = Hackers[i].todaysHacks - 1 end end end) RegisterServerEvent("deep_hacker:giveMoney") AddEventHandler("deep_hacker:giveMoney", function(reward) local xPlayer = ESX.GetPlayerFromId(source) if RewardType == "black_money" or RewardType == "bank" then xPlayer.addAccountMoney(RewardType, reward) else xPlayer.addMoney(reward) end end) RegisterServerEvent("deep_hacker:phoneNumber") AddEventHandler("deep_hacker:phoneNumber", function(number, func) local _source = source local result = MySQL.Sync.fetchAll("SELECT identifier FROM users WHERE phone_number = @number", { ["@number"] = number }) if result ~= nil then local target = ESX.GetPlayerFromIdentifier(result[1].identifier) local callback = deep[func](target, _source) TriggerClientEvent("deep_hacker:phoneNumber", callback.source, callback) end end) RegisterServerEvent("deep_hacker:twitter") AddEventHandler("deep_hacker:twitter", function(username) local _source = source local result = MySQL.Sync.fetchAll("SELECT password FROM twitter_accounts WHERE username = @username", { ["@username"] = username }) if result ~= nil then if result[1] ~= nil then TriggerClientEvent("mythic_notify:client:SendAlert", _source, {type = "success", text = "Username: "..username.." - Password: "..result[1].password, lenght = 10000}) end end end) RegisterServerEvent("deep_hacker:policeCoords") AddEventHandler("deep_hacker:policeCoords", function(method) local _source = source local cops = {} local players = ESX.GetPlayers() for i = 1, #players, 1 do local temp = ESX.GetPlayerFromId(players[i]) if temp.job.name == "police" then table.insert(cops, temp.source) end end TriggerClientEvent("deep_hacker:policeCoords", _source, cops, method) end) RegisterServerEvent("deep_hacker:sendPolice") AddEventHandler("deep_hacker:sendPolice", function(coords) TriggerClientEvent("deep_hacker:sendPolice", -1, coords) end)
package.path = string.format("../lua/?.lua;./?.lua;%s",package.path) local compat = require("flatbuffers.compat") local performBenchmarkTests = false if #arg > 1 then print("usage: lua luatests [benchmark]"); return elseif #arg > 0 then if(arg[1] == "benchmark") then performBenchmarkTests = true end end local function checkReadBuffer(buf, offset, sizePrefix) offset = offset or 0 if type(buf) == "string" then buf = flatbuffers.binaryArray.New(buf) end if sizePrefix then local size = flatbuffers.N.Int32:Unpack(buf, offset) assert(size == buf.size - offset - 4) offset = offset + flatbuffers.N.Int32.bytewidth end local mon = monster.GetRootAsMonster(buf, offset) assert(mon:Hp() == 80, "Monster Hp is not 80") assert(mon:Mana() == 150, "Monster Mana is not 150") assert(mon:Name() == "MyMonster", "Monster Name is not MyMonster") assert(mon:Testbool() == true) local vec = assert(mon:Pos(), "Monster Position is nil") assert(vec:X() == 1.0) assert(vec:Y() == 2.0) assert(vec:Z() == 3.0) assert(vec:Test1() == 3.0) assert(vec:Test2() == 2) local t = require("MyGame.Example.Test").New() t = assert(vec:Test3(t)) assert(t:A() == 5) assert(t:B() == 6) local ut = require("MyGame.Example.Any") assert(mon:TestType() == ut.Monster) local table2 = mon:Test() assert(getmetatable(table2) == "flatbuffers.view.mt") local mon2 = monster.New() mon2:Init(table2.bytes, table2.pos) assert(mon2:Name() == "Fred") assert(mon:InventoryLength() == 5) local invsum = 0 for i=1,mon:InventoryLength() do local v = mon:Inventory(i) invsum = invsum + v end assert(invsum == 10) for i=1,5 do assert(mon:VectorOfLongs(i) == 10^((i-1)*2)) end local dbls = { -1.7976931348623157e+308, 0, 1.7976931348623157e+308} for i=1,mon:VectorOfDoublesLength() do assert(mon:VectorOfDoubles(i) == dbls[i]) end assert(mon:Test4Length() == 2) local test0 = mon:Test4(1) local test1 = mon:Test4(2) local v0 = test0:A() local v1 = test0:B() local v2 = test1:A() local v3 = test1:B() local sumtest12 = v0 + v1 + v2 + v3 assert(sumtest12 == 100) assert(mon:TestarrayofstringLength() == 2) assert(mon:Testarrayofstring(1) == "test1") assert(mon:Testarrayofstring(2) == "test2") assert(mon:TestarrayoftablesLength() == 0) assert(mon:TestnestedflatbufferLength() == 0) assert(mon:Testempty() == nil) end local function generateMonster(sizePrefix, b) if b then b:Clear() end b = b or flatbuffers.Builder(0) local str = b:CreateString("MyMonster") local test1 = b:CreateString("test1") local test2 = b:CreateString("test2") local fred = b:CreateString("Fred") monster.StartInventoryVector(b, 5) b:PrependByte(4) b:PrependByte(3) b:PrependByte(2) b:PrependByte(1) b:PrependByte(0) local inv = b:EndVector(5) monster.Start(b) monster.AddName(b, fred) local mon2 = monster.End(b) monster.StartTest4Vector(b, 2) test.CreateTest(b, 10, 20) test.CreateTest(b, 30, 40) local test4 = b:EndVector(2) monster.StartTestarrayofstringVector(b, 2) b:PrependUOffsetTRelative(test2) b:PrependUOffsetTRelative(test1) local testArrayOfString = b:EndVector(2) monster.StartVectorOfLongsVector(b, 5) b:PrependInt64(100000000) b:PrependInt64(1000000) b:PrependInt64(10000) b:PrependInt64(100) b:PrependInt64(1) local vectorOfLongs = b:EndVector(5) monster.StartVectorOfDoublesVector(b, 3) b:PrependFloat64(1.7976931348623157e+308) b:PrependFloat64(0) b:PrependFloat64(-1.7976931348623157e+308) local vectorOfDoubles = b:EndVector(3) monster.Start(b) local pos = vec3.CreateVec3(b, 1.0, 2.0, 3.0, 3.0, 2, 5, 6) monster.AddPos(b, pos) monster.AddHp(b, 80) monster.AddName(b, str) monster.AddInventory(b, inv) monster.AddTestType(b, 1) monster.AddTest(b, mon2) monster.AddTest4(b, test4) monster.AddTestbool(b, true) monster.AddTestbool(b, false) monster.AddTestbool(b, null) monster.AddTestbool(b,"true") monster.AddTestarrayofstring(b, testArrayOfString) monster.AddVectorOfLongs(b, vectorOfLongs) monster.AddVectorOfDoubles(b, vectorOfDoubles) local mon = monster.End(b) if sizePrefix then b:FinishSizePrefixed(mon) else b:Finish(mon) end return b:Output(true), b:Head() end local function sizePrefix(sizePrefix) local buf,offset = generateMonster(sizePrefix) checkReadBuffer(buf, offset, sizePrefix) end local function fbbClear() -- Generate a builder that will be 'cleared' and reused to create two different objects. local fbb = flatbuffers.Builder(0) -- First use the builder to read the normal monster data and verify it works local buf, offset = generateMonster(false, fbb) checkReadBuffer(buf, offset, false) -- Then clear the builder to be used again fbb:Clear() -- Storage for the built monsters local monsters = {} local lastBuf -- Make another builder that will be use identically to the 'cleared' one so outputs can be compared. Build both the -- Cleared builder and new builder in the exact same way, so we can compare their results for i, builder in ipairs({fbb, flatbuffers.Builder(0)}) do local strOffset = builder:CreateString("Hi there") monster.Start(builder) monster.AddPos(builder, vec3.CreateVec3(builder, 3.0, 2.0, 1.0, 17.0, 3, 100, 123)) monster.AddName(builder, strOffset) monster.AddMana(builder, 123) builder:Finish(monster.End(builder)) local buf = builder:Output(false) if not lastBuf then lastBuf = buf else -- the output, sized-buffer should be identical assert(lastBuf == buf, "Monster output buffers are not identical") end monsters[i] = monster.GetRootAsMonster(flatbuffers.binaryArray.New(buf), 0) end -- Check that all the fields for the generated monsters are as we expect for i, monster in ipairs(monsters) do assert(monster:Name() == "Hi there", "Monster Name is not 'Hi There' for monster "..i) -- HP is default to 100 in the schema, but we change it in generateMonster to 80, so this is a good test to -- see if the cleared builder really clears the data. assert(monster:Hp() == 100, "HP doesn't equal the default value for monster "..i) assert(monster:Mana() == 123, "Monster Mana is not '123' for monster "..i) assert(monster:Pos():X() == 3.0, "Monster vec3.X is not '3' for monster "..i) end end local function testCanonicalData() local f = assert(io.open('monsterdata_test.mon', 'rb')) local wireData = f:read("*a") f:close() checkReadBuffer(wireData) end local function testCreateEmptyString() local b = flatbuffers.Builder(0) local str = b:CreateString("") monster.Start(b) monster.AddName(b, str) b:Finish(monster.End(b)) local s = b:Output() local data = flatbuffers.binaryArray.New(s) local mon = monster.GetRootAsMonster(data, 0) assert(mon:Name() == "") end local function benchmarkMakeMonster(count, reuseBuilder) local fbb = reuseBuilder and flatbuffers.Builder(0) local length = #(generateMonster(false, fbb)) local s = os.clock() for i=1,count do generateMonster(false, fbb) end local e = os.clock() local dur = (e - s) local rate = count / (dur * 1000) local data = (length * count) / (1024 * 1024) local dataRate = data / dur print(string.format('built %d %d-byte flatbuffers in %.2fsec: %.2f/msec, %.2fMB/sec', count, length, dur, rate, dataRate)) end local function benchmarkReadBuffer(count) local f = assert(io.open('monsterdata_test.mon', 'rb')) local buf = f:read("*a") f:close() local s = os.clock() for i=1,count do checkReadBuffer(buf) end local e = os.clock() local dur = (e - s) local rate = count / (dur * 1000) local data = (#buf * count) / (1024 * 1024) local dataRate = data / dur print(string.format('traversed %d %d-byte flatbuffers in %.2fsec: %.2f/msec, %.2fMB/sec', count, #buf, dur, rate, dataRate)) end local function getRootAs_canAcceptString() local f = assert(io.open('monsterdata_test.mon', 'rb')) local wireData = f:read("*a") f:close() assert(type(wireData) == "string", "Data is not a string"); local mon = monster.GetRootAsMonster(wireData, 0) assert(mon:Hp() == 80, "Monster Hp is not 80") end local tests = { { f = sizePrefix, d = "Test size prefix", args = {{true}, {false}} }, { f = fbbClear, d = "FlatBufferBuilder Clear", }, { f = testCanonicalData, d = "Tests Canonical flatbuffer file included in repo" }, { f = testCreateEmptyString, d = "Avoid infinite loop when creating empty string" }, { f = getRootAs_canAcceptString, d = "Tests that GetRootAs<type>() generated methods accept strings" }, } local benchmarks = { { f = benchmarkMakeMonster, d = "Benchmark making monsters", args = { {100}, {1000}, {10000}, {10000, true} } }, { f = benchmarkReadBuffer, d = "Benchmark reading monsters", args = { {100}, {1000}, {10000}, -- uncomment following to run 1 million to compare. -- Took ~141 seconds on my machine --{1000000}, } }, } local result, err = xpcall(function() flatbuffers = assert(require("flatbuffers")) monster = assert(require("MyGame.Example.Monster")) test = assert(require("MyGame.Example.Test")) vec3 = assert(require("MyGame.Example.Vec3")) local function buildArgList(tbl) local s = "" for _,item in ipairs(tbl) do s = s .. tostring(item) .. "," end return s:sub(1,-2) end if performBenchmarkTests then for _,benchmark in ipairs(benchmarks) do table.insert(tests, benchmark) end end local testsPassed, testsFailed = 0,0 for _,test in ipairs(tests) do local allargs = test.args or {{}} for _,args in ipairs(allargs) do local results, err = xpcall(test.f,debug.traceback, table.unpack(args)) if results then testsPassed = testsPassed + 1 else testsFailed = testsFailed + 1 print(string.format(" Test [%s](%s) failed: \n\t%s", test.d or "", buildArgList(args), err)) end end end local totalTests = testsPassed + testsFailed print(string.format("# of test passed: %d / %d (%.2f%%)", testsPassed, totalTests, totalTests ~= 0 and 100 * (testsPassed / totalTests) or 0) ) return 0 end, debug.traceback) if not result then print("Unable to run tests due to test framework error: ",err) end os.exit(result and 0 or -1)
-- This is a generated file! Please edit source .ksy file and use kaitai-struct-compiler to rebuild -- -- This file is compatible with Lua 5.3 local class = require("class") require("kaitaistruct") local stringstream = require("string_stream") local str_decode = require("string_decode") -- -- See also: Source (https://en.wikipedia.org/wiki/Apple_Partition_Map) ApmPartitionTable = class.class(KaitaiStruct) function ApmPartitionTable:_init(io, parent, root) KaitaiStruct._init(self, io) self._parent = parent self._root = root or self self:_read() end function ApmPartitionTable:_read() end -- -- 0x200 (512) bytes for disks, 0x1000 (4096) bytes is not supported by APM -- 0x800 (2048) bytes for CDROM ApmPartitionTable.property.sector_size = {} function ApmPartitionTable.property.sector_size:get() if self._m_sector_size ~= nil then return self._m_sector_size end self._m_sector_size = 512 return self._m_sector_size end -- -- Every partition entry contains the number of partition entries. -- We parse the first entry, to know how many to parse, including the first one. -- No logic is given what to do if other entries have a different number. ApmPartitionTable.property.partition_lookup = {} function ApmPartitionTable.property.partition_lookup:get() if self._m_partition_lookup ~= nil then return self._m_partition_lookup end local _io = self._root._io local _pos = _io:pos() _io:seek(self._root.sector_size) self._raw__m_partition_lookup = _io:read_bytes(self.sector_size) local _io = KaitaiStream(stringstream(self._raw__m_partition_lookup)) self._m_partition_lookup = ApmPartitionTable.PartitionEntry(_io, self, self._root) _io:seek(_pos) return self._m_partition_lookup end ApmPartitionTable.property.partition_entries = {} function ApmPartitionTable.property.partition_entries:get() if self._m_partition_entries ~= nil then return self._m_partition_entries end local _io = self._root._io local _pos = _io:pos() _io:seek(self._root.sector_size) self._raw__m_partition_entries = {} self._m_partition_entries = {} for i = 0, self._root.partition_lookup.number_of_partitions - 1 do self._raw__m_partition_entries[i + 1] = _io:read_bytes(self.sector_size) local _io = KaitaiStream(stringstream(self._raw__m_partition_entries[i + 1])) self._m_partition_entries[i + 1] = ApmPartitionTable.PartitionEntry(_io, self, self._root) end _io:seek(_pos) return self._m_partition_entries end ApmPartitionTable.PartitionEntry = class.class(KaitaiStruct) function ApmPartitionTable.PartitionEntry:_init(io, parent, root) KaitaiStruct._init(self, io) self._parent = parent self._root = root or self self:_read() end function ApmPartitionTable.PartitionEntry:_read() self.magic = self._io:read_bytes(2) if not(self.magic == "\080\077") then error("not equal, expected " .. "\080\077" .. ", but got " .. self.magic) end self.reserved_1 = self._io:read_bytes(2) self.number_of_partitions = self._io:read_u4be() self.partition_start = self._io:read_u4be() self.partition_size = self._io:read_u4be() self.partition_name = str_decode.decode(KaitaiStream.bytes_terminate(self._io:read_bytes(32), 0, false), "ascii") self.partition_type = str_decode.decode(KaitaiStream.bytes_terminate(self._io:read_bytes(32), 0, false), "ascii") self.data_start = self._io:read_u4be() self.data_size = self._io:read_u4be() self.partition_status = self._io:read_u4be() self.boot_code_start = self._io:read_u4be() self.boot_code_size = self._io:read_u4be() self.boot_loader_address = self._io:read_u4be() self.reserved_2 = self._io:read_bytes(4) self.boot_code_entry = self._io:read_u4be() self.reserved_3 = self._io:read_bytes(4) self.boot_code_cksum = self._io:read_u4be() self.processor_type = str_decode.decode(KaitaiStream.bytes_terminate(self._io:read_bytes(16), 0, false), "ascii") end ApmPartitionTable.PartitionEntry.property.partition = {} function ApmPartitionTable.PartitionEntry.property.partition:get() if self._m_partition ~= nil then return self._m_partition end if (self.partition_status & 1) ~= 0 then local _io = self._root._io local _pos = _io:pos() _io:seek((self.partition_start * self._root.sector_size)) self._m_partition = _io:read_bytes((self.partition_size * self._root.sector_size)) _io:seek(_pos) end return self._m_partition end ApmPartitionTable.PartitionEntry.property.data = {} function ApmPartitionTable.PartitionEntry.property.data:get() if self._m_data ~= nil then return self._m_data end local _io = self._root._io local _pos = _io:pos() _io:seek((self.data_start * self._root.sector_size)) self._m_data = _io:read_bytes((self.data_size * self._root.sector_size)) _io:seek(_pos) return self._m_data end ApmPartitionTable.PartitionEntry.property.boot_code = {} function ApmPartitionTable.PartitionEntry.property.boot_code:get() if self._m_boot_code ~= nil then return self._m_boot_code end local _io = self._root._io local _pos = _io:pos() _io:seek((self.boot_code_start * self._root.sector_size)) self._m_boot_code = _io:read_bytes(self.boot_code_size) _io:seek(_pos) return self._m_boot_code end -- -- First sector. -- -- Number of sectors. -- -- First sector. -- -- Number of sectors. -- -- First sector. -- -- Number of bytes. -- -- Address of bootloader code. -- -- Boot code entry point. -- -- Boot code checksum.
-- Created by Elfansoer --[[ Ability checklist (erase if done/checked): - Scepter Upgrade - Break behavior - Linken/Reflect behavior - Spell Immune/Invulnerable/Invisible behavior - Illusion behavior - Stolen behavior ]] -------------------------------------------------------------------------------- modifier_medusa_stone_gaze_lua_petrified = class({}) -------------------------------------------------------------------------------- -- Classifications function modifier_medusa_stone_gaze_lua_petrified:IsHidden() return false end function modifier_medusa_stone_gaze_lua_petrified:IsDebuff() return true end function modifier_medusa_stone_gaze_lua_petrified:IsStunDebuff() return true end function modifier_medusa_stone_gaze_lua_petrified:IsPurgable() return true end -------------------------------------------------------------------------------- -- Initializations function modifier_medusa_stone_gaze_lua_petrified:OnCreated( kv ) if not IsServer() then return end -- references self.physical_bonus = kv.physical_bonus self.center_unit = EntIndexToHScript( kv.center_unit ) self:PlayEffects() end function modifier_medusa_stone_gaze_lua_petrified:OnRefresh( kv ) if not IsServer() then return end -- references self.physical_bonus = kv.physical_bonus self.center_unit = EntIndexToHScript( kv.center_unit ) self:PlayEffects() end function modifier_medusa_stone_gaze_lua_petrified:OnRemoved() end function modifier_medusa_stone_gaze_lua_petrified:OnDestroy() end -------------------------------------------------------------------------------- -- Modifier Effects function modifier_medusa_stone_gaze_lua_petrified:DeclareFunctions() local funcs = { MODIFIER_PROPERTY_INCOMING_DAMAGE_PERCENTAGE, } return funcs end function modifier_medusa_stone_gaze_lua_petrified:GetModifierIncomingDamage_Percentage( params ) if params.damage_type==DAMAGE_TYPE_PHYSICAL then return self.physical_bonus end end -------------------------------------------------------------------------------- -- Status Effects function modifier_medusa_stone_gaze_lua_petrified:CheckState() local state = { [MODIFIER_STATE_STUNNED] = true, [MODIFIER_STATE_FROZEN] = true, } return state end -------------------------------------------------------------------------------- -- Graphics & Animations function modifier_medusa_stone_gaze_lua_petrified:GetStatusEffectName() return "particles/status_fx/status_effect_medusa_stone_gaze.vpcf" end function modifier_medusa_stone_gaze_lua_petrified:StatusEffectPriority( ) return MODIFIER_PRIORITY_ULTRA end function modifier_medusa_stone_gaze_lua_petrified:PlayEffects() -- Get Resources local particle_cast = "particles/units/heroes/hero_medusa/medusa_stone_gaze_debuff_stoned.vpcf" local sound_cast = "Hero_Medusa.StoneGaze.Stun" -- Create Particle local effect_cast = ParticleManager:CreateParticle( particle_cast, PATTACH_ABSORIGIN_FOLLOW, self:GetParent() ) ParticleManager:SetParticleControlEnt( effect_cast, 1, self.center_unit, PATTACH_ABSORIGIN_FOLLOW, "attach_hitloc", Vector( 0,0,0 ), -- unknown true -- unknown, true ) -- buff particle self:AddParticle( effect_cast, false, -- bDestroyImmediately false, -- bStatusEffect -1, -- iPriority false, -- bHeroEffect false -- bOverheadEffect ) -- Create Sound EmitSoundOnClient( sound_cast, self:GetParent():GetPlayerOwner() ) end
local tracery = (function () local rng = Math.random local setRng = (function --[[setRng]](newRng) rng = newRng end) local TraceryNode = (function (parent, childIndex, settings) self.errors = {} if settings.raw == nil then self.errors.push("Empty input for node") settings.raw = "" end if parent instanceof tracery.Grammar then self.grammar = parent self.parent = nil self.depth = 0 self.childIndex = 0 else self.grammar = parent.grammar self.parent = parent self.depth = parent.depth + 1 self.childIndex = childIndex end self.raw = settings.raw self.type = settings.type self.isExpanded = false if not self.grammar then console.warn("No grammar specified for this node", self) end end) TraceryNode.prototype.toString = (function () return ((((("Node('" + self.raw) + "' ") + self.type) + " d:") + self.depth) + ")" end) TraceryNode.prototype.expandChildren = (function (childRule, preventRecursion) self.children = {} self.finishedText = "" self.childRule = childRule if self.childRule ~= nil then local sections = tracery.parse(childRule) if sections.errors.length > 0 then self.errors = self.errors.concat(sections.errors) end local i = 0 while i < sections.length do --[[pinecone converted for statement]] self.children[i] = --[[Failed to convert 1724 to 1761: pinecone can't convert new obj(); statements]] if not preventRecursion then self.children[i].expand(preventRecursion) end self.finishedText += self.children[i].finishedText i = i + 1 end else self.errors.push("No child rule provided, can't expand children") console.warn("No child rule provided, can't expand children") end end) TraceryNode.prototype.expand = (function (preventRecursion) if not self.isExpanded then self.isExpanded = true self.expansionErrors = {} --[[Failed to convert 2573 to 5504: unknown node SwitchStatement]] else end end) TraceryNode.prototype.clearEscapeChars = (function () self.finishedText = self.finishedText.replace(--[[Failed to convert 5678 to 5685: Can't convert regex into Lua yet.]], "DOUBLEBACKSLASH").replace(--[[Failed to convert 5714 to 5719: Can't convert regex into Lua yet.]], "").replace(--[[Failed to convert 5733 to 5751: Can't convert regex into Lua yet.]], "\\") end) function NodeAction(node, raw) self.node = node local sections = raw.split(":") self.target = sections[0] if sections.length == 1 then self.type = 2 else self.rule = sections[1] if self.rule == "POP" then self.type = 1 else self.type = 0 end end end NodeAction.prototype.createUndo = (function () if self.type == 0 then return --[[Failed to convert 6522 to 6569: pinecone can't convert new obj(); statements]] end return nil end) NodeAction.prototype.activate = (function () local grammar = self.node.grammar --[[Failed to convert 6744 to 7380: unknown node SwitchStatement]] end) NodeAction.prototype.toText = (function () --[[Failed to convert 7433 to 7633: unknown node SwitchStatement]] end) function RuleSet(grammar, raw) self.raw = raw self.grammar = grammar self.falloff = 1 if Array.isArray(raw) then self.defaultRules = raw elseif (type(raw) == "string") or (raw instanceof String) then self.defaultRules = {raw} elseif raw == "object" then end end --[[Failed to convert 8074 to 8075: unknown node EmptyStatement]] RuleSet.prototype.selectRule = (function (errors) if self.conditionalRule then local value = self.grammar.expand(self.conditionalRule, true) if self.conditionalValues[value] then local v = self.conditionalValues[value].selectRule(errors) if (v ~= nil) and (v ~= nil) then return v end end end if self.ranking then local i = 0 while i < self.ranking.length do --[[pinecone converted for statement]] local v = self.ranking.selectRule() if (v ~= nil) and (v ~= nil) then return v end i = i + 1 end end if self.defaultRules ~= nil then local index = 0 local distribution = self.distribution if not distribution then distribution = self.grammar.distribution end --[[Failed to convert 9055 to 9708: unknown node SwitchStatement]] if not self.defaultUses then self.defaultUses = {} end self.defaultUses[index] = (function()self.defaultUses[index]=self.defaultUses[index]+1;return self.defaultUses[index] end)(--[[++self.defaultUses[index]]]) or 1 return self.defaultRules[index] end errors.push("No default rules defined for " + self) return nil end) RuleSet.prototype.clearState = (function () if self.defaultUses then self.defaultUses = {} end end) function fyshuffle(array, falloff) local currentIndex, temporaryValue, randomIndex = array.length, nil, nil while 0 ~= currentIndex do randomIndex = Math.floor(rng() * currentIndex) currentIndex -= 1 temporaryValue = array[currentIndex] array[currentIndex] = array[randomIndex] array[randomIndex] = temporaryValue end return array end local Symbol = (function (grammar, key, rawRules) self.key = key self.grammar = grammar self.rawRules = rawRules self.baseRules = --[[Failed to convert 10786 to 10821: pinecone can't convert new obj(); statements]] self.clearState() end) Symbol.prototype.clearState = (function () self.stack = {self.baseRules} self.uses = {} self.baseRules.clearState() end) Symbol.prototype.pushRules = (function (rawRules) local rules = --[[Failed to convert 11098 to 11133: pinecone can't convert new obj(); statements]] self.stack.push(rules) end) Symbol.prototype.popRules = (function () self.stack.pop() end) Symbol.prototype.selectRule = (function (node, errors) self.uses.push({ node = node }) if self.stack.length == 0 then errors.push(("The rule stack for '" + self.key) + "' is empty, too many pops?") return ("((" + self.key) + "))" end return self.stack[self.stack.length - 1].selectRule() end) Symbol.prototype.getActiveRules = (function () if self.stack.length == 0 then return nil end return self.stack[self.stack.length - 1].selectRule() end) Symbol.prototype.rulesToJSON = (function () return JSON.stringify(self.rawRules) end) local Grammar = (function (raw, settings) self.modifiers = {} self.loadFromRawObj(raw) end) Grammar.prototype.clearState = (function () local keys = Object.keys(self.symbols) local i = 0 while i < keys.length do --[[pinecone converted for statement]] self.symbols[keys[i]].clearState() i = i + 1 end end) Grammar.prototype.addModifiers = (function (mods) for local key in pairs(mods) do if mods.hasOwnProperty(key) then self.modifiers[key] = mods[key] end end --[[Failed to convert 12263 to 12264: unknown node EmptyStatement]] end) Grammar.prototype.loadFromRawObj = (function (raw) self.raw = raw self.symbols = {} self.subgrammars = {} if self.raw then for local key in pairs(self.raw) do if self.raw.hasOwnProperty(key) then self.symbols[key] = --[[Failed to convert 12538 to 12574: pinecone can't convert new obj(); statements]] end end end end) Grammar.prototype.createRoot = (function (rule) local root = --[[Failed to convert 12690 to 12750: pinecone can't convert new obj(); statements]] return root end) Grammar.prototype.expand = (function (rule, allowEscapeChars) local root = self.createRoot(rule) root.expand() if not allowEscapeChars then root.clearEscapeChars() end return root end) Grammar.prototype.flatten = (function (rule, allowEscapeChars) local root = self.expand(rule, allowEscapeChars) return root.finishedText end) Grammar.prototype.toJSON = (function () local keys = Object.keys(self.symbols) local symbolJSON = {} local i = 0 while i < keys.length do --[[pinecone converted for statement]] local key = keys[i] symbolJSON.push(((" \\"" + key) + "\\" : ") + self.symbols[key].rulesToJSON()) i = i + 1 end return ("{\\n" + symbolJSON.join(",\\n")) + "\\n}" end) Grammar.prototype.pushRules = (function (key, rawRules, sourceAction) if self.symbols[key] == nil then self.symbols[key] = --[[Failed to convert 13573 to 13604: pinecone can't convert new obj(); statements]] if sourceAction then self.symbols[key].isDynamic = true end else self.symbols[key].pushRules(rawRules) end end) Grammar.prototype.popRules = (function (key) if not self.symbols[key] then self.errors.push("Can't pop: no symbol for key " + key) end self.symbols[key].popRules() end) Grammar.prototype.selectRule = (function (key, node, errors) if self.symbols[key] then local rule = self.symbols[key].selectRule(node, errors) return rule end local i = 0 while i < self.subgrammars.length do --[[pinecone converted for statement]] if self.subgrammars[i].symbols[key] then return self.subgrammars[i].symbols[key].selectRule() end i = i + 1 end errors.push(("No symbol for '" + key) + "'") return ("((" + key) + "))" end) tracery = { createGrammar = (function (raw) return --[[Failed to convert 14470 to 14486: pinecone can't convert new obj(); statements]] end), parseTag = (function (tagContents) local parsed = { symbol = nil, preactions = {}, postactions = {}, modifiers = {} } local sections = tracery.parse(tagContents) local symbolSection = nil local i = 0 while i < sections.length do --[[pinecone converted for statement]] if sections[i].type == 0 then if symbolSection == nil then symbolSection = sections[i].raw else error("BAD JS".."multiple main sections in " + tagContents) end else parsed.preactions.push(sections[i]) end i = i + 1 end if symbolSection == nil then else local components = symbolSection.split(".") parsed.symbol = components[0] parsed.modifiers = components.slice(1) end return parsed end), parse = (function (rule) local depth = 0 local inTag = false local sections = {} local escaped = false local errors = {} local start = 0 local escapedSubstring = "" local lastEscapedChar = nil if rule == nil then local sections = {} sections.errors = errors return sections end function createSection(start, end, type) if (end - start) < 1 then if type == 1 then errors.push(start + ": empty tag") end if type == 2 then errors.push(start + ": empty action") end end local rawSubstring if lastEscapedChar ~= nil then rawSubstring = (escapedSubstring + "\\") + rule.substring((lastEscapedChar + 1), end) else rawSubstring = rule.substring(start, end) end sections.push({ type = type, raw = rawSubstring }) lastEscapedChar = nil escapedSubstring = "" end --[[Failed to convert 16207 to 16208: unknown node EmptyStatement]] local i = 0 while i < rule.length do --[[pinecone converted for statement]] if not escaped then local c = rule.charAt(i) --[[Failed to convert 16309 to 17238: unknown node SwitchStatement]] else escaped = false end i = i + 1 end if start < rule.length then createSection(start, rule.length, 0) end if inTag then errors.push("Unclosed tag") end if depth > 0 then errors.push("Too many [") end if depth < 0 then errors.push("Too many ]") end sections = sections.filter((function (section) if (section.type == 0) and (section.raw.length == 0) then return false end return true end)) sections.errors = errors return sections end) } tracery.TraceryNode = TraceryNode tracery.Grammar = Grammar tracery.Symbol = Symbol tracery.RuleSet = RuleSet tracery.setRng = setRng return tracery end)()
os.execute("luarocks install luacheck")
object_tangible_quest_murmur_1_exec1_personal_console = object_tangible_quest_shared_murmur_1_exec1_personal_console:new { } ObjectTemplates:addTemplate(object_tangible_quest_murmur_1_exec1_personal_console, "object/tangible/quest/murmur_1_exec1_personal_console.iff")
--[[-------------------------------------------------------------------------- File name: sv_netwrapper.lua Author: Mista-Tea ([IJWTB] Thomas) License: The MIT License (copy/modify/distribute freely!) Changelog: - March 9th, 2014: Created - April 5th, 2014: Added to GitHub - August 15th, 2014: Added Net Requests ----------------------------------------------------------------------------]] --[[-------------------------------------------------------------------------- -- Namespace Tables --------------------------------------------------------------------------]]-- netwrapper = netwrapper or {} netwrapper.ents = netwrapper.ents or {} netwrapper.requests = netwrapper.requests or {} --[[-------------------------------------------------------------------------- -- Localized Functions & Variables --------------------------------------------------------------------------]]-- local net = net local util = util local pairs = pairs local IsEntity = IsEntity local CreateConVar = CreateConVar local FindMetaTable = FindMetaTable util.AddNetworkString( "NetWrapperVar" ) util.AddNetworkString( "NetWrapperRequest" ) util.AddNetworkString( "NetWrapperClear" ) local ENTITY = FindMetaTable( "Entity" ) --[[-------------------------------------------------------------------------- -- Namespace Functions --------------------------------------------------------------------------]]-- --[[-------------------------------------------------------------------------- -- NET VARS --------------------------------------------------------------------------]]-- --[[-------------------------------------------------------------------------- -- -- Net - NetWrapperVar -- -- Received when a player fully initializes with the InitPostEntity hook. -- This will sync all currently networked entities to the client. --]]-- net.Receive( "NetWrapperVar", function( len, ply ) netwrapper.SyncClient( ply ) end ) --[[-------------------------------------------------------------------------- -- -- netwrapper.SyncClient( player ) -- -- Loops through every entity currently networked and sends the networked -- data to the client. -- -- While looping, any values that are NULL (disconnected players, removed entities) -- will automatically be removed from the table and not synced to the client. --]]-- function netwrapper.SyncClient( ply ) for id, values in pairs( netwrapper.ents ) do for key, value in pairs( values ) do if ( IsEntity( value ) and !value:IsValid() ) then netwrapper.ents[ id ][ key ] = nil continue; end netwrapper.SendNetVar( ply, id, key, value ) end end end --[[-------------------------------------------------------------------------- -- -- netwrapper.BroadcastNetVar( int, string, * ) -- -- Sends a net message to all connectect clients containing the -- key/value pair to assign on the associated entity. --]]-- function netwrapper.BroadcastNetVar( id, key, value ) net.Start( "NetWrapperVar" ) net.WriteUInt( id, 16 ) net.WriteString( key ) net.WriteType( value ) net.Broadcast() end --[[-------------------------------------------------------------------------- -- -- netwrapper.SendNetVar( player, int, string, * ) -- -- Sends a net message to the specified client containing the -- key/value pair to assign on the associated entity. --]]-- function netwrapper.SendNetVar( ply, id, key, value ) net.Start( "NetWrapperVar" ) net.WriteUInt( id, 16 ) net.WriteString( key ) net.WriteType( value ) net.Send( ply ) end --[[-------------------------------------------------------------------------- -- NET REQUESTS --------------------------------------------------------------------------]]-- --[[-------------------------------------------------------------------------- -- -- Net - NetWrapperRequest -- -- Received from a client when they are requesting a certain key on an entity -- that was set using ENTITY:SetNetRequest(). -- -- **UNLIKE the NetVars portion of the netwrapper library, Net Requests are stored -- on the server and are ONLY networked when the client sends a request for it. -- This can be incredibly helpful in reducing network traffic for connecting clients -- when you have data that doesn't need to be networked instantly. -- -- For example, if you wanted to network the owner's name of a prop to clients, but -- fear you may be sending too much network traffic to connecting clients because there -- are hundreds or thousands of props out, you can use ENTITY:SetNetRequest() instead. -- When the client looks at a prop, you can add a check to see if ENTITY:GetNetRequest() -- doesn't return anything and then use ENTITY:SendNetRequest() to request the prop owner's -- name from the server. --]]-- net.Receive( "NetWrapperRequest", function( bits, ply ) local id = net.ReadUInt( 16 ) local ent = Entity( id ) local key = net.ReadString() if ( ent:GetNetRequest( key ) ~= nil ) then netwrapper.SendNetRequest( ply, id, key, ent:GetNetRequest( key ) ) end end ) --[[-------------------------------------------------------------------------- -- -- netwrapper.SendNetRequest( player, number, string, * ) -- -- Called when a client is asking the server to network a stored value on entity -- with the given key. In combination with ENTITY:SendNetRequest() on the client, -- these functions give you control of when a client asks for entity values to be -- networked to them, unlike the netwrapper.SendNetVar() function. --]]-- function netwrapper.SendNetRequest( ply, id, key, value ) net.Start( "NetWrapperRequest" ) net.WriteUInt( id, 16 ) net.WriteString( key ) net.WriteType( value ) net.Send( ply ) end --[[-------------------------------------------------------------------------- -- -- Hook - EntityRemoved( entity ) -- -- Called when an entity has been removed. This will automatically remove the -- data at the entity's index if any was being networked. This will prevent -- data corruption where a future entity may be using the data from a previous -- entity that used the same EntIndex --]]-- hook.Add( "EntityRemoved", "NetWrapperClear", function( ent ) netwrapper.ClearData( ent:EntIndex() ) end )
local DbgPrint = GetLogging("NPCMaker") DEFINE_BASECLASS( "lambda_npcmaker" ) ENT.Base = "lambda_npcmaker" ENT.Type = "point" local TS_YN_YES = 0 local TS_YN_NO = 1 local TS_YN_DONT_CARE = 2 local TS_DIST_NEAREST = 0 local TS_DIST_FARTHEST = 1 local TS_DIST_DONT_CARE = 2 function ENT:PreInitialize() DbgPrint(self, "ENT:PreInitialize") BaseClass.PreInitialize(self) self.TemplateName = "" self.Radius = 256 self.DestinationGroup = nil self.CriterionVisibility = 0 self.CriterionDistance = 0 self.MinSpawnDistance = 0 self.PrecacheData = nil self:SetupOutput("OnAllSpawned") self:SetupOutput("OnAllSpawnedDead") self:SetupOutput("OnAllLiveChildrenDead") self:SetupOutput("OnSpawnNPC") self:SetInputFunction("SpawnNPCInRadius", self.MakeNPCInRadius ) self:SetInputFunction("SpawnNPCInLine", self.MakeNPCInLine ) self:SetInputFunction("SpawnMultiple", self.MakeMultipleNPCS ) self:SetInputFunction("ChangeDestinationGroup", self.ChangeDestinationGroup ) end function ENT:KeyValue(key, val) BaseClass.KeyValue(self, key, val) if key:iequals("TemplateName") then self.TemplateName = val elseif key:iequals("Radius") then self.Radius = tonumber(val) elseif key:iequals("DestinationGroup") then self.DestinationGroup = val elseif key:iequals("CriterionVisibility") then self.CriterionVisibility = tonumber(val) elseif key:iequals("CriterionDistance") then self.CriterionDistance = tonumber(val) elseif key:iequals("MinSpawnDistance") then self.MinSpawnDistance = tonumber(val) end end function ENT:Precache() if self.PrecacheData ~= nil then return end if self.PrecacheData == nil then self.PrecacheData = table.Copy(game.FindEntityInMapData(self.TemplateName)) --[[ local mapdata = game.GetMapData() for _,ent in pairs(mapdata.Entities) do if ent["targetname"] and tostring(ent["targetname"]):iequals(self.TemplateName) then self.PrecacheData = ent break end end ]] end if self.PrecacheData == nil then --ErrorNoHalt("Unable to find npc template in map data, can not precache!") return end if self.PrecacheData["model"] then util.PrecacheModel(self.PrecacheData["model"]) end end function ENT:RemoveTemplateData(name) for k,_ in pairs(self.PrecacheData or {}) do if k:iequals(name) then self.PrecacheData[k] = nil end end end function ENT:AddTemplateData(key, val) self.PrecacheData[key] = val end function ENT:GetNPCClass() if self.PrecacheData then return self.PrecacheData["classname"] end return "" end function ENT:Initialize() DbgPrint(self, "ENT:Initialize") BaseClass.Initialize(self) self:Precache() -- NOTE: Should we add the flag only under specific circumstances? --self:AddSpawnFlags(SF_NPCMAKER_HIDEFROMPLAYER) -- NOTE: Lets figure out a way that tells us if we could apply infinite childreen. -- one way would be going per NPC type? end function ENT:FindSpawnDestination() local spawnDestinations = ents.FindByName(self.DestinationGroup) local possible = {} if _DEBUG then if table.Count(spawnDestinations) == 0 then ErrorNoHalt("npc_template_maker has no spawn destinations") return nil end end local vecPlayerCenter = Vector(0,0,0) local centerDiv = 0 for k,v in pairs(player.GetAll()) do vecPlayerCenter = vecPlayerCenter + v:GetPos() centerDiv = centerDiv + 1 end vecPlayerCenter = vecPlayerCenter / centerDiv for _, dest in pairs(spawnDestinations) do if dest.IsAvailable and dest:IsAvailable() then local valid = true local destPos = dest:GetPos() if self.CriterionVisibility ~= TS_YN_DONT_CARE then local visible = false for _, ply in pairs(player.GetAll()) do if ply:VisibleVec(destPos) then visible = true break end end if self.CriterionVisibility == TS_YN_YES then if not visible then valid = false end else if visible then valid = false end end end if valid then table.insert(possible, dest) end end end if table.Count(possible) < 1 then return nil end if self.CriterionDistance == TS_DIST_DONT_CARE then for i = 0, 5 do local dest = table.Random(possible) if self:HumanHullFits(dest:GetPos()) then return dest end end -- Porbably all positions are blocked. return nil elseif self.CriterionDistance == TS_DIST_NEAREST then local nearestDist = 0 local nearestDest = nil for _,dest in pairs(possible) do local destPos = dest:GetPos() local dist = destPos:Distance(vecPlayerCenter) if nearestDist == 0 or dist < nearestDist then if self:HumanHullFits(destPos) then nearestDist = dist nearestDest = dest end end end return nearestDest elseif self.CriterionDistance == TS_DIST_FARTHEST then local farthestDist = 0 local farthestDest = nil for _,dest in pairs(possible) do local destPos = dest:GetPos() local dist = destPos:Distance(vecPlayerCenter) if dist > farthestDist then if self:HumanHullFits(destPos) then farthestDist = dist farthestDest = dest end end end return farthestDest end return nil end function ENT:MakeNPC() --DbgPrint(self, "ENT:MakeNPC") if self.Radius > 0 and self:HasSpawnFlags(SF_NPCMAKER_ALWAYSUSERADIUS) then return self:MakeNPCInRadius() end if self:CanMakeNPC( self.DestinationGroup ~= nil ) == false then return end local dest = nil if self.DestinationGroup ~= nil then dest = self:FindSpawnDestination() if dest == nil then DbgPrint(self, "Failed to find valid spawnpoint in destination group: " .. self.DestinationGroup) return end end self:Precache() local ent = ents.CreateFromData(self.PrecacheData) if not IsValid(ent) then --DbgPrint(self, "Unable to create NPC!") return end DbgPrint(self, "Created NPC: " .. tostring(ent)) local destObj = nil if dest == nil then dest = self else destObj = dest end ent:SetPos(dest:GetPos()) local ang = dest:GetAngles() ang.x = 0 ang.z = 0 ent:SetAngles(ang) if IsValid(destObj) and destObj.OnSpawnNPC then --DbgPrint("Firing OnSpawnNPC in info_npc_spawn_destination") destObj:OnSpawnNPC() end if self:HasSpawnFlags(SF_NPCMAKER_FADE) then ent:AddSpawnFlags( SF_NPC_FADE_CORPSE ) end ent:RemoveSpawnFlags( SF_NPC_TEMPLATE ) if self:HasSpawnFlags(SF_NPCMAKER_NO_DROP) == false then ent:RemoveSpawnFlags(SF_NPC_FALL_TO_GROUND) end self:ChildPreSpawn(ent) self:DispatchSpawn(ent) ent:SetOwner(self) self:DispatchActivate(ent) self:ChildPostSpawn(ent) self:FireOutputs("OnSpawnNPC", ent, ent, self) if self.OnSpawnNPC ~= nil and isfunction(self.OnSpawnNPC) then self:OnSpawnNPC(ent) end --self.LiveChildren = self.LiveChildren + 1 self:SetNWVar("LiveChildren", self:GetNWVar("LiveChildren") + 1) if self:HasSpawnFlags(SF_NPCMAKER_INF_CHILD) == false then --self.MaxNPCCount = self.MaxNPCCount - 1 --self.CreatedCount = self.CreatedCount + 1 self:SetNWVar("CreatedCount", self:GetNWVar("CreatedCount") + 1) DbgPrint("Spawned npc, count: " .. self:GetNWVar("CreatedCount") .. " / " .. self:GetScaledMaxNPCs()) if self:IsDepleted() then self:FireOutputs("OnAllSpawned", nil, self) self.Think = self.StubThink end end self:UpdateScaling() end local HULL_SIZE_HUMAN = { Vector(-13, -13, 0), Vector(13, 13, 72) } local KNOWN_HULLS = { ["npc_combine"] = HULL_SIZE_HUMAN, ["npc_combine_s"] = HULL_SIZE_HUMAN, } function ENT:GetSpawnPosInRadius(hull, checkVisible) DbgPrint(self, "ENT:GetSpawnPosInRadius") local pos = self:GetPos() local radius = self.Radius local ang = Angle(0, 0, 0) local step = 360 / self:GetScaledMaxNPCs() local hullMins = hull[1] local hullMaxs = hull[2] --DbgPrint("NPC Hull: " .. tostring(hullMins) .. ", " .. tostring(hullMaxs)) --DbgPrint("NPC Hulltype: " .. tostring(npc:GetHullType())) math.randomseed(self:EntIndex()) for y = 0, 360, step do ang.y = y local testRadius = radius for radiusDivider = 5, 10 do local n = radiusDivider / 10 local subRadius = radius * n local traceRadius = math.random(testRadius - subRadius, testRadius) testRadius = testRadius - subRadius local dir = ang:Forward() local testPos = pos + (dir * traceRadius) -- Check if they would fall. local tr = util.TraceLine( { start = testPos, endpos = testPos - Vector(0, 0, 8192), mask = MASK_NPCSOLID, }) if tr.Fraction == 1 or tr.HitWorld ~= true then continue end local height = math.abs(testPos.z - tr.HitPos.z) if height > 128 then continue end -- See if they fit. local hullTr = util.TraceHull( { start = tr.HitPos, endpos = tr.HitPos + Vector(0, 0, 10), mins = hullMins, maxs = hullMaxs, mask = MASK_NPCSOLID, }) if hullTr.Hit == true then continue end if checkVisible == true and util.IsPosVisibleToPlayers(testPos) == true then DbgPrint("Visible to player can not spawn NPC") continue end --PrintTable(hullTr) debugoverlay.Box(hullTr.HitPos, hullMins, hullMaxs, 0.1, Color(255, 255, 255)) if hullTr.Fraction == 1.0 then -- The SDK also checks the MoveProbe for stand position, we have no access. return hullTr.HitPos end end end return nil end function ENT:PlaceNPCInRadius(npc, checkVisible) DbgPrint(self, "ENT:PlaceNPCInRadius") local hull = { npc:GetHullMins(), npc:GetHullMaxs() } local spawnPos = self:GetSpawnPosInRadius(hull, checkVisible) if spawnPos == nil then return false end npc:SetPos(spawnPos) return true end function ENT:MakeNPCInRadius() DbgPrint(self, "ENT:MakeNPCInRadius") if not self:CanMakeNPC(true) then return end local ent local classname = self.PrecacheData["classname"] local hullData = KNOWN_HULLS[classname] local checkVisible = false if self:HasSpawnFlags(SF_NPCMAKER_HIDEFROMPLAYER) == true then checkVisible = true end -- We can avoid creating the NPC if we already know the hull. if hullData ~= nil then local spawnSpot = self:GetSpawnPosInRadius(hullData, checkVisible) if spawnSpot == nil then return end ent = ents.CreateFromData(self.PrecacheData) if not IsValid(ent) then ErrorNoHalt("Unable to create npc!") return end ent:SetPos(spawnSpot) else -- Fallback if we have no hull information. ent = ents.CreateFromData(self.PrecacheData) if not IsValid(ent) then ErrorNoHalt("Unable to create npc!") return end if self:PlaceNPCInRadius(ent, checkVisible) == false then DbgPrint("Failed to create NPC in radius: " .. tostring(ent)) ent:Remove() return else DbgPrint("Created NPC in radius: " .. tostring(ent)) end end ent:AddSpawnFlags(SF_NPC_FALL_TO_GROUND) ent:RemoveSpawnFlags(SF_NPC_TEMPLATE) self:ChildPreSpawn(ent) self:DispatchSpawn(ent) ent:SetOwner(self) self:DispatchActivate(ent) self:ChildPostSpawn(ent) self:FireOutputs("OnSpawnNPC", ent, ent, self) if self.OnSpawnNPC ~= nil and isfunction(self.OnSpawnNPC) then self:OnSpawnNPC(ent) end self:SetNWVar("LiveChildren", self:GetNWVar("LiveChildren") + 1) if self:HasSpawnFlags(SF_NPCMAKER_INF_CHILD) == false then --self.MaxNPCCount = self.MaxNPCCount - 1 --self.CreatedCount = self.CreatedCount + 1 self:SetNWVar("CreatedCount", self:GetNWVar("CreatedCount") + 1) DbgPrint("Spawned npc, count: " .. self:GetNWVar("CreatedCount") .. " / " .. self:GetScaledMaxNPCs()) if self:IsDepleted() then self:FireOutputs("OnAllSpawned", nil, self) self.Think = self.StubThink end end self:UpdateScaling() end function ENT:PlaceNPCInLine(npc) local fwd = self:GetForward() fwd = fwd * -1 -- invert local tr = util.TraceLine({ startpos = self:GetPos(), endpos = self:GetPos() - Vector(0, 0, 8192), mask = MASK_SHOT, filter = npc, }) local mins = npc:GetHullMins() local maxs = npc:GetHullMaxs() local hullWidth = maxs.y - mins.y local dest = tr.HitPos for i = 0, 10 do local tr = util.TraceHull({ start = dest, endpos = dest + Vector(0, 0, 10), mins = mins, maxs = maxs, filter = npc, mask = MASK_SHOT, }) if tr.Fraction == 1.0 then npc:SetPos(tr.HitPos) return true end dest = dest + (fwd * hullWidth) end return false end function ENT:MakeNPCInLine() DbgPrint(self, "ENT:MakeNPCInRadius") if not self:CanMakeNPC(true) then return end local ent = ents.CreateFromData(self.PrecacheData) if not IsValid(ent) then ErrorNoHalt("Unable to create npc!") return end if self:PlaceNPCInLine(ent) == false then DbgPrint("Failed to create npc in line: " .. tostring(ent)) ent:Remove() return else DbgPrint("Created NPC in line: " .. tostring(ent)) end ent:AddSpawnFlags(SF_NPC_FALL_TO_GROUND) ent:RemoveSpawnFlags(SF_NPC_TEMPLATE) self:ChildPreSpawn(ent) self:DispatchSpawn(ent) ent:SetOwner(self) self:DispatchActivate(ent) self:ChildPostSpawn(ent) self:FireOutputs("OnSpawnNPC", ent, ent, self) if self.OnSpawnNPC ~= nil and isfunction(self.OnSpawnNPC) then self:OnSpawnNPC(ent) end self:SetNWVar("LiveChildren", self:GetNWVar("LiveChildren") + 1) if self:HasSpawnFlags(SF_NPCMAKER_INF_CHILD) == false then --self.MaxNPCCount = self.MaxNPCCount - 1 --self.CreatedCount = self.CreatedCount + 1 self:SetNWVar("CreatedCount", self:GetNWVar("CreatedCount") + 1) DbgPrint("Spawned npc, count: " .. self:GetNWVar("CreatedCount") .. " / " .. self:GetScaledMaxNPCs()) if self:IsDepleted() then self:FireOutputs("OnAllSpawned", nil, self) self.Think = self.StubThink end end self:UpdateScaling() end function ENT:MakeMultipleNPCS() Error("MakeMultipleNPCS not implemented") end function ENT:ChangeDestinationGroup(data) --Error("ChangeDestinationGroup not implemented") self.DestinationGroup = data -- ?? end function ENT:SetMinimumSpawnDistance(data) Error("SetMinimumSpawnDistance not implemented") end function TestPlayerTrace(ply) local hullMins = HULL_SIZE_HUMAN[1] local hullMaxs = HULL_SIZE_HUMAN[2] -- See if they fit. local hullTr = util.TraceHull( { start = ply:GetPos(), endpos = ply:GetPos() + Vector(0, 0, 10), mins = hullMins, maxs = hullMaxs, mask = MASK_NPCSOLID, filter = ply, }) PrintTable(hullTr) end
kCystMaturationTime = 15 kAlienRegenerationCombatModifier = 0 kAlienHealRatePercentLimit = .16 kAlienHealRateOverLimitReduction = .2 kCystUnconnectedDamage = 10 kDrifterSupply = 10 -- from 15 to 10 kWhipSupply = 15 kCragSupply = 10 kShadeSupply = 10 kShiftSupply = 10 kMACSupply = 10 kArmorySupply = 10 kARCSupply = 15 kSentrySupply = 10 kRoboticsFactorySupply = 10 kSentryBatterySupply = 10 kObservatorySupply = 40 -- Increases the delay between alien attacks by the given value in percentage while using the Focus upgrade. kFocusAttackSlowAtMax = 0.05 kHandGrenadeWeight = 0.01 kAlienStructureMoveSpeed = 2 -- new changes kWeaponStayTime = 23 -- from 25 to 23 -- arc speed boost kARCSpeedBoostCost = 2 kARCSpeedBoostDuration = 6 kARCSpeedBoostIncrease = 1.2 kARCSpeedBoostTurnRate = math.pi * 1.2 kARCSpeedBoostCooldown = 12 -- marine walk kMarineMaxSlowWalkSpeed = 2.5
help( [[ This module loads Rucio 1.6.6 into the environment. Rucio is a distributed data movement system. ]]) whatis("Loads Rucio") local version = "1.6.6" local base = "/cvmfs/oasis.opensciencegrid.org/osg/modules/rucio/"..version prepend_path("PATH", pathJoin(base, "bin")) prepend_path("PYTHONPATH", pathJoin(base, "lib", "python2.6", "site-packages")) setenv("RUCIO_HOME", pathJoin(base, "rucio")) family('rucio') load("gfal/7.20")
THB_LevelRaces = 0 THB_Parameters = 1 SCAR_ATITemplates = { THB_Template = { { stringParam = THB_LevelRaces, text = { colour = {1,1,1,1}, dropshadow = 1, renderFlags = {"justifyLeft"}, LODs = {1,"HWClassicLevelFont",}, }, placement2D = { factorX = -1, factorY = -1, visibility = {}, }, }, }, }
--********************************************************************************************* -- ==================================================================== -- Corona SDK "Native Social Popup" Sample Code -- ==================================================================== -- -- File: main.lua -- -- Version 1.1 -- -- Copyright (C) 2015 Corona Labs Inc. All Rights Reserved. -- -- Permission is hereby granted, free of charge, to any person obtaining a copy of -- this software and associated documentation files (the "Software"), to deal in the -- Software without restriction, including without limitation the rights to use, copy, -- modify, merge, publish, distribute, sublicense, and/or sell copies of the Software, -- and to permit persons to whom the Software is furnished to do so, subject to the -- following conditions: -- -- The above copyright notice and this permission notice shall be included in all copies -- or substantial portions of the Software. -- -- THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR IMPLIED, -- INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY, FITNESS FOR A PARTICULAR -- PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE AUTHORS OR COPYRIGHT HOLDERS BE LIABLE -- FOR ANY CLAIM, DAMAGES OR OTHER LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR -- OTHERWISE, ARISING FROM, OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER -- DEALINGS IN THE SOFTWARE. -- -- Published changes made to this software and associated documentation and module files (the -- "Software") may be used and distributed by Corona Labs, Inc. without notification. Modifications -- made to this software and associated documentation and module files may or may not become -- part of an official software release. All modifications made to the software will be -- licensed under these same terms and conditions. -- -- Revision History: -- 1.0: Initial version -- 1.1: UI update to allow certain things to be pre-filled. -- Several bugfixes and improvements. --********************************************************************************************* -- Platforms: iOS, Android -- Supported services: -- iOS: twitter, facebook, sinaWeibo, and tencentWeibo as of iOS 7. -- Android: Anything that can be added to a share intent. -- NOTE: More information on Sina Weibo here http://www.weibo.com/ -- If we are on the simulator, show a warning that this plugin is only supported on device local isSimulator = "simulator" == system.getInfo( "environment" ) if isSimulator then native.showAlert( "Build for device", "This plugin is not supported on the Corona Simulator, please build for an iOS/Android device or Xcode simulator", { "OK" } ) end -- Hide the status bar display.setStatusBar( display.HiddenStatusBar ) -- Require the widget library local widget = require( "widget" ) -- Use the iOS 7 theme for this sample widget.setTheme( "widget_theme_ios7" ) -- This is the name of the native popup to show, in this case we are showing the "social" popup local popupName = "social" -- Display a background local background = display.newImage( "world.jpg", display.contentCenterX, display.contentCenterY, true ) -- Display some text local achivementText = display.newText --( "You saved the planet!\n\nTouch any of the buttons below to share your victory with your friends!", 12, 10, display.contentWidth - 20, 0, native.systemFontBold, 18 ) { text = "You saved the planet!\nTouch any of the buttons below to share your victory with your friends!", x = display.contentCenterX, y = 60, -- Keep our text field within inner 80% of the screen so that it won't roll off on some devices. width = (0.8) * display.contentWidth, height = 0, font = native.systemFontBold, fontSize = 18, align = "center", } local sendMessage = false local sendURL = false local sendImage = false -- Exectuted upon touching & releasing a widget button local function onShareButtonReleased( event ) local serviceName = event.target.id local isAvailable = native.canShowPopup( popupName, serviceName ) -- For demonstration purposes, we set isAvailable to true here for Android. if "Android" == system.getInfo( "platformName" ) then isAvailable = true end -- If it is possible to show the popup if isAvailable then local listener = {} function listener:popup( event ) print( "name(" .. event.name .. ") type(" .. event.type .. ") action(" .. tostring(event.action) .. ") limitReached(" .. tostring(event.limitReached) .. ")" ) end local options = {} options.service = serviceName options.listener = listener if sendMessage then options.message = "I saved the planet using Corona SDK" end if sendURL then options.url = { "http://www.coronalabs.com" } end if sendImage then options.image = { { filename = "Icon.png", baseDir = system.ResourceDirectory }, } end -- Show the popup native.showPopup( popupName, options ) else if isSimulator then native.showAlert( "Build for device", "This plugin is not supported on the Corona Simulator, please build for an iOS/Android device or the Xcode simulator", { "OK" } ) else -- Popup isn't available.. Show error message native.showAlert( "Cannot send " .. serviceName .. " message.", "Please setup your " .. serviceName .. " account or check your network connection (on android this means that the package/app (ie Twitter) is not installed on the device)", { "OK" } ) end end end local function onSwitchPress( event ) local switch = event.target print( "Switch with ID '"..switch.id.."' is on: "..tostring(switch.isOn) ) if switch.id == "message" then sendMessage = switch.isOn elseif switch.id == "url" then sendURL = switch.isOn elseif switch.id == "image" then sendImage = switch.isOn end end -- Create the checkbox for sending a message local messageCheckbox = widget.newSwitch { left = 50, top = 125, style = "checkbox", id = "message", onPress = onSwitchPress } local messageLabel = display.newText("Send message", messageCheckbox.x + 35, messageCheckbox.y, native.systemFont, 20) messageLabel:setFillColor(1) messageLabel.anchorX = 0 -- Create the checkbox for sending a URL local urlCheckbox = widget.newSwitch { left = 50, top = 175, style = "checkbox", id = "url", onPress = onSwitchPress } local urlLabel = display.newText("Send URL", urlCheckbox.x + 35, urlCheckbox.y, native.systemFont, 20) urlLabel:setFillColor(1) urlLabel.anchorX = 0 -- Create the checkbox for sending an image local imageCheckbox = widget.newSwitch { left = 50, top = 225, style = "checkbox", id = "image", onPress = onSwitchPress } local imageLabel = display.newText("Send Image", imageCheckbox.x + 35, imageCheckbox.y, native.systemFont, 20) imageLabel:setFillColor(1) imageLabel.anchorX = 0 -- Use the share intent on Android to get any platform we could want if "Android" == system.getInfo( "platformName" ) then -- Create a background to go behind our widget buttons local buttonBackground = display.newRect( display.contentCenterX, display.contentHeight - 25, 220, 50 ) buttonBackground:setFillColor( 0 ) -- Create a share button local shareButton = widget.newButton { id = "share", left = 0, top = 430, width = 240, label = "Show Share Popup", onRelease = onShareButtonReleased, } shareButton.x = display.contentCenterX else -- We're on iOS and need a button for each social service we want to support -- Create a background to go behind our widget buttons local buttonBackground = display.newRect( display.contentCenterX, 380, 220, 200 ) buttonBackground:setFillColor( 0 ) -- Create a facebook button local facebookButton = widget.newButton { id = "facebook", left = 0, top = 280, width = 240, label = "Share On Facebook", onRelease = onShareButtonReleased, } facebookButton.x = display.contentCenterX -- Create a twitter button local twitterButton = widget.newButton { id = "twitter", left = 0, top = facebookButton.y + facebookButton.contentHeight * 0.5, width = 240, label = "Share On Twitter", onRelease = onShareButtonReleased, } twitterButton.x = display.contentCenterX -- Create a sinaWeibo button local sinaWeiboButton = widget.newButton { id = "sinaWeibo", left = 0, top = twitterButton.y + twitterButton.contentHeight * 0.5, width = 240, label = "Share On SinaWeibo", onRelease = onShareButtonReleased, } sinaWeiboButton.x = display.contentCenterX -- Create a tencentWeibo button local tencentWeiboButton = widget.newButton { id = "tencentWeibo", left = 0, top = sinaWeiboButton.y + sinaWeiboButton.contentHeight * 0.5, width = 240, label = "Share On TencentWeibo", onRelease = onShareButtonReleased, } tencentWeiboButton.x = display.contentCenterX end
Menu = {} function Menu:SetData(key, value) SendNUIMessage({ setter = { key = key, value = value } }) end function Menu:Commit(type, payload, options) SendNUIMessage({ commit = { type = type, payload = payload, options = options } }) end function Menu:Focus(value) self.hasFocus = value SetNuiFocus(value, value) SetNuiFocusKeepInput(false) self:SetData("isEnabled", value) end function Menu:CanOpen() return not IsPauseMenuActive() end function Menu:Update() DisableControlAction(0, 199) DisableControlAction(0, 200) if not self:CanOpen() or IsDisabledControlJustPressed(0, 200) then -- Close menu. Menu:Focus(false) -- Disable pause/escape. Citizen.CreateThread(function() for i = 1, 30 do DisableControlAction(0, 200) Citizen.Wait(0) end end) end end --[[ NUI Callbacks ]]-- RegisterNUICallback("init", function(data, cb) cb(true) Menu.hasLoaded = true end)
local oldProcessMove = Onos.OnProcessMove function Onos:OnProcessMove(input) oldProcessMove(self, input) if self:GetIsBoneShieldActive() then -- we already know our active weapon is boneshield at this point local boneshield = self:GetActiveWeapon() local speedScalar = self:GetVelocity():GetLength() / self:GetMaxSpeed() local movementPenalty = speedScalar * kBoneShieldMoveFuelMaxReduction local newFuel = boneshield:GetFuel() - movementPenalty boneshield:SetFuel(math.max(0, newFuel)) end end
----------------------------------- -- Area: Cloister of Gales -- Mob: Ogmios -- Involved in Quest: Carbuncle Debacle ----------------------------------- require("scripts/globals/settings") require("scripts/globals/keyitems") ----------------------------------- function onMobDeath(mob, player, isKiller) player:setCharVar("BCNM_Killed", 1) record = 300 partyMembers = 6 pZone = player:getZoneID() player:startEvent(32001, 0, record, 0, (os.time() - player:getCharVar("BCNM_Timer")), partyMembers, 0, 0) end function onEventUpdate(player, csid, option) -- printf("onUpdate CSID: %u", csid) -- printf("onUpdate RESULT: %u", option) if (csid == 32001) then player:delStatusEffect(tpz.effect.BATTLEFIELD) end end function onEventFinish(player, csid, option) -- printf("onFinish CSID: %u", csid) -- printf("onFinish RESULT: %u", option) if (csid == 32001) then player:delKeyItem(tpz.ki.DAZEBREAKER_CHARM) end end
local scheme = {} scheme.guile = { command = {"guile"}, } scheme.csi = { command = {"csi"}, } return scheme
-- Created by Elfansoer --[[ Ability checklist (erase if done/checked): - Scepter Upgrade - Break behavior - Linken/Reflect behavior - Spell Immune/Invulnerable/Invisible behavior - Illusion behavior - Stolen behavior ]] -------------------------------------------------------------------------------- storm_spirit_electric_vortex_lua = class({}) LinkLuaModifier( "modifier_storm_spirit_electric_vortex_lua", "lua_abilities/storm_spirit_electric_vortex_lua/modifier_storm_spirit_electric_vortex_lua", LUA_MODIFIER_MOTION_HORIZONTAL ) -------------------------------------------------------------------------------- -- Init Abilities function storm_spirit_electric_vortex_lua:Precache( context ) PrecacheResource( "soundfile", "soundevents/game_sounds_heroes/game_sounds_stormspirit.vsndevts", context ) PrecacheResource( "particle", "particles/units/heroes/hero_stormspirit/stormspirit_electric_vortex.vpcf", context ) end -------------------------------------------------------------------------------- -- Custom KV function storm_spirit_electric_vortex_lua:GetBehavior() if self:GetCaster():HasScepter() then return DOTA_ABILITY_BEHAVIOR_NO_TARGET end return self.BaseClass.GetBehavior( self ) end -- AOE Radius function storm_spirit_electric_vortex_lua:GetCastRange( location, target ) if self:GetCaster():HasScepter() then return self:GetSpecialValueFor( "radius_scepter" ) end return self.BaseClass.GetCastRange( self, location, target ) end -------------------------------------------------------------------------------- -- Ability Start function storm_spirit_electric_vortex_lua:OnSpellStart() -- unit identifier local caster = self:GetCaster() local target = self:GetCursorTarget() -- load data local duration = self:GetDuration() local radius = self:GetSpecialValueFor( "radius_scepter" ) -- find targets local targets = {} if caster:HasScepter() then targets = FindUnitsInRadius( caster:GetTeamNumber(), -- int, your team number caster:GetOrigin(), -- point, center point nil, -- handle, cacheUnit. (not known) radius, -- float, radius. or use FIND_UNITS_EVERYWHERE self:GetAbilityTargetTeam(), -- int, team filter self:GetAbilityTargetType(), -- int, type filter DOTA_UNIT_TARGET_FLAG_FOW_VISIBLE, -- int, flag filter 0, -- int, order filter false -- bool, can grow cache ) else table.insert( targets, target ) end for _,enemy in pairs(targets) do -- apply modifier enemy:AddNewModifier( caster, -- player source self, -- ability source "modifier_storm_spirit_electric_vortex_lua", -- modifier name { duration = duration, x = caster:GetOrigin().x, y = caster:GetOrigin().y, } -- kv ) end -- play effects local sound_cast = "Hero_StormSpirit.ElectricVortexCast" EmitSoundOn( sound_cast, caster ) end
bgm = { credit_roll = { gm3 = love.audio.newSource("res/bgm/tgm_credit_roll.mp3", "stream"), }, pacer_test = love.audio.newSource("res/bgm/pacer_test.mp3", "stream"), } local current_bgm = nil local bgm_locked = false function switchBGM(sound, subsound) if current_bgm ~= nil then current_bgm:stop() end if bgm_locked or config.bgm_volume <= 0 then current_bgm = nil elseif sound ~= nil then if subsound ~= nil then current_bgm = bgm[sound][subsound] else current_bgm = bgm[sound] end else current_bgm = nil end if current_bgm ~= nil then resetBGMFadeout() end end function switchBGMLoop(sound, subsound) switchBGM(sound, subsound) if current_bgm then current_bgm:setLooping(true) end end function lockBGM() bgm_locked = true end function unlockBGM() bgm_locked = false end local fading_bgm = false local fadeout_time = 0 local total_fadeout_time = 0 function fadeoutBGM(time) if fading_bgm == false then fading_bgm = true fadeout_time = time total_fadeout_time = time end end function resetBGMFadeout(time) current_bgm:setVolume(config.bgm_volume) fading_bgm = false current_bgm:play() end function processBGMFadeout(dt) if current_bgm and fading_bgm then fadeout_time = fadeout_time - dt if fadeout_time < 0 then fadeout_time = 0 fading_bgm = false end current_bgm:setVolume(fadeout_time * config.bgm_volume / total_fadeout_time) end end function pauseBGM() if current_bgm ~= nil then current_bgm:pause() end end function resumeBGM() if current_bgm ~= nil then current_bgm:play() end end
-- Urho2D tile map example. -- This sample demonstrates: -- - Creating an isometric 2D scene with tile map -- - Displaying the scene using the Renderer subsystem -- - Handling keyboard to move a character and zoom 2D camera -- - Generating physics shapes from the tmx file's objects -- - Displaying debug geometry for physics and tile map -- Note that this sample uses some functions from Sample2D utility class. require "LuaScripts/Utilities/Sample" require "LuaScripts/Utilities/2D/Sample2D" function Start() -- Set filename for load/save functions demoFilename = "Isometric2D" -- Execute the common startup for samples SampleStart() -- Create the scene content CreateScene() -- Create the UI content CreateUIContent("ISOMETRIC 2.5D DEMO") -- Hook up to the frame update events SubscribeToEvents() end function CreateScene() scene_ = Scene() -- Create the Octree, DebugRenderer and PhysicsWorld2D components to the scene scene_:CreateComponent("Octree") scene_:CreateComponent("DebugRenderer") local physicsWorld = scene_:CreateComponent("PhysicsWorld2D") physicsWorld.gravity = Vector2.ZERO -- Neutralize gravity as the character will always be grounded -- Create camera cameraNode = Node() local camera = cameraNode:CreateComponent("Camera") camera.orthographic = true camera.orthoSize = graphics.height * PIXEL_SIZE zoom = 2 * Min(graphics.width / 1280, graphics.height / 800) -- Set zoom according to user's resolution to ensure full visibility (initial zoom (2) is set for full visibility at 1280x800 resolution) camera.zoom = zoom -- Setup the viewport for displaying the scene renderer:SetViewport(0, Viewport:new(scene_, camera)) renderer.defaultZone.fogColor = Color(0.2, 0.2, 0.2) -- Set background color for the scene -- Create tile map from tmx file local tmxFile = cache:GetResource("TmxFile2D", "Urho2D/Tilesets/atrium.tmx") local tileMapNode = scene_:CreateChild("TileMap") local tileMap = tileMapNode:CreateComponent("TileMap2D") tileMap.tmxFile = tmxFile local info = tileMap.info -- Create Spriter Imp character (from sample 33_SpriterAnimation) CreateCharacter(info, true, 0, Vector3(-5, 11, 0), 0.15) -- Generate physics collision shapes from the tmx file's objects located in "Physics" (top) layer local tileMapLayer = tileMap:GetLayer(tileMap.numLayers - 1) CreateCollisionShapesFromTMXObjects(tileMapNode, tileMapLayer, info) -- Instantiate enemies and moving platforms at each placeholder of "MovingEntities" layer (placeholders are Poly Line objects defining a path from points) PopulateMovingEntities(tileMap:GetLayer(tileMap.numLayers - 2)) -- Instantiate coins to pick at each placeholder of "Coins" layer (placeholders for coins are Rectangle objects) PopulateCoins(tileMap:GetLayer(tileMap.numLayers - 3)) -- Check when scene is rendered SubscribeToEvent("EndRendering", HandleSceneRendered) end function HandleSceneRendered() UnsubscribeFromEvent("EndRendering") SaveScene(true) -- Save the scene so we can reload it later scene_.updateEnabled = false -- Pause the scene as long as the UI is hiding it end function SubscribeToEvents() -- Subscribe HandleUpdate() function for processing update events SubscribeToEvent("Update", "HandleUpdate") -- Subscribe HandlePostUpdate() function for processing post update events SubscribeToEvent("PostUpdate", "HandlePostUpdate") -- Subscribe to PostRenderUpdate to draw physics shapes SubscribeToEvent("PostRenderUpdate", "HandlePostRenderUpdate") -- Unsubscribe the SceneUpdate event from base class to prevent camera pitch and yaw in 2D sample UnsubscribeFromEvent("SceneUpdate") end function HandleUpdate(eventType, eventData) -- Zoom in/out Zoom(cameraNode:GetComponent("Camera")) -- Toggle debug geometry with spacebar if input:GetKeyPress(KEY_Z) then drawDebug = not drawDebug end -- Check for loading / saving the scene if input:GetKeyPress(KEY_F5) then SaveScene() end if input:GetKeyPress(KEY_F7) then ReloadScene(false) end end function HandlePostUpdate(eventType, eventData) if character2DNode == nil or cameraNode == nil then return end cameraNode.position = Vector3(character2DNode.position.x, character2DNode.position.y, -10) -- Camera tracks character end function HandlePostRenderUpdate(eventType, eventData) if drawDebug then scene_:GetComponent("PhysicsWorld2D"):DrawDebugGeometry(true) end end -- Character2D script object class Character2D = ScriptObject() function Character2D:Start() self.wounded = false self.killed = false self.timer = 0 self.maxCoins = 0 self.remainingCoins = 0 self.remainingLifes = 3 end function Character2D:Update(timeStep) local node = self.node local animatedSprite = node:GetComponent("AnimatedSprite2D") -- Set direction local moveDir = Vector3.ZERO -- Reset local speedX = Clamp(MOVE_SPEED_X / zoom, 0.4, 1) local speedY = speedX if input:GetKeyDown(KEY_LEFT) or input:GetKeyDown(KEY_A) then moveDir = moveDir + Vector3.LEFT * speedX animatedSprite.flipX = false -- Flip sprite (reset to default play on the X axis) end if input:GetKeyDown(KEY_RIGHT) or input:GetKeyDown(KEY_D) then moveDir = moveDir + Vector3.RIGHT * speedX animatedSprite.flipX = true -- Flip sprite (flip animation on the X axis) end if not moveDir:Equals(Vector3.ZERO) then speedY = speedX * MOVE_SPEED_SCALE end if input:GetKeyDown(KEY_UP) or input:GetKeyDown(KEY_W) then moveDir = moveDir + Vector3.UP * speedY end if input:GetKeyDown(KEY_DOWN) or input:GetKeyDown(KEY_S) then moveDir = moveDir + Vector3.DOWN * speedY end -- Move if not moveDir:Equals(Vector3.ZERO) then node:Translate(moveDir * timeStep) end -- Animate if input:GetKeyDown(KEY_SPACE) then if animatedSprite.animation ~= "attack" then animatedSprite:SetAnimation("attack", LM_FORCE_LOOPED) end elseif not moveDir:Equals(Vector3.ZERO) then if animatedSprite.animation ~= "run" then animatedSprite:SetAnimation("run") end elseif animatedSprite.animation ~= "idle" then animatedSprite:SetAnimation("idle") end end
imenilac1 = math.random(6) + 1; imenilac2 = imenilac1 + math.random(4); brojilac = math.random(imenilac1);
-- Drive from any seat by Devieth -- Script for SAPP drive_as_gunner = true -- Lets the gunner drive the hog (if there is no driver) drive_as_passenger = false -- Lets the passender drive the hog (if there is no driver) set_passenger_in_driver_seat = false-- Sets the passenger in the driver seat (if there is no driver) set_passenger_in_gunner_seat = false -- Sets the passenger in gunner seat (if there is a driver) api_version = "1.10.0.0" function OnScriptLoad() register_callback(cb['EVENT_VEHICLE_ENTER'], "OnVehicleEnter") end function OnScriptUnload()end function OnVehicleEnter(PlayerIndex, Seat) local m_object = get_dynamic_player(PlayerIndex) if m_object ~= 0 then local m_vehicleId = read_dword(m_object + 0x11C) if m_vehicleId ~= 0 then local m_vehicle = get_object_memory(m_vehicleId) if m_vehicle ~= 0 then local driver = read_dword(m_vehicle + 0x324) local gunner = read_dword(m_vehicle + 0x328) if Seat == "2" then if drive_as_gunner then if driver == 0xFFFFFFFF then enter_vehicle(m_vehicleId, PlayerIndex, 0) exit_vehicle(PlayerIndex) enter_vehicle(m_vehicleId, PlayerIndex, 0) enter_vehicle(m_vehicleId, PlayerIndex, 2) end end elseif Seat == "1" then if set_passenger_in_driver_seat or set_passenger_in_gunner_seat then if driver == 0xFFFFFFFF then enter_vehicle(m_vehicleId, PlayerIndex, 0) else if gunner == 0xFFFFFFFF then enter_vehicle(m_vehicleId, PlayerIndex, 2) end end elseif drive_as_passenger and not set_passenger_in_driver_seat then if driver == 0xFFFFFFFF then enter_vehicle(m_vehicleId, PlayerIndex, 0) exit_vehicle(PlayerIndex) enter_vehicle(m_vehicleId, PlayerIndex, 0) enter_vehicle(m_vehicleId, PlayerIndex, 1) end end elseif Seat == "0" then if driver ~= 0xFFFFFFFF then exit_vehicle(PlayerIndex) else say(PlayerIndex, "There is already a driver.") end end end end end end
function love.conf(t) t.author = "James Johnston" t.identity = "Pokem0n" t.console = true --t.screen = false t.modules.physics = false --t.version = "0.10.1" end
-------------------------------------------------------------------------------- -- "IPAV" autodrive commands receiver -------------------------------------------------------------------------------- -- Copyright (C) 2013-2018 Metrostroi Team & FoxWorks Aerospace s.r.o. -- Contains proprietary code. See license.txt for additional information. -------------------------------------------------------------------------------- Metrostroi.DefineSystem("IPAV") TRAIN_SYSTEM.DontAccelerateSimulation = true function TRAIN_SYSTEM:Initialize() self.Count = 0 end function TRAIN_SYSTEM:Outputs() return {} end function TRAIN_SYSTEM:Inputs() return {} end function TRAIN_SYSTEM:TriggerInput(name,value) if name == "Enable" then self.Enabled = value end end function TRAIN_SYSTEM:SetCommand(name,command) local Train = self.Train local IPAVConfig = Train.SubwayTrain.IPAV for _,sys_name in ipairs(IPAVConfig.Systems) do if command then Train[sys_name]:TriggerInput(name,command) else Train[sys_name]:TriggerInput(name,0) end end end function TRAIN_SYSTEM:Think(dT) local Train = self.Train local IPAVConfig = Train.SubwayTrain.IPAV if not IPAVConfig then return end local LeftCoil,RightCoil = Train.LeftAutoCoil,Train.RightAutoCoil if not IsValid(LeftCoil) or not IsValid(RightCoil) then return end local ProgrammX = false local ProgramDoorLeft = IgnoreDoors local ProgramDoorRight = IgnoreDoors local ProgrammBrake = false self.LastBrakeProgramTimer = self.LastBrakeProgramTimer or CurTime() self.LastBrakeProgram = self.LastBrakeProgram or false local haveCommand = 0 for k,v in ipairs(LeftCoil.Commands) do local command = v.PlateType ProgramDoorLeft = ProgramDoorLeft or command == METROSTROI_ACOIL_DOOR ProgrammX = ProgrammX or command == METROSTROI_ACOIL_DRIVE and v.Power and v.Mode ProgrammBrake = ProgrammBrake or command == METROSTROI_ACOIL_SBRAKE and LeftCoil haveCommand = haveCommand + 1 end for k,v in ipairs(RightCoil.Commands) do local command = v.PlateType ProgramDoorRight = ProgramDoorRight or command == METROSTROI_ACOIL_DOOR ProgrammX = ProgrammX or command == METROSTROI_ACOIL_DRIVE and v.Power and v.Mode ProgrammBrake = ProgrammBrake or command == METROSTROI_ACOIL_SBRAKE and RightCoil haveCommand = haveCommand + 1 end if self.ProgramDoorLeft ~= ProgramDoorLeft then self:SetCommand("CommandDoorsLeft",ProgramDoorLeft and 1) self.ProgramDoorLeft = ProgramDoorLeft end if self.ProgramDoorRight ~= ProgramDoorRight then self:SetCommand("CommandDoorsRight",ProgramDoorRight and 1) self.ProgramDoorRight = ProgramDoorRight end if self.ProgrammX ~= ProgrammX then local type = 0 if ProgrammX == 2 or ProgrammX == 4 then self:SetCommand("CommandDrive",3) --X3 elseif ProgrammX == 1 or ProgrammX == 3 then self:SetCommand("CommandDrive",2) --X2 elseif ProgrammX == 7 then self:SetCommand("CommandBrake",ProgrammBrake and 1 or 0) elseif ProgrammX then self:SetCommand("CommandDrive",-1) else self:SetCommand("CommandDrive",0) end self.ProgrammX = ProgrammX end if ProgrammBrake and not ProgrammBrake.BrakeCommandFounded then ProgrammBrake = nil end if self.ProgrammBrake ~= ProgrammBrake then self:SetCommand("CommandBrake",ProgrammBrake and 1 or 0) self.ProgrammBrake = ProgrammBrake end if ProgrammBrake then local passed = ProgrammBrake.BrakeProgrammPassed local passednow = CurTime()-ProgrammBrake.LastBrakeProgrammPassed --print("IPAV",passed,passednow) if passed ~= self.Passed then self.Count = self.Count + 1 self:SetCommand("CommandBrakeElapsed",passed) self:SetCommand("CommandBrakeCount",self.Count) self.Passed = passed end else self.Count = 0 if self.Passed then self:SetCommand("CommandBrakeElapsed",-1) self:SetCommand("CommandBrakeCount",0) self.Passed = nil end end end
CATEGORY_NAME = "Fun Round" function ulx.kniferound( calling_ply, target_plys ) for i=1, #target_plys do for _, v in ipairs( target_plys ) do v:SpawnForRound(true) v:Stripweapons() v:give(weapon_ttt_knife) end ulx.fancyLogAdmin( calling_ply, true, "#A Started a special knife round!", targs ) end ply:ChatPrint( "Rules: Anything goes, knife someone and take their knife. Use that knife. Profit!" ) end local kniferound = ulx.command( CATEGORY_NAME, "ulx kniferound", ulx.kniferound, "!kniferound" ) kniferound:addParam{ type=ULib.cmds.PlayersArg } kniferound:defaultAccess( ULib.ACCESS_ADMIN ) kniferound:help( "Initiates a special knife round for the next round." )
-- basic program to be an example to eload.lua -- -- `fileenc encrypt 123456 prog.lua prog.elua` -- for i = 1, 100 do print("Hello ", i) end
Dntgtest_Special = { FishKing = { { Probability = 30, VisualScale = 1, VisualAttach = 600, CatchProbability = 10, BoundingBox = 600, LockLevel = 3, MaxScore = 200, TypeID = 1 }, { Probability = 30, VisualScale = 1, VisualAttach = 600, CatchProbability = 10, BoundingBox = 600, LockLevel = 3, MaxScore = 200, TypeID = 2 }, { Probability = 30, VisualScale = 1, VisualAttach = 600, CatchProbability = 10, BoundingBox = 600, LockLevel = 3, MaxScore = 200, TypeID = 3 }, { Probability = 30, VisualScale = 1, VisualAttach = 600, CatchProbability = 10, BoundingBox = 600, LockLevel = 3, MaxScore = 200, TypeID = 4 }, { Probability = 30, VisualScale = 1, VisualAttach = 600, CatchProbability = 10, BoundingBox = 600, LockLevel = 3, MaxScore = 200, TypeID = 5 }, { Probability = 30, VisualScale = 1, VisualAttach = 600, CatchProbability = 10, BoundingBox = 600, LockLevel = 3, MaxScore = 200, TypeID = 6 }, { Probability = 30, VisualScale = 1, VisualAttach = 600, CatchProbability = 10, BoundingBox = 600, LockLevel = 3, MaxScore = 200, TypeID = 7 }, { Probability = 30, VisualScale = 1, VisualAttach = 600, CatchProbability = 10, BoundingBox = 600, LockLevel = 3, MaxScore = 200, TypeID = 8 }, { Probability = 30, VisualScale = 1, VisualAttach = 600, CatchProbability = 10, BoundingBox = 600, LockLevel = 3, MaxScore = 200, TypeID = 9 }, { Probability = 30, VisualScale = 1, VisualAttach = 600, CatchProbability = 10, BoundingBox = 600, LockLevel = 3, MaxScore = 200, TypeID = 10 } }, FishSiXi = { { Probability = 50, VisualScale = 1, VisualAttach = 1000, CatchProbability = 100, BoundingBox = 1000, LockLevel = 3, MaxScore = 200, TypeID = 1 }, { Probability = 50, VisualScale = 1, VisualAttach = 1000, CatchProbability = 100, BoundingBox = 1000, LockLevel = 3, MaxScore = 200, TypeID = 2 }, { Probability = 50, VisualScale = 1, VisualAttach = 1000, CatchProbability = 100, BoundingBox = 1000, LockLevel = 3, MaxScore = 200, TypeID = 3 }, { Probability = 50, VisualScale = 1, VisualAttach = 1000, CatchProbability = 100, BoundingBox = 1000, LockLevel = 3, MaxScore = 200, TypeID = 4 }, { Probability = 50, VisualScale = 1, VisualAttach = 1000, CatchProbability = 100, BoundingBox = 1000, LockLevel = 3, MaxScore = 200, TypeID = 5 }, { Probability = 50, VisualScale = 1, VisualAttach = 1000, CatchProbability = 100, BoundingBox = 1000, LockLevel = 3, MaxScore = 200, TypeID = 6 }, { Probability = 50, VisualScale = 1, VisualAttach = 1000, CatchProbability = 100, BoundingBox = 1000, LockLevel = 3, MaxScore = 200, TypeID = 7 }, { Probability = 50, VisualScale = 1, VisualAttach = 1000, CatchProbability = 100, BoundingBox = 1000, LockLevel = 3, MaxScore = 200, TypeID = 8 }, { Probability = 50, VisualScale = 1, VisualAttach = 1000, CatchProbability = 100, BoundingBox = 1000, LockLevel = 3, MaxScore = 200, TypeID = 9 }, { Probability = 50, VisualScale = 1, VisualAttach = 1000, CatchProbability = 100, BoundingBox = 1000, LockLevel = 3, MaxScore = 200, TypeID = 10 } }, null = {}, FishSanYuan = { { Probability = 20, VisualScale = 1, VisualAttach = 900, CatchProbability = 100, BoundingBox = 900, LockLevel = 3, MaxScore = 200, TypeID = 1 }, { Probability = 20, VisualScale = 1, VisualAttach = 900, CatchProbability = 100, BoundingBox = 900, LockLevel = 3, MaxScore = 200, TypeID = 2 }, { Probability = 20, VisualScale = 1, VisualAttach = 900, CatchProbability = 100, BoundingBox = 900, LockLevel = 3, MaxScore = 200, TypeID = 3 }, { Probability = 20, VisualScale = 1, VisualAttach = 900, CatchProbability = 100, BoundingBox = 900, LockLevel = 3, MaxScore = 200, TypeID = 4 }, { Probability = 20, VisualScale = 1, VisualAttach = 900, CatchProbability = 100, BoundingBox = 900, LockLevel = 3, MaxScore = 200, TypeID = 5 }, { Probability = 20, VisualScale = 1, VisualAttach = 900, CatchProbability = 100, BoundingBox = 900, LockLevel = 3, MaxScore = 200, TypeID = 6 }, { Probability = 20, VisualScale = 1, VisualAttach = 900, CatchProbability = 100, BoundingBox = 900, LockLevel = 3, MaxScore = 200, TypeID = 7 }, { Probability = 20, VisualScale = 1, VisualAttach = 900, CatchProbability = 100, BoundingBox = 900, LockLevel = 3, MaxScore = 200, TypeID = 8 }, { Probability = 20, VisualScale = 1, VisualAttach = 900, CatchProbability = 100, BoundingBox = 900, LockLevel = 3, MaxScore = 200, TypeID = 9 }, { Probability = 20, VisualScale = 1, VisualAttach = 900, CatchProbability = 100, BoundingBox = 900, LockLevel = 3, MaxScore = 200, TypeID = 10 } } } return
-- -- Public domain -- local socket = require("socket") local ssl = require("ssl") local function readfile(filename) local fd = assert(io.open(filename)) local dh = fd:read("*a") fd:close() return dh end local function dhparam_cb(export, keylength) print("---") print("DH Callback") print("Export", export) print("Key length", keylength) print("---") local filename if keylength == 512 then filename = "dh-512.pem" elseif keylength == 1024 then filename = "dh-1024.pem" else -- No key return nil end return readfile(filename) end local params = { mode = "server", protocol = "any", key = "../certs/serverAkey.pem", certificate = "../certs/serverA.pem", cafile = "../certs/rootA.pem", verify = {"peer", "fail_if_no_peer_cert"}, options = "all", dhparam = dhparam_cb, ciphers = "EDH+AESGCM" } -- [[ SSL context local ctx = assert(ssl.newcontext(params)) --]] local server = socket.tcp() server:setoption('reuseaddr', true) assert( server:bind("127.0.0.1", 8888) ) server:listen() local peer = server:accept() -- [[ SSL wrapper peer = assert( ssl.wrap(peer, ctx) ) assert( peer:dohandshake() ) --]] peer:send("oneshot test\n") peer:close()
return {'cito','citaat','citaatrecht','citadel','citatenboek','citatie','citeerdrift','citeertitel','citer','citeren','citerne','cito','citroen','citroenappel','citroenboom','citroengeel','citroengeranium','citroengras','citroenhout','citroenijs','citroenjenever','citroenkruid','citroenlimonade','citroenmelisse','citroenolie','citroenpers','citroenrasp','citroensap','citroenschil','citroensmaak','citroentaart','citroenthee','citroentje','citroenzuur','citronella','citronellaolie','citrus','citruscultuur','citrusfruit','citruspers','citruspulp','citrusvrucht','citrusvruchten','city','citybag','citybike','cityhopper','citytrip','cityvorming','cite','citroensaus','citohulp','citeerwijze','citroenblad','citroengeur','citroenvlinder','citroenwater','citroenzuurcyclus','citrusgeur','citrusolie','citaatje','citadellen','citadels','citaten','citaties','citeer','citeerde','citeerden','citeert','citernes','citers','citroenbomen','citroenen','citroengele','citroenknijpers','citroenpersen','citroenschillen','citroentjes','citrusbomen','citys','citytrips','cites','citerend','citerende','citertje','citruspersen','cityhoppers','citybikes','citatenboeken','citroengeraniums','citybags','citaatjes','citroenbladeren','citroenschilletje','citroenschilletjes','citroenvlinders','citrusgeuren','citroenblaadjes','citroenboompjes'}
--- Adds a 25% (multiplicative) chance to fail when searching areas via -- the automatic scan from a move. -- @classmod MoveSearchAddChanceToFailListener -- region imports local class = require('classes/class') local prototype = require('prototypes/prototype') require('prototypes/listener') local adventurers = require('functional/game_context/adventurers') -- endregion local MoveSearchAddChanceToFailListener = {} function MoveSearchAddChanceToFailListener:get_events() return { LocalFailEvent = true } end function MoveSearchAddChanceToFailListener:is_prelistener() return true end function MoveSearchAddChanceToFailListener:is_postlistener() return false end function MoveSearchAddChanceToFailListener:compare(other, pre) return 0 end function MoveSearchAddChanceToFailListener:process(game_ctx, local_ctx, networking, event) if event.identifier ~= 'LocalDetectorEvent' then return end if not event.source.event_tags.MoveListener then return end event:add_fail_chance('multiplicative', 0.25, 'MoveSearchAddChanceToFailListener') end prototype.support(MoveSearchAddChanceToFailListener, 'listener') return class.create('MoveSearchAddChanceToFailListener', MoveSearchAddChanceToFailListener)
file_magic = { { type = 'XLW', id = 1, category = 'Office Documents', msg = 'Excel spreadsheet subheader (MS Office)', rev = 1, group = 'office', magic = { { content = '| 09 08 10 00 00 06 05 00 |', offset = 512, }, }, }, { type = 'POSIX_TAR', id = 2, category = 'Archive', msg = 'POSIX Tape Archive file', rev = 1, magic = { { content = '| 75 73 74 61 72 00 20 20 |', offset = 257, }, }, }, { type = 'OLD_TAR', id = 3, category = 'Archive', msg = 'Pre-POSIX Tape Archive file', rev = 1, magic = { { content = '| 75 73 74 61 72 20 |', offset = 257, }, }, }, { type = 'MOV', id = 4, category = 'Multimedia', msg = 'QuickTime movie file', rev = 1, group = 'video', magic = { { content = '| 66 72 65 65 |', offset = 4, }, }, }, { type = 'MOV', id = 5, category = 'Multimedia', msg = 'QuickTime movie file', rev = 1, group = 'video', magic = { { content = '| 6D 6F 6F 76 |', offset = 4, }, }, }, { type = 'MOV', id = 6, category = 'Multimedia', msg = 'QuickTime movie file', rev = 1, group = 'video', magic = { { content = '| 6D 64 61 74 |', offset = 4, }, }, }, { type = 'MOV', id = 7, category = 'Multimedia', msg = 'QuickTime movie file', rev = 1, group = 'video', magic = { { content = '| 70 6E 6F 74 |', offset = 4, }, }, }, { type = 'MOV', id = 8, category = 'Multimedia', msg = 'QuickTime movie file', rev = 1, group = 'video', magic = { { content = '| 66 74 79 70 |', offset = 4, }, }, }, { type = 'LHA', id = 9, category = 'Archive', msg = 'File compressed with lha utility/algorithm (lha, lzh)', rev = 1, magic = { { content = '| 2D 6C 68 |', offset = 2, }, }, }, { type = 'ISO', id = 10, category = 'System files', msg = 'Disc Image file based on ISO-9660 standard (iso)c', rev = 1, magic = { { content = '| 43 44 30 30 31 |', offset = 32769, }, }, }, { type = 'ISO', id = 11, category = 'System files', msg = 'Disc Image file based on ISO-9660 standard (iso)c', rev = 1, magic = { { content = '| 43 44 30 30 31 |', offset = 34817, }, }, }, { type = 'ISO', id = 12, category = 'System files', msg = 'Disc Image file based on ISO-9660 standard (iso)c', rev = 1, magic = { { content = '| 43 44 30 30 31 |', offset = 36865, }, }, }, { type = 'S3M', id = 13, category = 'Multimedia', msg = 'S3M audio module format', rev = 1, group = 'audio', magic = { { content = '| 53 43 52 4d |', offset = 44, }, }, }, { type = 'FLIC', id = 14, category = 'Multimedia', msg = 'FLIC Animation file', rev = 2, magic = { { content = '|11 AF|', offset = 4, }, { content = '|40 01|', offset = 8, }, { content = '|c8 00|', offset = 10, }, { content = '|00 00|', offset = 20, }, { content = '|00 00 00 00 00 00 00 00|', offset = 42, }, }, }, { type = 'FLIC', id = 15, category = 'Multimedia', msg = 'FLIC Animation file', rev = 2, magic = { { content = '|12 AF|', offset = 4, }, { content = '|40 01|', offset = 8, }, { content = '|c8 00|', offset = 10, }, { content = '|00 00|', offset = 20, }, { content = '|00 00 00 00 00 00 00 00|', offset = 42, }, }, }, { type = 'MSEXE', id = 21, category = 'Executables,Dynamic Analysis Capable,Local Malware Analysis Capable', msg = 'Windows/DOS executable file ', rev = 1, magic = { { content = '| 4D 5A|', offset = 0, }, }, }, { type = 'PDF', id = 22, category = 'PDF files,Dynamic Analysis Capable,Local Malware Analysis Capable', msg = 'PDF file ', rev = 1, magic = { { content = '| 25 50 44 46|', offset = 0, }, }, }, { type = 'RTF', id = 23, category = 'Office Documents,Dynamic Analysis Capable', msg = 'Rich text format word processing file ', rev = 1, magic = { { content = '| 7B 5C 72 74 66 31|', offset = 0, }, }, }, { type = 'RIFF', id = 24, category = 'Multimedia', msg = 'Resource Interchange File Format', rev = 1, magic = { { content = '| 52 49 46 46|', offset = 0, }, }, }, { type = 'MSCHM', id = 25, category = 'Office Documents', msg = 'Microsoft Compiled HTML Help File', rev = 1, magic = { { content = '| 49 54 53 46|', offset = 0, }, }, }, { type = 'MSCAB', id = 26, category = 'Archive', msg = 'Microsoft Windows CAB', rev = 1, magic = { { content = '| 4D 53 43 46|', offset = 0, }, }, }, { type = 'MSOLE2', id = 27, category = 'Executables,Dynamic Analysis Capable,Local Malware Analysis Capable', msg = 'Microsoft Object Linking and Embedding Compound File, used for office documents as well as installers', rev = 1, magic = { { content = '| D0 CF 11 E0 A1 B1 1A E1|', offset = 0, }, }, }, { type = 'MSSZDD', id = 28, category = 'Archive', msg = 'SZDD file format', rev = 1, magic = { { content = '| 53 5A 44 44 88 F0 27 33 |', offset = 0, }, }, }, { type = 'ZIP', id = 29, category = 'Archive', msg = 'PKZIP archive file', rev = 1, magic = { { content = '| 50 4B 03 04 |', offset = 0, }, }, }, { type = 'RAR', id = 30, category = 'Archive', msg = 'WinRAR compressed archive file', rev = 1, magic = { { content = '| 52 61 72 21 1A 07 00 |', offset = 0, }, }, }, { type = '7Z', id = 31, category = 'Archive', msg = '7-Zip compressed file', rev = 1, magic = { { content = '| 37 7A BC AF 27 1C |', offset = 0, }, }, }, { type = 'BZ', id = 32, category = 'Archive', msg = 'bzip2 compressed archive', rev = 1, magic = { { content = '| 42 5A 68 |', offset = 0, }, }, }, { type = 'GZ', id = 33, category = 'Archive', msg = 'GZ', rev = 1, magic = { { content = '| 1F 8B 08 |', offset = 0, }, }, }, { type = 'ARJ', id = 34, category = 'Archive', msg = 'Compressed archive file', rev = 1, magic = { { content = '| 60 EA 00 00 |', offset = 0, }, }, }, { type = 'ISHIELD_MSI', id = 35, category = 'Executables', msg = 'Install Shield v5.x or 6.x compressed file', rev = 1, magic = { { content = '| 49 53 63 28 |', offset = 0, }, }, }, { type = 'BINHEX', id = 36, category = 'Executables', msg = 'Macintosh BinHex 4 Compressed Archive', rev = 1, magic = { { content = '| 28 54 68 69 73 20 66 69 6C 65 20 6D 75 73 74 20 62 65 20 63 6F 6E 76 65 72 74 65 64 20 77 69 74 68 20 42 69 6E 48 65 78 20 |', offset = 0, }, }, }, { type = 'MAIL', id = 37, category = 'Office Documents', msg = 'E-mail files for Netscape, Eudora, Outlook Express and QuickMail.', rev = 1, magic = { { content = '| 46 72 6F 6D 20 20 20 |', offset = 0, }, }, }, { type = 'MAIL', id = 38, category = 'Office Documents', msg = 'E-mail files for Netscape, Eudora, Outlook Express and QuickMail.', rev = 1, magic = { { content = '| 46 72 6F 6D 20 3F 3F 3F |', offset = 0, }, }, }, { type = 'MAIL', id = 39, category = 'Office Documents', msg = 'E-mail files for Netscape, Eudora, Outlook Express and QuickMail.', rev = 1, magic = { { content = '| 46 72 6F 6D 3A 20 |', offset = 0, }, }, }, { type = 'MAIL', id = 40, category = 'Office Documents', msg = 'E-mail files for Netscape, Eudora, Outlook Express and QuickMail.', rev = 1, magic = { { content = '| 52 65 74 75 72 6E 2D 50 61 74 68 3A 20 |', offset = 0, }, }, }, { type = 'MAIL', id = 41, category = 'Office Documents', msg = 'E-mail files for Netscape, Eudora, Outlook Express and QuickMail.', rev = 1, magic = { { content = '| 58 2D |', offset = 0, }, }, }, { type = 'TNEF', id = 42, category = 'Office Documents', msg = 'Transport Neutral Encapsulation Format, an E-mail attachment format', rev = 1, magic = { { content = '| 78 9F 3E 22 |', offset = 0, }, }, }, { type = 'BINARY_DATA', id = 43, category = 'Executables', msg = 'Universal Binary/Java Bytecode', rev = 1, magic = { { content = '| CA FE BA BE|', offset = 0, }, }, }, { type = 'UUENCODED', id = 44, category = 'Encoded', msg = 'UUencoded file', rev = 1, magic = { { content = '| 62 65 67 69 6E |', offset = 0, }, }, }, { type = 'SCRENC', id = 45, category = 'Encoded', msg = 'Script encoder file', rev = 1, magic = { { content = '| 23 40 7E 5E |', offset = 0, }, }, }, { type = 'ELF', id = 46, category = 'Executables', msg = 'Executable and Linking Format executable file (Linux/Unix)', rev = 1, magic = { { content = '| 7F 45 4C 46|', offset = 0, }, }, }, { type = 'MACHO', id = 47, category = 'Executables,Local Malware Analysis Capable', msg = 'Mach object file format ', rev = 1, magic = { { content = '| CE FA ED FE |', offset = 0, }, }, }, { type = 'MACHO', id = 48, category = 'Executables,Local Malware Analysis Capable', msg = 'Mach object file format ', rev = 1, magic = { { content = '| CF FA ED FE |', offset = 0, }, }, }, { type = 'MACHO', id = 49, category = 'Executables,Local Malware Analysis Capable', msg = 'Mach object file format ', rev = 1, magic = { { content = '| FE ED FA CE |', offset = 0, }, }, }, { type = 'MACHO', id = 50, category = 'Executables,Local Malware Analysis Capable', msg = 'Mach object file format ', rev = 1, magic = { { content = '| FE ED FA CF |', offset = 0, }, }, }, { type = 'SIS', id = 51, category = 'Archive', msg = 'Software Installation Script, an archive for Symbian OS', rev = 1, magic = { { content = '| 19 04 00 10 |', offset = 0, }, }, }, { type = 'SWF', id = 52, category = 'Multimedia', msg = 'Flash file ', rev = 1, magic = { { content = '| 43 57 53 |', offset = 0, }, }, }, { type = 'SWF', id = 53, category = 'Multimedia', msg = 'Flash file ', rev = 1, magic = { { content = '| 46 57 53 |', offset = 0, }, }, }, { type = 'SWF', id = 54, category = 'Multimedia', msg = 'Flash file ', rev = 1, magic = { { content = '| 58 46 49 52|', offset = 0, }, }, }, { type = 'CPIO_ODC', id = 55, category = 'Archive', msg = 'Archive created with the cpio utility- standard ASCII format', rev = 1, magic = { { content = '| 30 37 30 37 30 37 |', offset = 0, }, }, }, { type = 'CPIO_NEWC', id = 56, category = 'Archive', msg = 'Archive created with the cpio utility- new ASCII (aka SVR4) format', rev = 1, magic = { { content = '| 30 37 30 37 30 31 |', offset = 0, }, }, }, { type = 'CPIO_CRC', id = 57, category = 'Archive', msg = 'Archive created with the cpio utility- CRC format', rev = 1, magic = { { content = '| 30 37 30 37 30 32 |', offset = 0, }, }, }, { type = 'MPEG', id = 58, category = 'Multimedia', msg = 'MPEG video file', rev = 1, group = 'video', magic = { { content = '| 00 00 01 B3|', offset = 0, }, }, }, { type = 'MPEG', id = 59, category = 'Multimedia', msg = 'MPEG video file', rev = 1, group = 'video', magic = { { content = '| 00 00 01 BA|', offset = 0, }, }, }, { type = 'EPS', id = 60, category = 'PDF files', msg = 'Adobe encapsulated PostScript file', rev = 1, magic = { { content = '| 25 21 50 53 2D 41 64 6F 62 65 2D |', offset = 0, }, }, }, { type = 'RMF', id = 61, category = 'Multimedia', msg = 'RealNetworks RealMedia streaming media file', rev = 1, magic = { { content = '| 2E 52 4D 46 |', offset = 0, }, }, }, { type = 'GIF', id = 62, category = 'Graphics', msg = 'GIF', rev = 1, group = 'multimedia', magic = { { content = '| 47 49 46 38 37 61 |', offset = 0, }, }, }, { type = 'GIF', id = 63, category = 'Graphics', msg = 'GIF', rev = 1, group = 'multimedia', magic = { { content = '| 47 49 46 38 39 61 |', offset = 0, }, }, }, { type = 'MP3', id = 64, category = 'Multimedia', msg = 'MPEG-1 Audio Layer 3 (MP3) audio file', rev = 1, group = 'audio', magic = { { content = '| 49 44 33 |', offset = 0, }, }, }, { type = 'MP3', id = 65, category = 'Multimedia', msg = 'MPEG-1 Audio Layer 3 (MP3) audio file', rev = 1, group = 'audio', magic = { { content = '| FF FB |', offset = 0, }, }, }, { type = 'OGG', id = 66, category = 'Multimedia', msg = 'Ogg Vorbis Codec compressed Multimedia file', rev = 1, group = 'audio', magic = { { content = '| 4F 67 67 53 |', offset = 0, }, }, }, { type = 'RIFX', id = 67, category = 'Multimedia', msg = 'RIFX audio format', rev = 1, group = 'audio', magic = { { content = '| 52 49 46 58 |', offset = 0, }, }, }, { type = 'SYMANTEC', id = 68, category = 'System files', msg = 'Symantec files', rev = 1, magic = { { content = '| 58 2D 53 79 6D 61 6E 74 65 63 2D |', offset = 0, }, }, }, { type = 'PNG', id = 69, category = 'Graphics', msg = 'Portable Network Graphics file', rev = 1, group = 'multimedia', magic = { { content = '| 89 50 4E 47 0D 0A 1A 0A |', offset = 0, }, }, }, { type = 'JPEG', id = 70, category = 'Graphics', msg = 'JPEG/JFIF graphics file', rev = 1, group = 'multimedia', magic = { { content = '| FF D8 FF E0 |', offset = 0, }, }, }, { type = 'JARPACK', id = 72, category = 'Executables', msg = 'Jar pack file', rev = 1, magic = { { content = '| CA FE D0 0D |', offset = 0, }, }, }, { type = 'JAR', id = 73, category = 'Archive', msg = 'Java archive file', rev = 3, magic = { { content = '| 50 4B 03 04 |', offset = 0, }, { content = '| 4D 45 54 41 2D 49 4E 46 2F |', offset = 30, }, }, }, { type = 'FLV', id = 74, category = 'Multimedia', msg = 'Flash video file', rev = 1, group = 'video', magic = { { content = '| 46 4C 56 01 |', offset = 0, }, }, }, { type = 'WAV', id = 76, category = 'Multimedia', msg = 'Waveform Audio File Format', rev = 1, group = 'audio', magic = { { content = '| 62 65 61 74 |', offset = 0, }, }, }, { type = 'WAV', id = 77, category = 'Multimedia', msg = 'Waveform Audio File Format', rev = 1, group = 'audio', magic = { { content = '| 4D 58 43 33 |', offset = 0, }, }, }, { type = 'FFMPEG', id = 78, category = 'Multimedia', msg = 'ffmpeg Multimedia framework', rev = 1, magic = { { content = '| 34 58 4D 56 |', offset = 0, }, }, }, { type = 'DMG', id = 79, category = 'System files', msg = 'Apple Disk Image', rev = 1, magic = { { content = '| 45 52 02 00 |', offset = 0, }, }, }, { type = 'DMG', id = 80, category = 'System files', msg = 'Apple Disk Image', rev = 1, magic = { { content = '| 32 49 4D 47 |', offset = 0, }, }, }, { type = 'IVR', id = 81, category = 'Multimedia', msg = 'RealPlayer video file', rev = 1, group = 'video', magic = { { content = '| 2E 52 45 43 |', offset = 0, }, }, }, { type = 'IVR', id = 82, category = 'Multimedia', msg = 'RealPlayer video file', rev = 1, group = 'video', magic = { { content = '| 2E 52 31 4D |', offset = 0, }, }, }, { type = 'RA', id = 83, category = 'Multimedia', msg = 'RealAudio file', rev = 1, group = 'audio', magic = { { content = '| 2E 52 4D 46 00 00 00 12 00 |', offset = 0, }, }, }, { type = 'RA', id = 84, category = 'Multimedia', msg = 'RealAudio file', rev = 1, group = 'audio', magic = { { content = '| 2E 72 61 FD 00 |', offset = 0, }, }, }, { type = 'VMDK', id = 85, category = 'System files', msg = 'Virtual Machine Disk', rev = 1, magic = { { content = '| 43 4F 57 44 |', offset = 0, }, }, }, { type = 'VMDK', id = 86, category = 'System files', msg = 'Virtual Machine Disk', rev = 1, magic = { { content = '|4B 44 4D |', offset = 0, }, }, }, { type = 'VMDK', id = 87, category = 'System files', msg = 'Virtual Machine Disk', rev = 1, magic = { { content = '| 23 20 44 69 73 6B 20 44 65 73 63 72 69 70 74 6F |', offset = 0, }, }, }, { type = 'VMDK', id = 88, category = 'System files', msg = 'Virtual Machine Disk', rev = 1, magic = { { content = '| 2E 03 00 00 01 |', offset = 0, }, }, }, { type = 'FLAC', id = 89, category = 'Multimedia', msg = 'Free Lossless Audio Codec file', rev = 1, group = 'audio', magic = { { content = '| 66 4C 61 43 00 00 00 22 |', offset = 0, }, }, }, { type = 'S3M', id = 90, category = 'Multimedia', msg = 'S3M audio module format', rev = 1, group = 'audio', magic = { { content = '| 53 43 52 4d |', offset = 0, }, }, }, { type = 'ASF', id = 91, category = 'Multimedia', msg = 'Microsoft Windows Media Audio/Video File ', rev = 1, group = 'audio', magic = { { content = '| 30 26 B2 75 8E 66 CF 11 A6 D9 00 AA 00 62 CE 6C |', offset = 0, }, }, }, { type = 'MSWORD_MAC5', id = 93, category = 'Office Documents', msg = 'Microsoft Word for Mac 5', rev = 1, group = 'office', magic = { { content = '| FE 37 00 23|', offset = 0, }, }, }, { type = 'SYLKc', id = 94, category = 'System files', msg = 'Microsoft symbolic Link', rev = 1, magic = { { content = '| 49 44 3B 50 |', offset = 0, }, }, }, { type = 'WP', id = 95, category = 'Office Documents', msg = 'WordPerfect text and graphics file', rev = 1, magic = { { content = '| FF 57 50 43|', offset = 0, }, }, }, { type = 'WP', id = 96, category = 'Office Documents', msg = 'WordPerfect text and graphics file', rev = 1, magic = { { content = '| 81 CD AB|', offset = 0, }, }, }, { type = 'TIFF', id = 97, category = 'Graphics', msg = 'Tagged Image File Format file', rev = 1, group = 'multimedia', magic = { { content = '| 49 49 2A 00|', offset = 0, }, }, }, { type = 'TIFF', id = 98, category = 'Graphics', msg = 'Tagged Image File Format file', rev = 1, group = 'multimedia', magic = { { content = '| 49 20 49|', offset = 0, }, }, }, { type = 'TIFF', id = 99, category = 'Graphics', msg = 'Tagged Image File Format file', rev = 1, group = 'multimedia', magic = { { content = '| 4D 4D 00 2A|', offset = 0, }, }, }, { type = 'TIFF', id = 100, category = 'Graphics', msg = 'Tagged Image File Format file', rev = 1, group = 'multimedia', magic = { { content = '| 4D 4D 00 2B|', offset = 0, }, }, }, { type = 'MWL', id = 101, category = 'Office Documents', msg = 'Metastock technical analysis program for traders', rev = 1, magic = { { content = '| 5b 4d 65 74 61 53 74 6f 63 6b |', offset = 0, }, }, }, { type = 'MDB', id = 102, category = 'Office Documents', msg = 'Microsoft Access file', rev = 1, magic = { { content = '| 00 01 00 00 53 74 61 6E 64 61 72 64 20 4A 65 74 20 44 42 |', offset = 0, }, }, }, { type = 'ACCDB', id = 103, category = 'Office Documents', msg = 'Microsoft Access 2007 file', rev = 1, magic = { { content = '| 00 01 00 00 53 74 61 6E 64 61 72 64 20 41 43 45 20 44 42|', offset = 0, }, }, }, { type = 'MNY', id = 104, category = 'Office Documents', msg = 'Microsoft Money file', rev = 1, magic = { { content = '| 00 01 00 00 4D 53 49 53 41 4D 20 44 61 74 61 62 61 73 65|', offset = 0, }, }, }, { type = 'REC', id = 105, category = 'Multimedia', msg = 'RealNetworks Realplayer REC', rev = 1, magic = { { content = '| 2e 72 65 63 00 |', offset = 0, }, }, }, { type = 'R1M', id = 106, category = 'Multimedia', msg = 'RealNetworks Realplayer R1M', rev = 1, magic = { { content = '| 2e 72 31 6d |', offset = 0, }, }, }, { type = 'WAB', id = 107, category = 'Office Documents', msg = 'Outlook address file', rev = 1, group = 'office', magic = { { content = '| 9C CB CB 8D 13 75 D2 11 91 58 00 C0 4F 79 56 A4 |', offset = 0, }, }, }, { type = 'WAB', id = 108, category = 'Office Documents', msg = 'Outlook address file', rev = 1, group = 'office', magic = { { content = '| 81 32 84 C1 85 05 D0 11 B2 90 00 AA 00 3C F6 76 |', offset = 0, }, }, }, { type = 'M3U', id = 109, category = 'Multimedia', msg = 'Multimedia playlists', rev = 1, magic = { { content = '| 23 45 58 54 4d 33 55 |', offset = 0, }, }, }, { type = 'MKV', id = 110, category = 'Multimedia', msg = 'Matroska stream file', rev = 1, magic = { { content = '| 1A 45 DF A3 93 42 82 88 6D 61 74 72 6F 73 6B 61|', offset = 0, }, }, }, { type = 'IMG_PICT', id = 111, category = 'Graphics', msg = 'ChromaGraph Graphics Card Bitmap Graphic file', rev = 1, group = 'multimedia', magic = { { content = '| 50 49 43 54 00 08 |', offset = 0, }, }, }, { type = 'AMF', id = 112, category = 'Multimedia', msg = 'Advanced Module Format for digital music', rev = 1, group = 'audio', magic = { { content = '| 41 4d 46 |', offset = 0, }, }, }, { type = 'WEBM', id = 113, category = 'Multimedia', msg = 'WebM audio-video format', rev = 1, group = 'audio,video', magic = { { content = '| 1A 45 DF A3|', offset = 0, }, }, }, { type = 'MAYA', id = 114, category = 'Graphics', msg = 'Autodesk Maya', rev = 1, magic = { { content = '| 2f 2f 4d 61 79 61 |', offset = 0, }, }, }, { type = 'MIDI', id = 115, category = 'Multimedia', msg = 'Musical Instrument Digital Interface (MIDI) sound file', rev = 1, group = 'audio', magic = { { content = '| 4D 54 68 64 |', offset = 0, }, }, }, { type = 'PLS', id = 116, category = 'Multimedia', msg = 'multimedia playlists', rev = 1, magic = { { content = '| 5b 70 6c 61 79 6c 69 73 74 5d |', offset = 0, }, }, }, { type = 'SMIL', id = 117, category = 'Multimedia', msg = 'Synchronized Multimedia Integration Language', rev = 1, magic = { { content = '| 3c 73 6d 69 6c 3e |', offset = 0, }, }, }, { type = 'SAMI', id = 119, category = 'Multimedia', msg = 'Synchronized Accessible Media Interchange', rev = 1, magic = { { content = '| 3c 53 41 4d 49 |', offset = 0, }, }, }, { type = 'NEW_OFFICE', id = 120, category = 'Office Documents,Dynamic Analysis Capable,Local Malware Analysis Capable', msg = 'Microsoft Office Open XML Format (OOXML) Document (DOCX, PPTX, XLSX)', rev = 1, group = 'office', magic = { { content = '|50 4B 03 04 14 00 06 00|', offset = 0, }, }, }, { type = 'DWG', id = 130, category = 'Graphics', msg = 'Autodesk AutoCAD file (dwg) ', rev = 1, magic = { { content = '| 41 43 31 30 |', offset = 0, }, }, }, { type = 'MDI', id = 132, category = 'Office Documents', msg = 'Microsoft Document Imaging file (mdi)', rev = 1, magic = { { content = '| 45 50 |', offset = 0, }, }, }, { type = 'PGD', id = 133, category = 'System files', msg = 'PGP disk image(PGD)', rev = 1, magic = { { content = '| 50 47 50 64 4D 41 49 4E |', offset = 0, }, }, }, { type = 'PSD', id = 134, category = 'Graphics', msg = 'Photoshop image file (PSD)', rev = 1, magic = { { content = '|38 42 50 53 |', offset = 0, }, }, }, { type = '9XHIVE', id = 135, category = 'System files', msg = 'Windows 9x registry hive (REG)', rev = 1, magic = { { content = '| 43 52 45 47 |', offset = 0, }, }, }, { type = 'REG', id = 136, category = 'System files', msg = 'Windows Registry and Registry Undo files (REG)', rev = 1, magic = { { content = '| 52 45 47 45 44 49 54 |', offset = 0, }, }, }, { type = 'WMF', id = 137, category = 'Graphics', msg = 'Windows graphics metafile ', rev = 1, magic = { { content = '| 01 00 09 00 00 03 |', offset = 0, }, }, }, { type = 'WRI', id = 138, category = 'Office Documents', msg = 'Windows Write document file (wri) ', rev = 1, magic = { { content = '| BE 00 00 00 AB 00 00 00 00 00 00 00 00|', offset = 0, }, }, }, { type = 'RPM', id = 139, category = 'Executables', msg = 'RedHat Package Manager file', rev = 1, magic = { { content = '| ED AB EE DB |', offset = 0, }, }, }, { type = 'ONE', id = 140, category = 'Office Documents', msg = 'Microsoft OneNote note', rev = 1, group = 'office', magic = { { content = '| E4 52 5C 7B 8C D8 A7 4D AE B1 53 78 D0 29 96 D3 |', offset = 0, }, }, }, { type = 'MP4', id = 141, category = 'Multimedia', msg = 'MPEG-4 video files', rev = 1, group = 'video', magic = { { content = '| 00 00 00 18 66 74 79 70 33 67 70 35 |', offset = 0, }, }, }, { type = 'MP4', id = 142, category = 'Multimedia', msg = 'MPEG-4 video files', rev = 1, group = 'video', magic = { { content = '| 66 74 79 70 69 73 6F 6D |', offset = 4, }, }, }, { type = 'PCAP', id = 143, category = 'System files', msg = 'Packet capture file', rev = 1, magic = { { content = '| D4 C3 B2 A1 |', offset = 0, }, }, }, { type = 'PCAP', id = 144, category = 'System files', msg = 'Packet capture file', rev = 1, magic = { { content = '|34 CD B2 A1 |', offset = 0, }, }, }, { type = 'PCAP', id = 145, category = 'System files', msg = 'Packet capture file', rev = 1, magic = { { content = '|A1 B2 C3 D4 |', offset = 0, }, }, }, { type = 'PCAP', id = 146, category = 'System files', msg = 'Packet capture file', rev = 1, magic = { { content = '|A1 B2 CD 34 |', offset = 0, }, }, }, { type = 'PCAP', id = 147, category = 'System files', msg = 'Packet capture file', rev = 1, magic = { { content = '|52 54 53 53 |', offset = 0, }, }, }, { type = 'BMP', id = 148, category = 'Graphics', msg = 'Bitmap image file', rev = 1, group = 'multimedia', magic = { { content = '|42 4D |', offset = 0, }, }, }, { type = 'ICO', id = 149, category = 'Graphics', msg = 'Windows icon file', rev = 1, magic = { { content = '| 00 00 01 00 |', offset = 0, }, }, }, { type = 'TORRENT', id = 150, category = 'Executables', msg = 'BitTorrent File', rev = 1, magic = { { content = '| 64 38 3A 61 6E 6E 6F 75 6E 63 65 |', offset = 0, }, }, }, { type = 'AMR', id = 151, category = 'Multimedia', msg = 'Adaptive Multi-Rate Codec File', rev = 1, magic = { { content = '| 23 21 41 4D 52|', offset = 0, }, }, }, { type = 'SIT', id = 152, category = 'Archive', msg = 'StuffIt compressed archive', rev = 1, magic = { { content = '| 53 49 54 21 00|', offset = 0, }, }, }, { type = 'PST', id = 153, category = 'Office Documents', msg = 'Microsoft Outlook Personal Folder File', rev = 1, group = 'office', magic = { { content = '| 21 42 44 4E |', offset = 0, }, }, }, { type = 'HLP', id = 154, category = 'Office Documents', msg = 'Windows Help file', rev = 1, magic = { { content = '| 4C 4E 02 00 |', offset = 0, }, }, }, { type = 'HLP', id = 155, category = 'Office Documents', msg = 'Windows Help file', rev = 1, magic = { { content = '| 3F 5F 03 00 |', offset = 0, }, }, }, { type = 'AUTORUN', id = 156, category = 'Executables', msg = 'Windows Autorun setup file', rev = 1, magic = { { content = '| 5B 61 75 74 6F 72 75 6E 5D 0D 0A |', offset = 0, }, }, }, { type = 'JPEG', id = 157, category = 'Graphics', msg = 'JPEG/JFIF graphics file', rev = 1, group = 'multimedia', magic = { { content = '| FF D8 FF E1 |', offset = 0, }, }, }, { type = 'ARJ', id = 158, category = 'Archive', msg = 'Compressed archive file', rev = 1, magic = { { content = '| 60 EA |', offset = 0, }, }, }, { type = 'MP3', id = 159, category = 'Multimedia', msg = 'MPEG-1 Audio Layer 3 (MP3) audio file', rev = 1, group = 'audio', magic = { { content = '| FF FA |', offset = 0, }, }, }, { type = 'SIT', id = 160, category = 'Archive', msg = 'StuffIt compressed archive', rev = 1, magic = { { content = '| 53 74 75 66 66 49 74 20 |', offset = 0, }, }, }, { type = 'NTHIVE', id = 161, category = 'System files', msg = 'Windows NT registry hive (REG)', rev = 1, magic = { { content = '| 72 65 67 66 |', offset = 0, }, }, }, { type = 'WMF', id = 162, category = 'Graphics', msg = 'Windows graphics metafile ', rev = 1, magic = { { content = '| D7 CD C6 9A |', offset = 0, }, }, }, { type = 'SIS', id = 163, category = 'Archive', msg = 'Software Installation Script, an archive for Symbian OS', rev = 1, magic = { { content = '| 7A 1A 20 10 |', offset = 0, }, }, }, { type = 'WRI', id = 164, category = 'Office Documents', msg = 'Windows Write document file (wri) ', rev = 1, magic = { { content = '| 31 BE|', offset = 0, }, }, }, { type = 'WRI', id = 165, category = 'Office Documents', msg = 'Windows Write document file (wri) ', rev = 1, magic = { { content = '| 32 BE|', offset = 0, }, }, }, { type = 'WAV', id = 166, category = 'Multimedia', msg = 'Waveform Audio File Format', rev = 1, group = 'audio', magic = { { content = '| 52 49 46 46 |', offset = 0, }, { content = '| 57 41 56 45 66 6D 74 20 |', offset = 8, }, }, }, { type = 'MP4', id = 167, category = 'Multimedia', msg = 'MPEG-4 video files', rev = 1, group = 'video', magic = { { content = '| 66 74 79 70 6D 70 34 32 |', offset = 4, }, }, }, { type = 'MP4', id = 168, category = 'Multimedia', msg = 'MPEG-4 video files', rev = 1, group = 'video', magic = { { content = '| 66 74 79 70 33 67 70 |', offset = 4, }, }, }, { type = 'MP4', id = 169, category = 'Multimedia', msg = 'MPEG-4 video files', rev = 1, group = 'video', magic = { { content = '| 66 74 79 70 4D 53 4E 56 |', offset = 4, }, }, }, { type = 'DICM', id = 170, category = 'Multimedia', msg = 'Digital Imaging and Communications in Medicine', rev = 1, magic = { { content = '| 44 49 43 4D |', offset = 128, }, }, }, { type = 'ZIP_ENC', id = 171, category = 'Archive', msg = 'PKZIP encrypted archive file', rev = 1, magic = { { content = '| 50 4B 03 04 |', offset = 0, }, { content = '| 01 |', offset = 6, }, }, }, { type = 'EICAR', id = 273, category = 'Executables', msg = 'Standard Anti-Virus Test File', rev = 1, magic = { { content = '| 58 35 4F 21 50 25 |', offset = 0, }, }, }, { type = 'XPS', id = 275, category = 'Office Documents', msg = 'Microsoft XML Paper Specification Document', rev = 1, magic = { { content = '| 50 4B 03 04 |', offset = 0, }, { content = '| 46 69 78 65 64 44 6F 63 75 6D |', offset = 30, }, }, }, { type = 'XPS', id = 277, category = 'Office Documents', msg = 'Microsoft XML Paper Specification Document', rev = 1, magic = { { content = '| 50 4B 03 04 |', offset = 0, }, { content = '| 44 6F 63 75 6D 65 6E 74 73 2F |', offset = 30, }, }, }, { type = 'XPS', id = 278, category = 'Office Documents', msg = 'Microsoft XML Paper Specification Document', rev = 1, magic = { { content = '| 50 4B 03 04 |', offset = 0, }, { content = '| 4D 65 74 61 64 61 74 61 2F |', offset = 30, }, }, }, { type = 'DMP', id = 279, category = 'System files', msg = 'Windows crash dump file', rev = 1, magic = { { content = '|4D 44 4D 50 93 A7|', offset = 0, }, }, }, { type = 'DMP', id = 280, category = 'System files', msg = 'Windows crash dump file', rev = 1, magic = { { content = '|50 41 47 45 44 55 36 34|', offset = 0, }, }, }, { type = 'DMP', id = 281, category = 'System files', msg = 'Windows crash dump file', rev = 1, magic = { { content = '|50 41 47 45 44 55 4D 50|', offset = 0, }, }, }, { type = 'PDF', id = 282, category = 'PDF files,Dynamic Analysis Capable,Local Malware Analysis Capable', msg = 'PDF file ', rev = 1, version = '1.0', magic = { { content = '| 25 50 44 46 2D 31 2E 30|', offset = 0, }, }, }, { type = 'PDF', id = 283, category = 'PDF files,Dynamic Analysis Capable,Local Malware Analysis Capable', msg = 'PDF file ', rev = 1, version = '1.1', magic = { { content = '| 25 50 44 46 2D 31 2E 31|', offset = 0, }, }, }, { type = 'PDF', id = 284, category = 'PDF files,Dynamic Analysis Capable,Local Malware Analysis Capable', msg = 'PDF file ', rev = 1, version = '1.2', magic = { { content = '| 25 50 44 46 2D 31 2E 32|', offset = 0, }, }, }, { type = 'PDF', id = 285, category = 'PDF files,Dynamic Analysis Capable,Local Malware Analysis Capable', msg = 'PDF file ', rev = 1, version = '1.3', magic = { { content = '| 25 50 44 46 2D 31 2E 33|', offset = 0, }, }, }, { type = 'PDF', id = 286, category = 'PDF files,Dynamic Analysis Capable,Local Malware Analysis Capable', msg = 'PDF file ', rev = 1, version = '1.4', magic = { { content = '| 25 50 44 46 2D 31 2E 34|', offset = 0, }, }, }, { type = 'PDF', id = 287, category = 'PDF files,Dynamic Analysis Capable,Local Malware Analysis Capable', msg = 'PDF file ', rev = 1, version = '1.5', magic = { { content = '| 25 50 44 46 2D 31 2E 35|', offset = 0, }, }, }, { type = 'PDF', id = 288, category = 'PDF files,Dynamic Analysis Capable,Local Malware Analysis Capable', msg = 'PDF file ', rev = 1, version = '1.6', magic = { { content = '| 25 50 44 46 2D 31 2E 36|', offset = 0, }, }, }, { type = 'PDF', id = 289, category = 'PDF files,Dynamic Analysis Capable,Local Malware Analysis Capable', msg = 'PDF file ', rev = 1, version = '1.7', magic = { { content = '| 25 50 44 46 2D 31 2E 37|', offset = 0, }, }, }, { type = 'IntelHEX', id = 290, category = 'System files', msg = 'Binary files for Microcontroller/Other Chip based applications', rev = 1, magic = { { content = '| 3A 31 |', offset = 0, }, { content = '| 30 30 |', offset = 7, }, }, }, { type = 'IntelHEX', id = 291, category = 'System files', msg = 'Binary files for Microcontroller/Other Chip based applications', rev = 1, magic = { { content = '| 3A 31 |', offset = 0, }, { content = '| 30 31 |', offset = 7, }, }, }, { type = 'IntelHEX', id = 292, category = 'System files', msg = 'Binary files for Microcontroller/Other Chip based applications', rev = 1, magic = { { content = '| 3A 31 |', offset = 0, }, { content = '| 30 32 |', offset = 7, }, }, }, { type = 'IntelHEX', id = 293, category = 'System files', msg = 'Binary files for Microcontroller/Other Chip based applications', rev = 1, magic = { { content = '| 3A 31 |', offset = 0, }, { content = '| 30 33 |', offset = 7, }, }, }, { type = 'IntelHEX', id = 294, category = 'System files', msg = 'Binary files for Microcontroller/Other Chip based applications', rev = 1, magic = { { content = '| 3A 31 |', offset = 0, }, { content = '| 30 34 |', offset = 7, }, }, }, { type = 'IntelHEX', id = 295, category = 'System files', msg = 'Binary files for Microcontroller/Other Chip based applications', rev = 1, magic = { { content = '| 3A 31 |', offset = 0, }, { content = '| 30 35 |', offset = 7, }, }, }, { type = 'IntelHEX', id = 296, category = 'System files', msg = 'Binary files for Microcontroller/Other Chip based applications', rev = 1, magic = { { content = '| 3A 31 |', offset = 0, }, { content = '| 32 30 |', offset = 7, }, }, }, { type = 'IntelHEX', id = 297, category = 'System files', msg = 'Binary files for Microcontroller/Other Chip based applications', rev = 1, magic = { { content = '| 3A 31 |', offset = 0, }, { content = '| 32 32 |', offset = 7, }, }, }, { type = 'IntelHEX', id = 298, category = 'System files', msg = 'Binary files for Microcontroller/Other Chip based applications', rev = 1, magic = { { content = '| 3A 32 |', offset = 0, }, { content = '| 30 30 |', offset = 7, }, }, }, { type = 'IntelHEX', id = 300, category = 'System files', msg = 'Binary files for Microcontroller/Other Chip based applications', rev = 1, magic = { { content = '| 3A 32 |', offset = 0, }, { content = '| 30 31 |', offset = 7, }, }, }, { type = 'IntelHEX', id = 301, category = 'System files', msg = 'Binary files for Microcontroller/Other Chip based applications', rev = 1, magic = { { content = '| 3A 32 |', offset = 0, }, { content = '| 30 32 |', offset = 7, }, }, }, { type = 'IntelHEX', id = 302, category = 'System files', msg = 'Binary files for Microcontroller/Other Chip based applications', rev = 1, magic = { { content = '| 3A 32 |', offset = 0, }, { content = '| 30 33 |', offset = 7, }, }, }, { type = 'IntelHEX', id = 303, category = 'System files', msg = 'Binary files for Microcontroller/Other Chip based applications', rev = 1, magic = { { content = '| 3A 32 |', offset = 0, }, { content = '| 30 34 |', offset = 7, }, }, }, { type = 'IntelHEX', id = 304, category = 'System files', msg = 'Binary files for Microcontroller/Other Chip based applications', rev = 1, magic = { { content = '| 3A 32 |', offset = 0, }, { content = '| 30 35 |', offset = 7, }, }, }, { type = 'IntelHEX', id = 306, category = 'System files', msg = 'Binary files for Microcontroller/Other Chip based applications', rev = 1, magic = { { content = '| 3A 32 |', offset = 0, }, { content = '| 32 32 |', offset = 7, }, }, }, { type = 'REG', id = 307, category = 'System files', msg = 'Windows Registry and Registry Undo files (REG)', rev = 1, magic = { { content = '| FF FE |', offset = 0, }, }, }, { type = 'MSHTML', id = 308, category = 'Office Documents', msg = 'Proprietary layout engine for Microsoft Internet Explorer', rev = 1, magic = { { content = '| 3D 22 2D 2D 2D 2D 3D 5F |', offset = 60, }, }, }, { type = 'VB', id = 310, category = 'System files', msg = 'Microsoft Visual Basic files, including .cs, .vb, and .vbp', rev = 1, magic = { { content = '| EF BB BF |', offset = 0, }, }, }, { type = 'VB', id = 311, category = 'System files', msg = 'Microsoft Visual Basic files, including .cs, .vb, and .vbp', rev = 1, magic = { { content = '| 54 79 70 65 3D 45 78 65 |', offset = 0, }, }, }, { type = 'MP4', id = 313, category = 'Multimedia', msg = 'MPEG-4 video files', rev = 1, magic = { { content = '| 66 74 79 70 64 61 73 68 |', offset = 4, }, }, }, { type = 'LNK', id = 314, category = 'Executables', msg = 'Microsoft Windows Shortcut Files', rev = 1, magic = { { content = '| 4C 00 00 00 01 14 02 00 |', offset = 0, }, }, }, { type = 'SCR', id = 315, category = 'Executables', msg = 'Microsoft Windows Shortcut Files', rev = 1, magic = { { content = '| 44 43 4E 01 |', offset = 0, }, }, }, { type = 'SCR', id = 316, category = 'Executables', msg = 'Microsoft Windows Shortcut Files', rev = 1, magic = { { content = '| 44 43 44 01 |', offset = 0, }, }, }, { type = 'MKV', id = 317, category = 'Multimedia', msg = 'Matroska stream file', rev = 1, magic = { { content = '| 1A 45 DF A3 01 00 00 00 00 00 00 23 42 86 81 01|', offset = 0, }, }, }, }
--Copyright (C) 2009 <SWGEmu> --This File is part of Core3. --This program is free software; you can redistribute --it and/or modify it under the terms of the GNU Lesser --General Public License as published by the Free Software --Foundation; either version 2 of the License, --or (at your option) any later version. --This program is distributed in the hope that it will be useful, --but WITHOUT ANY WARRANTY; without even the implied warranty of --MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. --See the GNU Lesser General Public License for --more details. --You should have received a copy of the GNU Lesser General --Public License along with this program; if not, write to --the Free Software Foundation, Inc., 51 Franklin St, Fifth Floor, Boston, MA 02110-1301 USA --Linking Engine3 statically or dynamically with other modules --is making a combined work based on Engine3. --Thus, the terms and conditions of the GNU Lesser General Public License --cover the whole combination. --In addition, as a special exception, the copyright holders of Engine3 --give you permission to combine Engine3 program with free software --programs or libraries that are released under the GNU LGPL and with --code included in the standard release of Core3 under the GNU LGPL --license (or modified versions of such code, with unchanged license). --You may copy and distribute such a system following the terms of the --GNU LGPL for Engine3 and the licenses of the other code concerned, --provided that you include the source code of that other code when --and as the GNU LGPL requires distribution of source code. --Note that people who make modified versions of Engine3 are not obligated --to grant this special exception for their modified versions; --it is their choice whether to do so. The GNU Lesser General Public License --gives permission to release a modified version without this exception; --this exception also makes it possible to release a modified version --which carries forward this exception. object_tangible_mission_quest_item_shared_aaph_koden_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_aaph_koden_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:aaph_koden_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:aaph_koden_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3951173790, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_aaph_koden_q1_needed, "object/tangible/mission/quest_item/shared_aaph_koden_q1_needed.iff") object_tangible_mission_quest_item_shared_ajuva_vamasterin_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_ajuva_vamasterin_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_rori_d:ajuva_vanasterin_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_rori_n:ajuva_vanasterin_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 378433158, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_ajuva_vamasterin_q1_needed, "object/tangible/mission/quest_item/shared_ajuva_vamasterin_q1_needed.iff") object_tangible_mission_quest_item_shared_ajuva_vamasterin_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_ajuva_vamasterin_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_rori_d:ajuva_vanasterin_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_rori_n:ajuva_vanasterin_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 513100684, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_ajuva_vamasterin_q2_needed, "object/tangible/mission/quest_item/shared_ajuva_vamasterin_q2_needed.iff") object_tangible_mission_quest_item_shared_arrek_vonsarko_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_arrek_vonsarko_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:arrek_vonsarko_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:arrek_vonsarko_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 910173292, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_arrek_vonsarko_q1_needed, "object/tangible/mission/quest_item/shared_arrek_vonsarko_q1_needed.iff") object_tangible_mission_quest_item_shared_arven_wendik_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_arven_wendik_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:arven_wendik_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:arven_wendik_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3207687484, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_arven_wendik_q1_needed, "object/tangible/mission/quest_item/shared_arven_wendik_q1_needed.iff") object_tangible_mission_quest_item_shared_athok_dinvar_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_athok_dinvar_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_con_tato_jar_spice_s03.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:athok_dinvar_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:athok_dinvar_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2808249853, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_athok_dinvar_q2_needed, "object/tangible/mission/quest_item/shared_athok_dinvar_q2_needed.iff") object_tangible_mission_quest_item_shared_attunement_grid = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_attunement_grid.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_tool_datapad.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@item_n:attunement_grid", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "@item_n:attunement_grid", noBuildRadius = 0, objectName = "@item_n:attunement_grid", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1378666230, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_attunement_grid, "object/tangible/mission/quest_item/shared_attunement_grid.iff") object_tangible_mission_quest_item_shared_aujante_klee_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_aujante_klee_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dath_d:aujante_klee_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dath_n:aujante_klee_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3195313536, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_aujante_klee_q2_needed, "object/tangible/mission/quest_item/shared_aujante_klee_q2_needed.iff") object_tangible_mission_quest_item_shared_ayn_eckener_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_ayn_eckener_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:ayn_eckener_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:ayn_eckener_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 947591589, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_ayn_eckener_q3_needed, "object/tangible/mission/quest_item/shared_ayn_eckener_q3_needed.iff") object_tangible_mission_quest_item_shared_bab_esrus_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_bab_esrus_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_bacta_ampules.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:bab_esrus_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:bab_esrus_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3109370215, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_bab_esrus_q1_needed, "object/tangible/mission/quest_item/shared_bab_esrus_q1_needed.iff") object_tangible_mission_quest_item_shared_bab_esrus_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_bab_esrus_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_endr_cage_bamboo.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:bab_esrus_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:bab_esrus_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3065577323, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_bab_esrus_q3_needed, "object/tangible/mission/quest_item/shared_bab_esrus_q3_needed.iff") object_tangible_mission_quest_item_shared_bardo_klinj_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_bardo_klinj_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/con_gen_inorganic_gas.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:bardo_klinj_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:bardo_klinj_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2260248356, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_bardo_klinj_q1_needed, "object/tangible/mission/quest_item/shared_bardo_klinj_q1_needed.iff") object_tangible_mission_quest_item_shared_bardo_klinj_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_bardo_klinj_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/con_gen_inorganic_gas.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:bardo_klinj_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:bardo_klinj_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2393080366, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_bardo_klinj_q2_needed, "object/tangible/mission/quest_item/shared_bardo_klinj_q2_needed.iff") object_tangible_mission_quest_item_shared_bardo_klinj_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_bardo_klinj_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:bardo_klinj_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:bardo_klinj_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2304074024, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_bardo_klinj_q3_needed, "object/tangible/mission/quest_item/shared_bardo_klinj_q3_needed.iff") object_tangible_mission_quest_item_shared_binna_jode_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_binna_jode_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_tato_debris_s05.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:binna_jode_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:binna_jode_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2763509222, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_binna_jode_q1_needed, "object/tangible/mission/quest_item/shared_binna_jode_q1_needed.iff") object_tangible_mission_quest_item_shared_binna_jode_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_binna_jode_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_medic_medpack_sm_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:binna_jode_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:binna_jode_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2897012972, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_binna_jode_q2_needed, "object/tangible/mission/quest_item/shared_binna_jode_q2_needed.iff") object_tangible_mission_quest_item_shared_binna_jode_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_binna_jode_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/shirt_s08_f.sat", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:binna_jode_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:binna_jode_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2874805226, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_binna_jode_q3_needed, "object/tangible/mission/quest_item/shared_binna_jode_q3_needed.iff") object_tangible_mission_quest_item_shared_binna_jode_q4_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_binna_jode_q4_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:binna_jode_q4_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:binna_jode_q4_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3164250872, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_binna_jode_q4_needed, "object/tangible/mission/quest_item/shared_binna_jode_q4_needed.iff") object_tangible_mission_quest_item_shared_biribas_tarun_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_biribas_tarun_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_rori_d:biribas_tarun_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_rori_n:biribas_tarun_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2299815222, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_biribas_tarun_q1_needed, "object/tangible/mission/quest_item/shared_biribas_tarun_q1_needed.iff") object_tangible_mission_quest_item_shared_booto_lubble_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_booto_lubble_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_rank_cylinder.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_rori_d:booto_lubble_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_rori_n:booto_lubble_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 612933888, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_booto_lubble_q1_needed, "object/tangible/mission/quest_item/shared_booto_lubble_q1_needed.iff") object_tangible_mission_quest_item_shared_booto_lubble_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_booto_lubble_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/wp_grenade_imp_detonator.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_rori_d:booto_lubble_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_rori_n:booto_lubble_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 747865098, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_booto_lubble_q2_needed, "object/tangible/mission/quest_item/shared_booto_lubble_q2_needed.iff") object_tangible_mission_quest_item_shared_borvo_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_borvo_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:borvo_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:borvo_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3403265909, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_borvo_q1_needed, "object/tangible/mission/quest_item/shared_borvo_q1_needed.iff") object_tangible_mission_quest_item_shared_borvo_q6_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_borvo_q6_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_medic_antidote_m_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:borvo_q6_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:borvo_q6_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3709410919, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_borvo_q6_needed, "object/tangible/mission/quest_item/shared_borvo_q6_needed.iff") object_tangible_mission_quest_item_shared_boshek_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_boshek_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:boshek_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:boshek_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 4133937817, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_boshek_q1_needed, "object/tangible/mission/quest_item/shared_boshek_q1_needed.iff") object_tangible_mission_quest_item_shared_boshek_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_boshek_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/con_man_weapons_lg.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:boshek_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:boshek_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 4269655955, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_boshek_q2_needed, "object/tangible/mission/quest_item/shared_boshek_q2_needed.iff") object_tangible_mission_quest_item_shared_brantlee_spondoon_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_brantlee_spondoon_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_tool_sandstat.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:brantlee_spondoon_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:brantlee_spondoon_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3753479454, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_brantlee_spondoon_q1_needed, "object/tangible/mission/quest_item/shared_brantlee_spondoon_q1_needed.iff") object_tangible_mission_quest_item_shared_brantlee_spondoon_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_brantlee_spondoon_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/con_gen_inorganic_gas.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:brantlee_spondoon_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:brantlee_spondoon_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3617761300, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_brantlee_spondoon_q2_needed, "object/tangible/mission/quest_item/shared_brantlee_spondoon_q2_needed.iff") object_tangible_mission_quest_item_shared_brass_marshoo_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_brass_marshoo_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_food_meat_loaf_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:brass_marshoo_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:brass_marshoo_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1892692988, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_brass_marshoo_q1_needed, "object/tangible/mission/quest_item/shared_brass_marshoo_q1_needed.iff") object_tangible_mission_quest_item_shared_brass_marshoo_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_brass_marshoo_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_food_meat_sliced.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:brass_marshoo_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:brass_marshoo_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2026575606, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_brass_marshoo_q2_needed, "object/tangible/mission/quest_item/shared_brass_marshoo_q2_needed.iff") object_tangible_mission_quest_item_shared_brea_tonnika_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_brea_tonnika_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:brea_tonnika_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:brea_tonnika_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 359980413, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_brea_tonnika_q1_needed, "object/tangible/mission/quest_item/shared_brea_tonnika_q1_needed.iff") object_tangible_mission_quest_item_shared_bren_kingal_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_bren_kingal_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_comp_shield_generator.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:bren_kingal_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:bren_kingal_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 240174714, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_bren_kingal_q1_needed, "object/tangible/mission/quest_item/shared_bren_kingal_q1_needed.iff") object_tangible_mission_quest_item_shared_bren_kingal_q1_reward = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_bren_kingal_q1_reward.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_con_dish_casserole_full.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:bren_kingal_q1_reward", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:bren_kingal_q1_reward", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2799354182, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_bren_kingal_q1_reward, "object/tangible/mission/quest_item/shared_bren_kingal_q1_reward.iff") object_tangible_mission_quest_item_shared_bren_kingal_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_bren_kingal_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_medic_medbag_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:bren_kingal_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:bren_kingal_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 105636720, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_bren_kingal_q2_needed, "object/tangible/mission/quest_item/shared_bren_kingal_q2_needed.iff") object_tangible_mission_quest_item_shared_bren_kingal_q2_reward = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_bren_kingal_q2_reward.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_con_tato_bowl_full_s02.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:bren_kingal_q2_reward", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:bren_kingal_q2_reward", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2931942476, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_bren_kingal_q2_reward, "object/tangible/mission/quest_item/shared_bren_kingal_q2_reward.iff") object_tangible_mission_quest_item_shared_bren_kingal_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_bren_kingal_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:bren_kingal_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:bren_kingal_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 29163638, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_bren_kingal_q3_needed, "object/tangible/mission/quest_item/shared_bren_kingal_q3_needed.iff") object_tangible_mission_quest_item_shared_bren_kingal_q3_reward = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_bren_kingal_q3_reward.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_food_muffin.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:bren_kingal_q3_reward", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:bren_kingal_q3_reward", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2838955850, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_bren_kingal_q3_reward, "object/tangible/mission/quest_item/shared_bren_kingal_q3_reward.iff") object_tangible_mission_quest_item_shared_bren_kingal_q4_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_bren_kingal_q4_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/helmet_atat_f.sat", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:bren_kingal_q4_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:bren_kingal_q4_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 377334116, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_bren_kingal_q4_needed, "object/tangible/mission/quest_item/shared_bren_kingal_q4_needed.iff") object_tangible_mission_quest_item_shared_bren_kingal_q4_reward = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_bren_kingal_q4_reward.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_food_pie_full_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:bren_kingal_q4_reward", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:bren_kingal_q4_reward", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3203903064, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_bren_kingal_q4_reward, "object/tangible/mission/quest_item/shared_bren_kingal_q4_reward.iff") object_tangible_mission_quest_item_shared_brennis_doore_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_brennis_doore_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/necklace_s02_f.sat", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:brennis_doore_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:brennis_doore_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1705405453, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_brennis_doore_q1_needed, "object/tangible/mission/quest_item/shared_brennis_doore_q1_needed.iff") object_tangible_mission_quest_item_shared_brennis_doore_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_brennis_doore_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:brennis_doore_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:brennis_doore_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1841121543, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_brennis_doore_q2_needed, "object/tangible/mission/quest_item/shared_brennis_doore_q2_needed.iff") object_tangible_mission_quest_item_shared_brennis_doore_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_brennis_doore_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:brennis_doore_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:brennis_doore_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1783343617, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_brennis_doore_q3_needed, "object/tangible/mission/quest_item/shared_brennis_doore_q3_needed.iff") object_tangible_mission_quest_item_shared_champhra_biahin_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_champhra_biahin_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_food_vegetable_s5.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tals_d:champhra_biahin_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tals_n:champhra_biahin_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3264370995, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_champhra_biahin_q1_needed, "object/tangible/mission/quest_item/shared_champhra_biahin_q1_needed.iff") object_tangible_mission_quest_item_shared_champhra_biahin_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_champhra_biahin_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tals_d:champhra_biahin_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tals_n:champhra_biahin_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3398007865, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_champhra_biahin_q2_needed, "object/tangible/mission/quest_item/shared_champhra_biahin_q2_needed.iff") object_tangible_mission_quest_item_shared_charal_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_charal_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_con_tato_jar_guts_s01.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_endr_d:charal_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_endr_n:charal_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2397269656, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_charal_q1_needed, "object/tangible/mission/quest_item/shared_charal_q1_needed.iff") object_tangible_mission_quest_item_shared_charal_q4_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_charal_q4_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_nboo_comlink_civilian.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_endr_d:charal_q4_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_endr_n:charal_q4_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2530083206, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_charal_q4_needed, "object/tangible/mission/quest_item/shared_charal_q4_needed.iff") object_tangible_mission_quest_item_shared_chertyl_ruruwoor_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_chertyl_ruruwoor_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:chertyl_ruruwoor_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:chertyl_ruruwoor_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3359396583, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_chertyl_ruruwoor_q1_needed, "object/tangible/mission/quest_item/shared_chertyl_ruruwoor_q1_needed.iff") object_tangible_mission_quest_item_shared_crev_bombaasa_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_crev_bombaasa_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:crev_bombaasa_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:crev_bombaasa_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 8182933, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_crev_bombaasa_q1_needed, "object/tangible/mission/quest_item/shared_crev_bombaasa_q1_needed.iff") object_tangible_mission_quest_item_shared_crev_bombaasa_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_crev_bombaasa_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:crev_bombaasa_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:crev_bombaasa_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 141031839, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_crev_bombaasa_q2_needed, "object/tangible/mission/quest_item/shared_crev_bombaasa_q2_needed.iff") object_tangible_mission_quest_item_shared_crider_trant_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_crider_trant_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:crider_trant_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:crider_trant_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2176487212, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_crider_trant_q1_needed, "object/tangible/mission/quest_item/shared_crider_trant_q1_needed.iff") object_tangible_mission_quest_item_shared_current_alternator = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_current_alternator.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_tool_datapad.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@item_n:current_alternator", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "@item_n:current_alternator", noBuildRadius = 0, objectName = "@item_n:current_alternator", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3995914990, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_current_alternator, "object/tangible/mission/quest_item/shared_current_alternator.iff") object_tangible_mission_quest_item_shared_daclif_gallamby_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_daclif_gallamby_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:daclif_gallamby_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:daclif_gallamby_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2245704148, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_daclif_gallamby_q1_needed, "object/tangible/mission/quest_item/shared_daclif_gallamby_q1_needed.iff") object_tangible_mission_quest_item_shared_daclif_gallamby_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_daclif_gallamby_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:daclif_gallamby_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:daclif_gallamby_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2378276062, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_daclif_gallamby_q2_needed, "object/tangible/mission/quest_item/shared_daclif_gallamby_q2_needed.iff") object_tangible_mission_quest_item_shared_daclif_gallamby_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_daclif_gallamby_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:daclif_gallamby_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:daclif_gallamby_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2318893016, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_daclif_gallamby_q3_needed, "object/tangible/mission/quest_item/shared_daclif_gallamby_q3_needed.iff") object_tangible_mission_quest_item_shared_daclif_gallamby_q4_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_daclif_gallamby_q4_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:daclif_gallamby_q4_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:daclif_gallamby_q4_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2650265290, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_daclif_gallamby_q4_needed, "object/tangible/mission/quest_item/shared_daclif_gallamby_q4_needed.iff") object_tangible_mission_quest_item_shared_daclif_gallamby_q6_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_daclif_gallamby_q6_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:daclif_gallamby_q6_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:daclif_gallamby_q6_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2451181766, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_daclif_gallamby_q6_needed, "object/tangible/mission/quest_item/shared_daclif_gallamby_q6_needed.iff") object_tangible_mission_quest_item_shared_damalia_korde_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_damalia_korde_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:damalia_korde_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:damalia_korde_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 4183162211, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_damalia_korde_q1_needed, "object/tangible/mission/quest_item/shared_damalia_korde_q1_needed.iff") object_tangible_mission_quest_item_shared_dannik_malaan_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_dannik_malaan_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:dannik_malaan_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:dannik_malaan_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1675280131, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_dannik_malaan_q1_needed, "object/tangible/mission/quest_item/shared_dannik_malaan_q1_needed.iff") object_tangible_mission_quest_item_shared_dea_tore_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_dea_tore_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_medic_antidote_sm_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:dea_tore_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:dea_tore_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 888947205, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_dea_tore_q2_needed, "object/tangible/mission/quest_item/shared_dea_tore_q2_needed.iff") object_tangible_mission_quest_item_shared_dea_tore_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_dea_tore_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_medic_antidote_sm_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:dea_tore_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:dea_tore_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 856334595, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_dea_tore_q3_needed, "object/tangible/mission/quest_item/shared_dea_tore_q3_needed.iff") object_tangible_mission_quest_item_shared_dea_tore_q4_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_dea_tore_q4_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/con_gen_organic_hide.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:dea_tore_q4_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:dea_tore_q4_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 617220113, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_dea_tore_q4_needed, "object/tangible/mission/quest_item/shared_dea_tore_q4_needed.iff") object_tangible_mission_quest_item_shared_denell_kelvannon_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_denell_kelvannon_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:denell_kelvannon_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:denell_kelvannon_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1955273161, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_denell_kelvannon_q1_needed, "object/tangible/mission/quest_item/shared_denell_kelvannon_q1_needed.iff") object_tangible_mission_quest_item_shared_diax_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_diax_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_medic_antidote_sm_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dath_d:diax_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dath_n:diax_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 4071396946, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_diax_q2_needed, "object/tangible/mission/quest_item/shared_diax_q2_needed.iff") object_tangible_mission_quest_item_shared_didina_lippinoss_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_didina_lippinoss_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:didina_lippinoss_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:didina_lippinoss_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3645474258, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_didina_lippinoss_q1_needed, "object/tangible/mission/quest_item/shared_didina_lippinoss_q1_needed.iff") object_tangible_mission_quest_item_shared_dilvin_lormurojo_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_dilvin_lormurojo_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:dilvin_lormurojo_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:dilvin_lormurojo_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 767298763, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_dilvin_lormurojo_q2_needed, "object/tangible/mission/quest_item/shared_dilvin_lormurojo_q2_needed.iff") object_tangible_mission_quest_item_shared_dolac_legasi_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_dolac_legasi_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_holocron_splinters.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dath_d:dolac_legasi_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dath_n:dolac_legasi_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2124169630, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_dolac_legasi_q2_needed, "object/tangible/mission/quest_item/shared_dolac_legasi_q2_needed.iff") object_tangible_mission_quest_item_shared_draya_korbinari_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_draya_korbinari_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_rori_d:draya_korbinari_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_rori_n:draya_korbinari_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 813496257, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_draya_korbinari_q3_needed, "object/tangible/mission/quest_item/shared_draya_korbinari_q3_needed.iff") object_tangible_mission_quest_item_shared_drenn_zebber_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_drenn_zebber_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_briefcase.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_yavn_d:drenn_zebber_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_yavn_n:drenn_zebber_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1092729423, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_drenn_zebber_q1_needed, "object/tangible/mission/quest_item/shared_drenn_zebber_q1_needed.iff") object_tangible_mission_quest_item_shared_ebenn_baobab_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_ebenn_baobab_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:ebenn_baobab_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:ebenn_baobab_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1335716161, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_ebenn_baobab_q2_needed, "object/tangible/mission/quest_item/shared_ebenn_baobab_q2_needed.iff") object_tangible_mission_quest_item_shared_ebenn_baobab_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_ebenn_baobab_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:ebenn_baobab_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:ebenn_baobab_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1215007303, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_ebenn_baobab_q3_needed, "object/tangible/mission/quest_item/shared_ebenn_baobab_q3_needed.iff") object_tangible_mission_quest_item_shared_feedback_controller = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_feedback_controller.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_tool_datapad.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@item_n:feedback_controller", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "@item_n:feedback_controller", noBuildRadius = 0, objectName = "@item_n:feedback_controller", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 4176227908, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_feedback_controller, "object/tangible/mission/quest_item/shared_feedback_controller.iff") object_tangible_mission_quest_item_shared_figrindan_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_figrindan_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:figrindan_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:figrindan_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 153181486, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_figrindan_q1_needed, "object/tangible/mission/quest_item/shared_figrindan_q1_needed.iff") object_tangible_mission_quest_item_shared_figrindan_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_figrindan_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:figrindan_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:figrindan_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 20609060, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_figrindan_q2_needed, "object/tangible/mission/quest_item/shared_figrindan_q2_needed.iff") object_tangible_mission_quest_item_shared_figrindan_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_figrindan_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:figrindan_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:figrindan_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 114072354, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_figrindan_q3_needed, "object/tangible/mission/quest_item/shared_figrindan_q3_needed.iff") object_tangible_mission_quest_item_shared_fixer_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_fixer_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_engine.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:fixer_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:fixer_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1275277718, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_fixer_q1_needed, "object/tangible/mission/quest_item/shared_fixer_q1_needed.iff") object_tangible_mission_quest_item_shared_fixer_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_fixer_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_engine_component.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:fixer_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:fixer_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1139734426, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_fixer_q3_needed, "object/tangible/mission/quest_item/shared_fixer_q3_needed.iff") object_tangible_mission_quest_item_shared_garm_beliblis_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_garm_beliblis_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:garm_beliblis_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:garm_beliblis_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3270538959, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_garm_beliblis_q2_needed, "object/tangible/mission/quest_item/shared_garm_beliblis_q2_needed.iff") object_tangible_mission_quest_item_shared_gilad_pellaeon_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_gilad_pellaeon_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:gilad_pellaeon_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:gilad_pellaeon_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3066980718, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_gilad_pellaeon_q1_needed, "object/tangible/mission/quest_item/shared_gilad_pellaeon_q1_needed.iff") object_tangible_mission_quest_item_shared_gilad_pellaeon_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_gilad_pellaeon_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:gilad_pellaeon_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:gilad_pellaeon_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3201649764, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_gilad_pellaeon_q2_needed, "object/tangible/mission/quest_item/shared_gilad_pellaeon_q2_needed.iff") object_tangible_mission_quest_item_shared_gilker_budz_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_gilker_budz_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:gilker_budz_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:gilker_budz_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1062635978, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_gilker_budz_q1_needed, "object/tangible/mission/quest_item/shared_gilker_budz_q1_needed.iff") object_tangible_mission_quest_item_shared_ging_darjeek_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_ging_darjeek_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:ging_darjeek_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:ging_darjeek_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1909895567, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_ging_darjeek_q1_needed, "object/tangible/mission/quest_item/shared_ging_darjeek_q1_needed.iff") object_tangible_mission_quest_item_shared_gins_darone_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_gins_darone_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/wp_pistol_jawa.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_yavn_d:gins_darone_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_yavn_n:gins_darone_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 848766472, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_gins_darone_q1_needed, "object/tangible/mission/quest_item/shared_gins_darone_q1_needed.iff") object_tangible_mission_quest_item_shared_gins_darone_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_gins_darone_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/wp_sp_vibroknuckler.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_yavn_d:gins_darone_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_yavn_n:gins_darone_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 982254338, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_gins_darone_q2_needed, "object/tangible/mission/quest_item/shared_gins_darone_q2_needed.iff") object_tangible_mission_quest_item_shared_graf_zapalo_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_graf_zapalo_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_medic_antidote_sm_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:graf_zapalo_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:graf_zapalo_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2601533339, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_graf_zapalo_q2_needed, "object/tangible/mission/quest_item/shared_graf_zapalo_q2_needed.iff") object_tangible_mission_quest_item_shared_graf_zapalo_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_graf_zapalo_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:graf_zapalo_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:graf_zapalo_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2632375453, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_graf_zapalo_q3_needed, "object/tangible/mission/quest_item/shared_graf_zapalo_q3_needed.iff") object_tangible_mission_quest_item_shared_gravin_attal_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_gravin_attal_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tals_d:gravin_attal_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tals_n:gravin_attal_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3346488460, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_gravin_attal_q1_needed, "object/tangible/mission/quest_item/shared_gravin_attal_q1_needed.iff") object_tangible_mission_quest_item_shared_gravin_attal_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_gravin_attal_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_engine_component.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tals_d:gravin_attal_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tals_n:gravin_attal_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3479992710, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_gravin_attal_q2_needed, "object/tangible/mission/quest_item/shared_gravin_attal_q2_needed.iff") object_tangible_mission_quest_item_shared_green_laser_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_green_laser_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tals_d:green_laser_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tals_n:green_laser_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3862327670, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_green_laser_q1_needed, "object/tangible/mission/quest_item/shared_green_laser_q1_needed.iff") object_tangible_mission_quest_item_shared_grondorn_muse_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_grondorn_muse_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:grondorn_muse_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:grondorn_muse_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1444934081, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_grondorn_muse_q2_needed, "object/tangible/mission/quest_item/shared_grondorn_muse_q2_needed.iff") object_tangible_mission_quest_item_shared_hagrin_zeed_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_hagrin_zeed_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tals_d:hagrin_zeed_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tals_n:hagrin_zeed_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1783655886, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_hagrin_zeed_q1_needed, "object/tangible/mission/quest_item/shared_hagrin_zeed_q1_needed.iff") object_tangible_mission_quest_item_shared_hagrin_zeed_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_hagrin_zeed_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tals_d:hagrin_zeed_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tals_n:hagrin_zeed_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1649100996, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_hagrin_zeed_q2_needed, "object/tangible/mission/quest_item/shared_hagrin_zeed_q2_needed.iff") object_tangible_mission_quest_item_shared_hal_horn_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_hal_horn_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:hal_horn_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:hal_horn_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2483021006, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_hal_horn_q1_needed, "object/tangible/mission/quest_item/shared_hal_horn_q1_needed.iff") object_tangible_mission_quest_item_shared_haleen_snowline_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_haleen_snowline_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tals_d:haleen_snowline_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tals_n:haleen_snowline_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 135220430, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_haleen_snowline_q1_needed, "object/tangible/mission/quest_item/shared_haleen_snowline_q1_needed.iff") object_tangible_mission_quest_item_shared_haleen_snowline_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_haleen_snowline_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tals_d:haleen_snowline_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tals_n:haleen_snowline_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1337796, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_haleen_snowline_q2_needed, "object/tangible/mission/quest_item/shared_haleen_snowline_q2_needed.iff") object_tangible_mission_quest_item_shared_hedon_istee_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_hedon_istee_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_document_s01.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:hedon_istee_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:hedon_istee_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3252161065, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_hedon_istee_q3_needed, "object/tangible/mission/quest_item/shared_hedon_istee_q3_needed.iff") object_tangible_mission_quest_item_shared_hefsen_zindalai_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_hefsen_zindalai_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_rori_d:hefsen_zindalai_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_rori_n:hefsen_zindalai_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 828118213, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_hefsen_zindalai_q1_needed, "object/tangible/mission/quest_item/shared_hefsen_zindalai_q1_needed.iff") object_tangible_mission_quest_item_shared_ian_logo_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_ian_logo_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_comp_sensor_package_unit.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:ian_lago_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:ian_lago_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3136963652, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_ian_logo_q1_needed, "object/tangible/mission/quest_item/shared_ian_logo_q1_needed.iff") object_tangible_mission_quest_item_shared_ian_logo_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_ian_logo_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:ian_lago_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:ian_lago_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3038216776, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_ian_logo_q3_needed, "object/tangible/mission/quest_item/shared_ian_logo_q3_needed.iff") object_tangible_mission_quest_item_shared_igbi_freemo_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_igbi_freemo_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_briefcase.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tals_d:igbi_freemo_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tals_n:igbi_freemo_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 753804918, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_igbi_freemo_q2_needed, "object/tangible/mission/quest_item/shared_igbi_freemo_q2_needed.iff") object_tangible_mission_quest_item_shared_ikka_gesul_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_ikka_gesul_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:ikka_gesul_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:ikka_gesul_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 896881297, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_ikka_gesul_q2_needed, "object/tangible/mission/quest_item/shared_ikka_gesul_q2_needed.iff") object_tangible_mission_quest_item_shared_indintra_imbru_yerevan_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_indintra_imbru_yerevan_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_rori_d:indintra_imbru_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_rori_n:indintra_imbru_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 104299049, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_indintra_imbru_yerevan_q1_needed, "object/tangible/mission/quest_item/shared_indintra_imbru_yerevan_q1_needed.iff") object_tangible_mission_quest_item_shared_indintra_imbru_yerevan_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_indintra_imbru_yerevan_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_rori_d:indintra_imbru_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_rori_n:indintra_imbru_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 237788963, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_indintra_imbru_yerevan_q2_needed, "object/tangible/mission/quest_item/shared_indintra_imbru_yerevan_q2_needed.iff") object_tangible_mission_quest_item_shared_jadam_questrel_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_jadam_questrel_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:jadam_questrel_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:jadam_questrel_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 373666081, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_jadam_questrel_q1_needed, "object/tangible/mission/quest_item/shared_jadam_questrel_q1_needed.iff") object_tangible_mission_quest_item_shared_jaleela_bindoo_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_jaleela_bindoo_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/frn_all_painting_ronka.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_rori_d:jaleela_bindoo_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_rori_n:jaleela_bindoo_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1190917197, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_jaleela_bindoo_q1_needed, "object/tangible/mission/quest_item/shared_jaleela_bindoo_q1_needed.iff") object_tangible_mission_quest_item_shared_jaleela_bindoo_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_jaleela_bindoo_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_rori_d:jaleela_bindoo_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_rori_n:jaleela_bindoo_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1226191425, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_jaleela_bindoo_q3_needed, "object/tangible/mission/quest_item/shared_jaleela_bindoo_q3_needed.iff") object_tangible_mission_quest_item_shared_jaleela_bindoo_q4_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_jaleela_bindoo_q4_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_rori_d:jaleela_bindoo_q4_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_rori_n:jaleela_bindoo_q4_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1591122771, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_jaleela_bindoo_q4_needed, "object/tangible/mission/quest_item/shared_jaleela_bindoo_q4_needed.iff") object_tangible_mission_quest_item_shared_jatrian_lytus_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_jatrian_lytus_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dant_d:jatrian_lytus_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dant_n:jatrian_lytus_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 224919357, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_jatrian_lytus_q3_needed, "object/tangible/mission/quest_item/shared_jatrian_lytus_q3_needed.iff") object_tangible_mission_quest_item_shared_jazeen_thurmm_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_jazeen_thurmm_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_briefcase.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_yavn_d:jazeen_thurmm_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_yavn_n:jazeen_thurmm_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1966647565, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_jazeen_thurmm_q1_needed, "object/tangible/mission/quest_item/shared_jazeen_thurmm_q1_needed.iff") object_tangible_mission_quest_item_shared_junelle_astor_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_junelle_astor_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:junelle_astor_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:junelle_astor_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3685390687, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_junelle_astor_q1_needed, "object/tangible/mission/quest_item/shared_junelle_astor_q1_needed.iff") object_tangible_mission_quest_item_shared_junelle_astor_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_junelle_astor_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/con_gen_inorganic_gas.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:junelle_astor_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:junelle_astor_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3561447251, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_junelle_astor_q3_needed, "object/tangible/mission/quest_item/shared_junelle_astor_q3_needed.iff") object_tangible_mission_quest_item_shared_jusani_zhord_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_jusani_zhord_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_briefcase.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tals_d:jusani_zhord_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tals_n:jusani_zhord_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3165505661, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_jusani_zhord_q1_needed, "object/tangible/mission/quest_item/shared_jusani_zhord_q1_needed.iff") object_tangible_mission_quest_item_shared_jyr_koble_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_jyr_koble_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:jyr_koble_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:jyr_koble_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3558096182, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_jyr_koble_q1_needed, "object/tangible/mission/quest_item/shared_jyr_koble_q1_needed.iff") object_tangible_mission_quest_item_shared_jyr_koble_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_jyr_koble_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:jyr_koble_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:jyr_koble_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3690593082, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_jyr_koble_q3_needed, "object/tangible/mission/quest_item/shared_jyr_koble_q3_needed.iff") object_tangible_mission_quest_item_shared_jyr_koble_q4_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_jyr_koble_q4_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:jyr_koble_q4_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:jyr_koble_q4_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3426308648, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_jyr_koble_q4_needed, "object/tangible/mission/quest_item/shared_jyr_koble_q4_needed.iff") object_tangible_mission_quest_item_shared_kadil_nurugen_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_kadil_nurugen_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:kadil_nurugen_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:kadil_nurugen_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 900691098, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_kadil_nurugen_q1_needed, "object/tangible/mission/quest_item/shared_kadil_nurugen_q1_needed.iff") object_tangible_mission_quest_item_shared_kaeline_ungasan_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_kaeline_ungasan_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:kaeline_ungasan_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:kaeline_ungasan_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1452769693, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_kaeline_ungasan_q1_needed, "object/tangible/mission/quest_item/shared_kaeline_ungasan_q1_needed.iff") object_tangible_mission_quest_item_shared_kaeline_ungasan_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_kaeline_ungasan_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:kaeline_ungasan_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:kaeline_ungasan_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1586275479, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_kaeline_ungasan_q2_needed, "object/tangible/mission/quest_item/shared_kaeline_ungasan_q2_needed.iff") object_tangible_mission_quest_item_shared_kais_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_kais_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_con_tato_jar_guts_s01.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dath_d:kais_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dath_n:kais_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1060398386, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_kais_q1_needed, "object/tangible/mission/quest_item/shared_kais_q1_needed.iff") object_tangible_mission_quest_item_shared_kais_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_kais_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_con_tato_jar_funk_s01.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dath_d:kais_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dath_n:kais_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 925843512, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_kais_q2_needed, "object/tangible/mission/quest_item/shared_kais_q2_needed.iff") object_tangible_mission_quest_item_shared_kais_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_kais_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_con_tato_jar_spice_s02.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dath_d:kais_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dath_n:kais_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 819569470, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_kais_q3_needed, "object/tangible/mission/quest_item/shared_kais_q3_needed.iff") object_tangible_mission_quest_item_shared_karena_keer_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_karena_keer_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:karena_keer_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:karena_keer_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2116306072, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_karena_keer_q1_needed, "object/tangible/mission/quest_item/shared_karena_keer_q1_needed.iff") object_tangible_mission_quest_item_shared_karena_keer_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_karena_keer_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_con_tato_jar_spice_s03.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:karena_keer_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:karena_keer_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1983865234, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_karena_keer_q2_needed, "object/tangible/mission/quest_item/shared_karena_keer_q2_needed.iff") object_tangible_mission_quest_item_shared_karrek_film_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_karrek_film_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:karrek_film_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:karrek_film_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 937788468, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_karrek_film_q1_needed, "object/tangible/mission/quest_item/shared_karrek_film_q1_needed.iff") object_tangible_mission_quest_item_shared_karrek_film_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_karrek_film_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:karrek_film_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:karrek_film_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1073652030, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_karrek_film_q2_needed, "object/tangible/mission/quest_item/shared_karrek_film_q2_needed.iff") object_tangible_mission_quest_item_shared_karrek_film_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_karrek_film_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/con_gen_inorganic_gas.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:karrek_film_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:karrek_film_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 940065336, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_karrek_film_q3_needed, "object/tangible/mission/quest_item/shared_karrek_film_q3_needed.iff") object_tangible_mission_quest_item_shared_kelvus_naria_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_kelvus_naria_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dant_d:kelvus_naria_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dant_n:kelvus_naria_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 643250440, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_kelvus_naria_q1_needed, "object/tangible/mission/quest_item/shared_kelvus_naria_q1_needed.iff") object_tangible_mission_quest_item_shared_kirkin_liawoon_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_kirkin_liawoon_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:kirkin_liawoon_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:kirkin_liawoon_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2996552062, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_kirkin_liawoon_q2_needed, "object/tangible/mission/quest_item/shared_kirkin_liawoon_q2_needed.iff") object_tangible_mission_quest_item_shared_kitster_banai_q5_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_kitster_banai_q5_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:kitster_banai_q5_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:kitster_banai_q5_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 116404538, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_kitster_banai_q5_needed, "object/tangible/mission/quest_item/shared_kitster_banai_q5_needed.iff") object_tangible_mission_quest_item_shared_kormund_thrylle_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_kormund_thrylle_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:kormund_thrylle_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:kormund_thrylle_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1774093383, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_kormund_thrylle_q1_needed, "object/tangible/mission/quest_item/shared_kormund_thrylle_q1_needed.iff") object_tangible_mission_quest_item_shared_kritus_morven_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_kritus_morven_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:kritus_morven_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:kritus_morven_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3710443198, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_kritus_morven_q1_needed, "object/tangible/mission/quest_item/shared_kritus_morven_q1_needed.iff") object_tangible_mission_quest_item_shared_kritus_morven_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_kritus_morven_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:kritus_morven_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:kritus_morven_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3576953780, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_kritus_morven_q2_needed, "object/tangible/mission/quest_item/shared_kritus_morven_q2_needed.iff") object_tangible_mission_quest_item_shared_kritus_morven_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_kritus_morven_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:kritus_morven_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:kritus_morven_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3536132274, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_kritus_morven_q3_needed, "object/tangible/mission/quest_item/shared_kritus_morven_q3_needed.iff") object_tangible_mission_quest_item_shared_kritus_morven_q5_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_kritus_morven_q5_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_medic_stimpack_sm_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:kritus_morven_q5_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:kritus_morven_q5_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3270726310, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_kritus_morven_q5_needed, "object/tangible/mission/quest_item/shared_kritus_morven_q5_needed.iff") object_tangible_mission_quest_item_shared_kylantha_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_kylantha_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_disguise_kit_materials_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:kylantha_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:kylantha_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2573148736, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_kylantha_q1_needed, "object/tangible/mission/quest_item/shared_kylantha_q1_needed.iff") object_tangible_mission_quest_item_shared_kylantha_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_kylantha_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:kylantha_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:kylantha_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2437154634, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_kylantha_q2_needed, "object/tangible/mission/quest_item/shared_kylantha_q2_needed.iff") object_tangible_mission_quest_item_shared_lasha_bindari_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_lasha_bindari_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:lasha_bindari_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:lasha_bindari_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3401487746, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_lasha_bindari_q1_needed, "object/tangible/mission/quest_item/shared_lasha_bindari_q1_needed.iff") object_tangible_mission_quest_item_shared_leb_slesher_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_leb_slesher_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:leb_slesher_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:leb_slesher_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 4147603865, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_leb_slesher_q1_needed, "object/tangible/mission/quest_item/shared_leb_slesher_q1_needed.iff") object_tangible_mission_quest_item_shared_leb_slesher_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_leb_slesher_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:leb_slesher_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:leb_slesher_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 4281093267, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_leb_slesher_q2_needed, "object/tangible/mission/quest_item/shared_leb_slesher_q2_needed.iff") object_tangible_mission_quest_item_shared_leb_slesher_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_leb_slesher_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:leb_slesher_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:leb_slesher_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 4175081365, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_leb_slesher_q3_needed, "object/tangible/mission/quest_item/shared_leb_slesher_q3_needed.iff") object_tangible_mission_quest_item_shared_lergo_brazee_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_lergo_brazee_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:lergo_brazee_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:lergo_brazee_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 30504142, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_lergo_brazee_q1_needed, "object/tangible/mission/quest_item/shared_lergo_brazee_q1_needed.iff") object_tangible_mission_quest_item_shared_lian_byrne_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_lian_byrne_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_yavn_d:lian_byrne_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_yavn_n:lian_byrne_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 4211658393, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_lian_byrne_q1_needed, "object/tangible/mission/quest_item/shared_lian_byrne_q1_needed.iff") object_tangible_mission_quest_item_shared_lian_byrne_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_lian_byrne_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_yavn_d:lian_byrne_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_yavn_n:lian_byrne_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 4108650645, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_lian_byrne_q3_needed, "object/tangible/mission/quest_item/shared_lian_byrne_q3_needed.iff") object_tangible_mission_quest_item_shared_liane_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_liane_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_music_mandoviol.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:liane_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:liane_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 711653844, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_liane_q1_needed, "object/tangible/mission/quest_item/shared_liane_q1_needed.iff") object_tangible_mission_quest_item_shared_liane_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_liane_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:liane_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:liane_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 577887454, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_liane_q2_needed, "object/tangible/mission/quest_item/shared_liane_q2_needed.iff") object_tangible_mission_quest_item_shared_liane_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_liane_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:liane_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:liane_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 629620696, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_liane_q3_needed, "object/tangible/mission/quest_item/shared_liane_q3_needed.iff") object_tangible_mission_quest_item_shared_lilas_dinhint_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_lilas_dinhint_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/robe_tusken_raider_s02_m.sat", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:lilas_dinhint_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:lilas_dinhint_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 405736035, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_lilas_dinhint_q1_needed, "object/tangible/mission/quest_item/shared_lilas_dinhint_q1_needed.iff") object_tangible_mission_quest_item_shared_lilas_dinhint_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_lilas_dinhint_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/armor_padded_s01_chest_plate_f.sat", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:lilas_dinhint_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:lilas_dinhint_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 271855465, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_lilas_dinhint_q2_needed, "object/tangible/mission/quest_item/shared_lilas_dinhint_q2_needed.iff") object_tangible_mission_quest_item_shared_lilas_dinhint_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_lilas_dinhint_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_survey_ore.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:lilas_dinhint_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:lilas_dinhint_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 398642287, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_lilas_dinhint_q3_needed, "object/tangible/mission/quest_item/shared_lilas_dinhint_q3_needed.iff") object_tangible_mission_quest_item_shared_lilas_dinhint_q4_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_lilas_dinhint_q4_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_all_meat_s01.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:lilas_dinhint_q4_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:lilas_dinhint_q4_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 157053, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_lilas_dinhint_q4_needed, "object/tangible/mission/quest_item/shared_lilas_dinhint_q4_needed.iff") object_tangible_mission_quest_item_shared_lob_dizz_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_lob_dizz_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:lob_dizz_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:lob_dizz_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1696726449, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_lob_dizz_q3_needed, "object/tangible/mission/quest_item/shared_lob_dizz_q3_needed.iff") object_tangible_mission_quest_item_shared_luthik_uwyr_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_luthik_uwyr_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_holocron_splinters.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dant_d:luthik_uwyr_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dant_n:luthik_uwyr_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1195800723, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_luthik_uwyr_q2_needed, "object/tangible/mission/quest_item/shared_luthik_uwyr_q2_needed.iff") object_tangible_mission_quest_item_shared_luthik_uwyr_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_luthik_uwyr_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/hum_m_hair_s16.sat", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dant_d:luthik_uwyr_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dant_n:luthik_uwyr_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1085315989, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_luthik_uwyr_q3_needed, "object/tangible/mission/quest_item/shared_luthik_uwyr_q3_needed.iff") object_tangible_mission_quest_item_shared_luthin_dlunar_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_luthin_dlunar_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:luthin_dlunar_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:luthin_dlunar_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1189726815, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_luthin_dlunar_q1_needed, "object/tangible/mission/quest_item/shared_luthin_dlunar_q1_needed.iff") object_tangible_mission_quest_item_shared_luthin_dlunar_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_luthin_dlunar_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:luthin_dlunar_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:luthin_dlunar_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1324543829, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_luthin_dlunar_q2_needed, "object/tangible/mission/quest_item/shared_luthin_dlunar_q2_needed.iff") object_tangible_mission_quest_item_shared_lx466_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_lx466_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_con_ration_kit_m.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dant_d:lx466_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dant_n:lx466_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 122267561, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_lx466_q2_needed, "object/tangible/mission/quest_item/shared_lx466_q2_needed.iff") object_tangible_mission_quest_item_shared_lx466_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_lx466_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_tool_recording_rod.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dant_d:lx466_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dant_n:lx466_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 12534959, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_lx466_q3_needed, "object/tangible/mission/quest_item/shared_lx466_q3_needed.iff") object_tangible_mission_quest_item_shared_mal_sikander_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_mal_sikander_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/wp_pistol_scout.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:mal_sikander_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:mal_sikander_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3787453530, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_mal_sikander_q1_needed, "object/tangible/mission/quest_item/shared_mal_sikander_q1_needed.iff") object_tangible_mission_quest_item_shared_mal_sikander_q5_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_mal_sikander_q5_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:mal_sikander_q5_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:mal_sikander_q5_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 4267997250, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_mal_sikander_q5_needed, "object/tangible/mission/quest_item/shared_mal_sikander_q5_needed.iff") object_tangible_mission_quest_item_shared_mat_rags_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_mat_rags_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_all_meat_s01.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:mat_rags_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:mat_rags_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2123489242, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_mat_rags_q1_needed, "object/tangible/mission/quest_item/shared_mat_rags_q1_needed.iff") object_tangible_mission_quest_item_shared_mat_rags_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_mat_rags_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_filled_pastry.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:mat_rags_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:mat_rags_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1988819664, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_mat_rags_q2_needed, "object/tangible/mission/quest_item/shared_mat_rags_q2_needed.iff") object_tangible_mission_quest_item_shared_mat_rags_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_mat_rags_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/frn_all_decorative_sm_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:mat_rags_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:mat_rags_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1903958486, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_mat_rags_q3_needed, "object/tangible/mission/quest_item/shared_mat_rags_q3_needed.iff") object_tangible_mission_quest_item_shared_mat_rags_q4_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_mat_rags_q4_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_filled_pastry.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:mat_rags_q4_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:mat_rags_q4_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1723642052, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_mat_rags_q4_needed, "object/tangible/mission/quest_item/shared_mat_rags_q4_needed.iff") object_tangible_mission_quest_item_shared_megan_drlar_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_megan_drlar_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_engine_component.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_yavn_d:megan_drlar_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_yavn_n:megan_drlar_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3913193492, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_megan_drlar_q2_needed, "object/tangible/mission/quest_item/shared_megan_drlar_q2_needed.iff") object_tangible_mission_quest_item_shared_melios_purl_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_melios_purl_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_filled_pastry.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:melios_purl_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:melios_purl_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1349487784, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_melios_purl_q2_needed, "object/tangible/mission/quest_item/shared_melios_purl_q2_needed.iff") object_tangible_mission_quest_item_shared_melios_purl_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_melios_purl_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_medic_antidote_lg_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:melios_purl_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:melios_purl_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1469673390, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_melios_purl_q3_needed, "object/tangible/mission/quest_item/shared_melios_purl_q3_needed.iff") object_tangible_mission_quest_item_shared_morag_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_morag_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/force_amplification_crystal.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_endr_d:morag_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_endr_n:morag_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1784339058, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_morag_q2_needed, "object/tangible/mission/quest_item/shared_morag_q2_needed.iff") object_tangible_mission_quest_item_shared_mozo_bondog_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_mozo_bondog_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/backpack_s05_m.sat", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dath_d:mozo_bondog_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dath_n:mozo_bondog_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 4215350829, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_mozo_bondog_q2_needed, "object/tangible/mission/quest_item/shared_mozo_bondog_q2_needed.iff") object_tangible_mission_quest_item_shared_mullud_bombo_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_mullud_bombo_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_survival_climbing_equipment_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:mullud_bombo_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:mullud_bombo_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 289927562, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_mullud_bombo_q1_needed, "object/tangible/mission/quest_item/shared_mullud_bombo_q1_needed.iff") object_tangible_mission_quest_item_shared_mullud_bombo_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_mullud_bombo_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:mullud_bombo_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:mullud_bombo_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 425514112, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_mullud_bombo_q2_needed, "object/tangible/mission/quest_item/shared_mullud_bombo_q2_needed.iff") object_tangible_mission_quest_item_shared_nass_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_nass_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:nass_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:nass_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1722057504, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_nass_q1_needed, "object/tangible/mission/quest_item/shared_nass_q1_needed.iff") object_tangible_mission_quest_item_shared_noren_krast_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_noren_krast_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:noren_krast_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:noren_krast_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3767145747, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_noren_krast_q1_needed, "object/tangible/mission/quest_item/shared_noren_krast_q1_needed.iff") object_tangible_mission_quest_item_shared_noren_krast_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_noren_krast_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:noren_krast_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:noren_krast_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3901829145, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_noren_krast_q2_needed, "object/tangible/mission/quest_item/shared_noren_krast_q2_needed.iff") object_tangible_mission_quest_item_shared_noren_krast_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_noren_krast_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:noren_krast_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:noren_krast_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 4016558879, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_noren_krast_q3_needed, "object/tangible/mission/quest_item/shared_noren_krast_q3_needed.iff") object_tangible_mission_quest_item_shared_nurla_slinthiss_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_nurla_slinthiss_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tals_d:nurla_slinthiss_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tals_n:nurla_slinthiss_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3385151380, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_nurla_slinthiss_q1_needed, "object/tangible/mission/quest_item/shared_nurla_slinthiss_q1_needed.iff") object_tangible_mission_quest_item_shared_nurla_slinthiss_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_nurla_slinthiss_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tals_d:nurla_slinthiss_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tals_n:nurla_slinthiss_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3324545432, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_nurla_slinthiss_q3_needed, "object/tangible/mission/quest_item/shared_nurla_slinthiss_q3_needed.iff") object_tangible_mission_quest_item_shared_oron_wintree_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_oron_wintree_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:oron_wintree_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:oron_wintree_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2491310445, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_oron_wintree_q1_needed, "object/tangible/mission/quest_item/shared_oron_wintree_q1_needed.iff") object_tangible_mission_quest_item_shared_output_governor = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_output_governor.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_tool_datapad.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@item_n:output_governor", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "@item_n:output_governor", noBuildRadius = 0, objectName = "@item_n:output_governor", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2448376358, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_output_governor, "object/tangible/mission/quest_item/shared_output_governor.iff") object_tangible_mission_quest_item_shared_oxil_sarban_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_oxil_sarban_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_rori_d:oxil_sarban_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_rori_n:oxil_sarban_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1007650043, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_oxil_sarban_q1_needed, "object/tangible/mission/quest_item/shared_oxil_sarban_q1_needed.iff") object_tangible_mission_quest_item_shared_oxil_sarban_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_oxil_sarban_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_holocron_splinters.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_rori_d:oxil_sarban_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_rori_n:oxil_sarban_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 873767409, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_oxil_sarban_q2_needed, "object/tangible/mission/quest_item/shared_oxil_sarban_q2_needed.iff") object_tangible_mission_quest_item_shared_pooja_naberrie_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_pooja_naberrie_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:pooja_naberrie_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:pooja_naberrie_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1961361819, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_pooja_naberrie_q1_needed, "object/tangible/mission/quest_item/shared_pooja_naberrie_q1_needed.iff") object_tangible_mission_quest_item_shared_pooja_naberrie_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_pooja_naberrie_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:pooja_naberrie_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:pooja_naberrie_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2096309393, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_pooja_naberrie_q2_needed, "object/tangible/mission/quest_item/shared_pooja_naberrie_q2_needed.iff") object_tangible_mission_quest_item_shared_pooja_naberrie_q5_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_pooja_naberrie_q5_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/con_gen_organic_hide.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:pooja_naberrie_q5_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:pooja_naberrie_q5_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1798540675, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_pooja_naberrie_q5_needed, "object/tangible/mission/quest_item/shared_pooja_naberrie_q5_needed.iff") object_tangible_mission_quest_item_shared_power_regulator = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_power_regulator.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_tool_datapad.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@item_n:output_regulator", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "@item_n:output_regulator", noBuildRadius = 0, objectName = "@item_n:output_regulator", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 91462153, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_power_regulator, "object/tangible/mission/quest_item/shared_power_regulator.iff") object_tangible_mission_quest_item_shared_radanthus_mandelatara_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_radanthus_mandelatara_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/con_gen_organic_hide_sml.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:radanthus_mandelatara_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:radanthus_mandelatara_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 269215799, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_radanthus_mandelatara_q2_needed, "object/tangible/mission/quest_item/shared_radanthus_mandelatara_q2_needed.iff") object_tangible_mission_quest_item_shared_radanthus_mandelatara_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_radanthus_mandelatara_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_armor_rpr_kit_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:radanthus_mandelatara_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:radanthus_mandelatara_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 402459441, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_radanthus_mandelatara_q3_needed, "object/tangible/mission/quest_item/shared_radanthus_mandelatara_q3_needed.iff") object_tangible_mission_quest_item_shared_radlee_mathiss_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_radlee_mathiss_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tals_d:radlee_mathiss_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tals_n:radlee_mathiss_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2036787588, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_radlee_mathiss_q1_needed, "object/tangible/mission/quest_item/shared_radlee_mathiss_q1_needed.iff") object_tangible_mission_quest_item_shared_raglith_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_raglith_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_filled_pastry.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_endr_d:raglith_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_endr_n:raglith_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2266234349, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_raglith_q3_needed, "object/tangible/mission/quest_item/shared_raglith_q3_needed.iff") object_tangible_mission_quest_item_shared_rakir_banai_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_rakir_banai_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:rakir_banai_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:rakir_banai_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2060219830, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_rakir_banai_q2_needed, "object/tangible/mission/quest_item/shared_rakir_banai_q2_needed.iff") object_tangible_mission_quest_item_shared_rakir_banai_q4_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_rakir_banai_q4_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:rakir_banai_q4_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:rakir_banai_q4_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1794785186, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_rakir_banai_q4_needed, "object/tangible/mission/quest_item/shared_rakir_banai_q4_needed.iff") object_tangible_mission_quest_item_shared_rep_been_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_rep_been_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:rep_been_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:rep_been_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1676232329, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_rep_been_q1_needed, "object/tangible/mission/quest_item/shared_rep_been_q1_needed.iff") object_tangible_mission_quest_item_shared_ric_olie_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_ric_olie_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:ric_olie_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:ric_olie_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 887722995, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_ric_olie_q1_needed, "object/tangible/mission/quest_item/shared_ric_olie_q1_needed.iff") object_tangible_mission_quest_item_shared_rovim_minnoni_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_rovim_minnoni_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_tool_radio_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:rovim_minnoni_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:rovim_minnoni_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2473963928, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_rovim_minnoni_q1_needed, "object/tangible/mission/quest_item/shared_rovim_minnoni_q1_needed.iff") object_tangible_mission_quest_item_shared_ruwan_tokai_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_ruwan_tokai_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_comp_warhead_electronic.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_yavn_d:ruwan_tokai_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_yavn_n:ruwan_tokai_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 427703742, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_ruwan_tokai_q1_needed, "object/tangible/mission/quest_item/shared_ruwan_tokai_q1_needed.iff") object_tangible_mission_quest_item_shared_ruwan_tokai_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_ruwan_tokai_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_yavn_d:ruwan_tokai_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_yavn_n:ruwan_tokai_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 291838132, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_ruwan_tokai_q2_needed, "object/tangible/mission/quest_item/shared_ruwan_tokai_q2_needed.iff") object_tangible_mission_quest_item_shared_sango_rond_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_sango_rond_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_comp_electronic_module_complex.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:sango_rond_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:sango_rond_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2151494415, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_sango_rond_q1_needed, "object/tangible/mission/quest_item/shared_sango_rond_q1_needed.iff") object_tangible_mission_quest_item_shared_sayama_edosun_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_sayama_edosun_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_medic_bacta_tank_advanced.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:sayama_edosun_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:sayama_edosun_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3884406312, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_sayama_edosun_q1_needed, "object/tangible/mission/quest_item/shared_sayama_edosun_q1_needed.iff") object_tangible_mission_quest_item_shared_sayama_edosun_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_sayama_edosun_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:sayama_edosun_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:sayama_edosun_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 4020007714, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_sayama_edosun_q2_needed, "object/tangible/mission/quest_item/shared_sayama_edosun_q2_needed.iff") object_tangible_mission_quest_item_shared_sayama_edosun_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_sayama_edosun_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/con_gen_organic_hide.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:sayama_edosun_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:sayama_edosun_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3899297828, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_sayama_edosun_q3_needed, "object/tangible/mission/quest_item/shared_sayama_edosun_q3_needed.iff") object_tangible_mission_quest_item_shared_senni_tonnika_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_senni_tonnika_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:senni_tonnika_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:senni_tonnika_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2412100000, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_senni_tonnika_q1_needed, "object/tangible/mission/quest_item/shared_senni_tonnika_q1_needed.iff") object_tangible_mission_quest_item_shared_senni_tonnika_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_senni_tonnika_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:senni_tonnika_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:senni_tonnika_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2279513258, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_senni_tonnika_q2_needed, "object/tangible/mission/quest_item/shared_senni_tonnika_q2_needed.iff") object_tangible_mission_quest_item_shared_senni_tonnika_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_senni_tonnika_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:senni_tonnika_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:senni_tonnika_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2150137772, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_senni_tonnika_q3_needed, "object/tangible/mission/quest_item/shared_senni_tonnika_q3_needed.iff") object_tangible_mission_quest_item_shared_serena_fenner_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_serena_fenner_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:serena_fenner_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:serena_fenner_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3662733402, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_serena_fenner_q1_needed, "object/tangible/mission/quest_item/shared_serena_fenner_q1_needed.iff") object_tangible_mission_quest_item_shared_serena_fenner_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_serena_fenner_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:serena_fenner_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:serena_fenner_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3585943126, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_serena_fenner_q3_needed, "object/tangible/mission/quest_item/shared_serena_fenner_q3_needed.iff") object_tangible_mission_quest_item_shared_serjix_arrogantus_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_serjix_arrogantus_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:serjix_arrogantus_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:serjix_arrogantus_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1479422018, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_serjix_arrogantus_q1_needed, "object/tangible/mission/quest_item/shared_serjix_arrogantus_q1_needed.iff") object_tangible_mission_quest_item_shared_shaki_hamachil_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_shaki_hamachil_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/con_gen_inorganic_gas.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dath_d:shaki_hamachil_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dath_n:shaki_hamachil_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 748682048, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_shaki_hamachil_q1_needed, "object/tangible/mission/quest_item/shared_shaki_hamachil_q1_needed.iff") object_tangible_mission_quest_item_shared_shaki_hamachil_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_shaki_hamachil_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dath_d:shaki_hamachil_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dath_n:shaki_hamachil_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 612687434, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_shaki_hamachil_q2_needed, "object/tangible/mission/quest_item/shared_shaki_hamachil_q2_needed.iff") object_tangible_mission_quest_item_shared_shalera_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_shalera_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:shalera_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:shalera_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3462087162, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_shalera_q1_needed, "object/tangible/mission/quest_item/shared_shalera_q1_needed.iff") object_tangible_mission_quest_item_shared_shalera_q6_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_shalera_q6_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_medic_antidote_sm_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:shalera_q6_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:shalera_q6_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3650873576, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_shalera_q6_needed, "object/tangible/mission/quest_item/shared_shalera_q6_needed.iff") object_tangible_mission_quest_item_shared_sidoras_bey_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_sidoras_bey_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_rori_d:sidoras_bey_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_rori_n:sidoras_bey_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2665956312, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_sidoras_bey_q1_needed, "object/tangible/mission/quest_item/shared_sidoras_bey_q1_needed.iff") object_tangible_mission_quest_item_shared_sigrix_slix_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_sigrix_slix_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_con_barrel_lg_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tals_d:sigrix_slix_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tals_n:sigrix_slix_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2008112320, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_sigrix_slix_q1_needed, "object/tangible/mission/quest_item/shared_sigrix_slix_q1_needed.iff") object_tangible_mission_quest_item_shared_sigrix_slix_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_sigrix_slix_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_con_barrel_lg_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tals_d:sigrix_slix_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tals_n:sigrix_slix_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2141878730, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_sigrix_slix_q2_needed, "object/tangible/mission/quest_item/shared_sigrix_slix_q2_needed.iff") object_tangible_mission_quest_item_shared_sindra_lintikoor_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_sindra_lintikoor_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_rori_d:sindra_lintikoor_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_rori_n:sindra_lintikoor_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1411534999, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_sindra_lintikoor_q1_needed, "object/tangible/mission/quest_item/shared_sindra_lintikoor_q1_needed.iff") object_tangible_mission_quest_item_shared_sindra_lintikoor_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_sindra_lintikoor_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_rori_d:sindra_lintikoor_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_rori_n:sindra_lintikoor_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1547269533, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_sindra_lintikoor_q2_needed, "object/tangible/mission/quest_item/shared_sindra_lintikoor_q2_needed.iff") object_tangible_mission_quest_item_shared_singular_nak_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_singular_nak_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/wp_mle_sword_lightsaber_sleekblack.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dath_d:singular_nak_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dath_n:singular_nak_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1924055018, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_singular_nak_q1_needed, "object/tangible/mission/quest_item/shared_singular_nak_q1_needed.iff") object_tangible_mission_quest_item_shared_singular_nak_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_singular_nak_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/wp_mle_sword_lightsaber_sleekblack.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dath_d:singular_nak_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dath_n:singular_nak_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2058722016, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_singular_nak_q2_needed, "object/tangible/mission/quest_item/shared_singular_nak_q2_needed.iff") object_tangible_mission_quest_item_shared_slooni_jong_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_slooni_jong_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_briefcase.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tals_d:slooni_jong_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tals_n:slooni_jong_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2164733898, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_slooni_jong_q1_needed, "object/tangible/mission/quest_item/shared_slooni_jong_q1_needed.iff") object_tangible_mission_quest_item_shared_stella_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_stella_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:stella_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:stella_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 528594706, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_stella_q1_needed, "object/tangible/mission/quest_item/shared_stella_q1_needed.iff") object_tangible_mission_quest_item_shared_stella_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_stella_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:stella_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:stella_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 396005912, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_stella_q2_needed, "object/tangible/mission/quest_item/shared_stella_q2_needed.iff") object_tangible_mission_quest_item_shared_stella_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_stella_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:stella_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:stella_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 275542302, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_stella_q3_needed, "object/tangible/mission/quest_item/shared_stella_q3_needed.iff") object_tangible_mission_quest_item_shared_stoos_olko_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_stoos_olko_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_ledger.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dant_d:stoos_olko_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dant_n:stoos_olko_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2617025596, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_stoos_olko_q1_needed, "object/tangible/mission/quest_item/shared_stoos_olko_q1_needed.iff") object_tangible_mission_quest_item_shared_stoos_olko_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_stoos_olko_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_briefcase.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dant_d:stoos_olko_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dant_n:stoos_olko_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2481422646, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_stoos_olko_q2_needed, "object/tangible/mission/quest_item/shared_stoos_olko_q2_needed.iff") object_tangible_mission_quest_item_shared_stoos_olko_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_stoos_olko_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_ledger.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dant_d:stoos_olko_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dant_n:stoos_olko_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2484167216, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_stoos_olko_q3_needed, "object/tangible/mission/quest_item/shared_stoos_olko_q3_needed.iff") object_tangible_mission_quest_item_shared_surlin_rolei_q1_recruitment_disk = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_surlin_rolei_q1_recruitment_disk.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@quest_naboo_plc_quest_d:surlin_rolei_q1_recruitment_disk", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@quest_naboo_plc_quest_n:surlin_rolei_q1_recruitment_disk", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3849796149, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_surlin_rolei_q1_recruitment_disk, "object/tangible/mission/quest_item/shared_surlin_rolei_q1_recruitment_disk.iff") object_tangible_mission_quest_item_shared_surlin_rolei_q2_camera = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_surlin_rolei_q2_camera.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_camera.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@quest_naboo_plc_quest_d:surlin_rolei_q2_camera", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@quest_naboo_plc_quest_n:surlin_rolei_q2_camera", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1532630144, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_surlin_rolei_q2_camera, "object/tangible/mission/quest_item/shared_surlin_rolei_q2_camera.iff") object_tangible_mission_quest_item_shared_surlin_rolei_q6_spy_report = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_surlin_rolei_q6_spy_report.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@quest_naboo_plc_quest_d:surlin_rolei_q6_spy_report", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@quest_naboo_plc_quest_n:surlin_rolei_q6_spy_report", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3866569269, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_surlin_rolei_q6_spy_report, "object/tangible/mission/quest_item/shared_surlin_rolei_q6_spy_report.iff") object_tangible_mission_quest_item_shared_surlin_rolei_q6_stolen_info = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_surlin_rolei_q6_stolen_info.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_camera.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@quest_naboo_plc_quest_d:surlin_rolei_q2_camera", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@quest_naboo_plc_quest_n:surlin_rolei_q2_camera", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 894921043, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_surlin_rolei_q6_stolen_info, "object/tangible/mission/quest_item/shared_surlin_rolei_q6_stolen_info.iff") object_tangible_mission_quest_item_shared_syren1_locked_data = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_syren1_locked_data.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_datapad_s2.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@item_d:syren1_locked_datapad", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@item_n:syren1_locked_datapad", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1506127405, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_syren1_locked_data, "object/tangible/mission/quest_item/shared_syren1_locked_data.iff") object_tangible_mission_quest_item_shared_syren1_spice = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_syren1_spice.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_con_tato_jar_spice_s03.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@item_d:syren1_spice_sample", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@item_n:syren1_spice_sample", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 4059627158, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_syren1_spice, "object/tangible/mission/quest_item/shared_syren1_spice.iff") object_tangible_mission_quest_item_shared_syren1_warning = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_syren1_warning.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_datapad_s2.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@item_d:syren1_warning", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@item_n:syren1_warning", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3531632253, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_syren1_warning, "object/tangible/mission/quest_item/shared_syren1_warning.iff") object_tangible_mission_quest_item_shared_syren2_blacksun_base = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_syren2_blacksun_base.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_datapad_s2.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@item_d:syren2_datapad", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@item_n:syren2_datapad", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1332369757, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_syren2_blacksun_base, "object/tangible/mission/quest_item/shared_syren2_blacksun_base.iff") object_tangible_mission_quest_item_shared_szingo_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_szingo_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/wp_rifle_dlt20.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_endr_d:scholar_szingo_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_endr_n:scholar_szingo_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1954160177, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_szingo_q1_needed, "object/tangible/mission/quest_item/shared_szingo_q1_needed.iff") object_tangible_mission_quest_item_shared_talon_karrde_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_talon_karrde_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:talon_karrde_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:talon_karrde_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3820828760, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_talon_karrde_q1_needed, "object/tangible/mission/quest_item/shared_talon_karrde_q1_needed.iff") object_tangible_mission_quest_item_shared_talon_karrde_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_talon_karrde_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/con_gen_inorganic_gas.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:talon_karrde_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:talon_karrde_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3964730964, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_talon_karrde_q3_needed, "object/tangible/mission/quest_item/shared_talon_karrde_q3_needed.iff") object_tangible_mission_quest_item_shared_talon_karrde_q4_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_talon_karrde_q4_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_medic_antidote_sm_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:talon_karrde_q4_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:talon_karrde_q4_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 4220540742, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_talon_karrde_q4_needed, "object/tangible/mission/quest_item/shared_talon_karrde_q4_needed.iff") object_tangible_mission_quest_item_shared_tekil_barje_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_tekil_barje_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_medic_antidote_m_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:tekil_barje_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:tekil_barje_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1607172162, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_tekil_barje_q1_needed, "object/tangible/mission/quest_item/shared_tekil_barje_q1_needed.iff") object_tangible_mission_quest_item_shared_tekil_barje_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_tekil_barje_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_medic_antidote_m_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:tekil_barje_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:tekil_barje_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1344685646, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_tekil_barje_q3_needed, "object/tangible/mission/quest_item/shared_tekil_barje_q3_needed.iff") object_tangible_mission_quest_item_shared_terak_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_terak_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/wp_mle_lance_s01.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_endr_d:king_terak_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_endr_n:king_terak_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 210706787, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_terak_q1_needed, "object/tangible/mission/quest_item/shared_terak_q1_needed.iff") object_tangible_mission_quest_item_shared_terak_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_terak_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_repair_shields.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_endr_d:king_terak_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_endr_n:king_terak_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 56813423, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_terak_q3_needed, "object/tangible/mission/quest_item/shared_terak_q3_needed.iff") object_tangible_mission_quest_item_shared_thrackan_salsolo_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_thrackan_salsolo_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:thrackan_salsolo_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:thrackan_salsolo_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2085244316, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_thrackan_salsolo_q3_needed, "object/tangible/mission/quest_item/shared_thrackan_salsolo_q3_needed.iff") object_tangible_mission_quest_item_shared_throme_gormengal_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_throme_gormengal_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:throme_gormengal_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:throme_gormengal_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 643932349, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_throme_gormengal_q1_needed, "object/tangible/mission/quest_item/shared_throme_gormengal_q1_needed.iff") object_tangible_mission_quest_item_shared_throme_gormengal_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_throme_gormengal_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:throme_gormengal_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:throme_gormengal_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 697067185, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_throme_gormengal_q3_needed, "object/tangible/mission/quest_item/shared_throme_gormengal_q3_needed.iff") object_tangible_mission_quest_item_shared_vana_sage_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_vana_sage_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:vana_sage_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:vana_sage_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1263458770, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_vana_sage_q1_needed, "object/tangible/mission/quest_item/shared_vana_sage_q1_needed.iff") object_tangible_mission_quest_item_shared_vardias_tyne_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_vardias_tyne_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/frn_all_sclpt_stuffed_bantha.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:vardias_tyne_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:vardias_tyne_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 791270203, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_vardias_tyne_q2_needed, "object/tangible/mission/quest_item/shared_vardias_tyne_q2_needed.iff") object_tangible_mission_quest_item_shared_vhaunda_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_vhaunda_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/armor_stormtrooper_chest_plate_pad_m.sat", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dath_d:vhaunda_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dath_n:vhaunda_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 751474155, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_vhaunda_q1_needed, "object/tangible/mission/quest_item/shared_vhaunda_q1_needed.iff") object_tangible_mission_quest_item_shared_village_defenses = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_village_defenses.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/ins_all_def_turret_sm_s01.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "clientdata/installation/client_shared_turret_block_small.cdf", clientGameObjectType = 8224, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@community_crafting_d:village_defenses", gameObjectType = 8224, locationReservationRadius = 0, lookAtText = "", noBuildRadius = 0, objectName = "@community_crafting_n:village_defenses", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3678523510, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_village_defenses, "object/tangible/mission/quest_item/shared_village_defenses.iff") object_tangible_mission_quest_item_shared_village_shields = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_village_shields.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/ins_shield_generator.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8224, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@community_crafting_d:village_shields", gameObjectType = 8224, locationReservationRadius = 0, lookAtText = "@community_crafting_n:village_shields", noBuildRadius = 0, objectName = "@community_crafting_n:village_shields", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2159790732, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_village_shields, "object/tangible/mission/quest_item/shared_village_shields.iff") object_tangible_mission_quest_item_shared_vinya_maysor_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_vinya_maysor_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:vinya_maysor_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:vinya_maysor_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 509776095, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_vinya_maysor_q1_needed, "object/tangible/mission/quest_item/shared_vinya_maysor_q1_needed.iff") object_tangible_mission_quest_item_shared_vordin_sildor_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_vordin_sildor_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_rori_d:vordin_sildor_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_rori_n:vordin_sildor_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 4161049668, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_vordin_sildor_q3_needed, "object/tangible/mission/quest_item/shared_vordin_sildor_q3_needed.iff") object_tangible_mission_quest_item_shared_vrir_unglan_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_vrir_unglan_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:vrir_unglan_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:vrir_unglan_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1952017154, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_vrir_unglan_q1_needed, "object/tangible/mission/quest_item/shared_vrir_unglan_q1_needed.iff") object_tangible_mission_quest_item_shared_vrir_unglan_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_vrir_unglan_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:vrir_unglan_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:vrir_unglan_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2084720136, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_vrir_unglan_q2_needed, "object/tangible/mission/quest_item/shared_vrir_unglan_q2_needed.iff") object_tangible_mission_quest_item_shared_vurlene_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_vurlene_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_con_tato_jar_berries_s01.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dath_d:vurlene_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dath_n:vurlene_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3997432132, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_vurlene_q1_needed, "object/tangible/mission/quest_item/shared_vurlene_q1_needed.iff") object_tangible_mission_quest_item_shared_vurlene_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_vurlene_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_medic_antidote_sm_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dath_d:vurlene_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dath_n:vurlene_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3864583246, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_vurlene_q2_needed, "object/tangible/mission/quest_item/shared_vurlene_q2_needed.iff") object_tangible_mission_quest_item_shared_vurlene_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_vurlene_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_medic_antidote_sm_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dath_d:vurlene_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dath_n:vurlene_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3786293064, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_vurlene_q3_needed, "object/tangible/mission/quest_item/shared_vurlene_q3_needed.iff") object_tangible_mission_quest_item_shared_wald_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_wald_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_comp_electronic_module_complex.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:wald_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:wald_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1905329925, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_wald_q1_needed, "object/tangible/mission/quest_item/shared_wald_q1_needed.iff") object_tangible_mission_quest_item_shared_wald_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_wald_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_comp_electronic_power_unit.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:wald_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:wald_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2039095823, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_wald_q2_needed, "object/tangible/mission/quest_item/shared_wald_q2_needed.iff") object_tangible_mission_quest_item_shared_wald_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_wald_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_comp_electronic_module_complex.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:wald_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:wald_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2122105097, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_wald_q3_needed, "object/tangible/mission/quest_item/shared_wald_q3_needed.iff") object_tangible_mission_quest_item_shared_wald_q4_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_wald_q4_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_medic_medpack_sm_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:wald_q4_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:wald_q4_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1773955099, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_wald_q4_needed, "object/tangible/mission/quest_item/shared_wald_q4_needed.iff") object_tangible_mission_quest_item_shared_warren_core_control_rod_s01 = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_warren_core_control_rod_s01.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_engine_component.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@warren_item_d:core_control_rod_s01", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@warren_item_n:core_control_rod_s01", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1875516238, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_warren_core_control_rod_s01, "object/tangible/mission/quest_item/shared_warren_core_control_rod_s01.iff") object_tangible_mission_quest_item_shared_warren_core_control_rod_s02 = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_warren_core_control_rod_s02.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_engine_component.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@warren_item_d:core_control_rod_s02", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@warren_item_n:core_control_rod_s02", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3034428377, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_warren_core_control_rod_s02, "object/tangible/mission/quest_item/shared_warren_core_control_rod_s02.iff") object_tangible_mission_quest_item_shared_warren_device_encryption_key = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_warren_device_encryption_key.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_comp_dna_data_disc.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@warren_item_d:device_encryption_key", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@warren_item_n:device_encryption_key", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 4073100212, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_warren_device_encryption_key, "object/tangible/mission/quest_item/shared_warren_device_encryption_key.iff") object_tangible_mission_quest_item_shared_warren_evidence_s01 = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_warren_evidence_s01.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@warren_item_d:evidence_s01", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@warren_item_n:evidence_s01", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 751589667, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_warren_evidence_s01, "object/tangible/mission/quest_item/shared_warren_evidence_s01.iff") object_tangible_mission_quest_item_shared_warren_evidence_s02 = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_warren_evidence_s02.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@warren_item_d:evidence_s02", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@warren_item_n:evidence_s02", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 4158386612, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_warren_evidence_s02, "object/tangible/mission/quest_item/shared_warren_evidence_s02.iff") object_tangible_mission_quest_item_shared_warren_evidence_s03 = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_warren_evidence_s03.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@warren_item_d:evidence_s03", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@warren_item_n:evidence_s03", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3201734201, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_warren_evidence_s03, "object/tangible/mission/quest_item/shared_warren_evidence_s03.iff") object_tangible_mission_quest_item_shared_warren_evidence_s04 = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_warren_evidence_s04.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@warren_item_d:evidence_s04", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@warren_item_n:evidence_s04", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1161149741, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_warren_evidence_s04, "object/tangible/mission/quest_item/shared_warren_evidence_s04.iff") object_tangible_mission_quest_item_shared_warren_farewell_letter = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_warren_farewell_letter.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@warren_item_d:farewell_letter", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@warren_item_n:farewell_letter", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2348946698, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_warren_farewell_letter, "object/tangible/mission/quest_item/shared_warren_farewell_letter.iff") object_tangible_mission_quest_item_shared_warren_inquisitor_letter = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_warren_inquisitor_letter.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@warren_item_d:inquisitor_letter", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@warren_item_n:inquisitor_letter", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1929635907, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_warren_inquisitor_letter, "object/tangible/mission/quest_item/shared_warren_inquisitor_letter.iff") object_tangible_mission_quest_item_shared_warren_passkey_s01 = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_warren_passkey_s01.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_ticket_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@warren_item_d:passkey_s01", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@warren_item_n:passkey_s01", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1731835743, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_warren_passkey_s01, "object/tangible/mission/quest_item/shared_warren_passkey_s01.iff") object_tangible_mission_quest_item_shared_warren_passkey_s02 = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_warren_passkey_s02.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_ticket_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@warren_item_d:passkey_s02", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@warren_item_n:passkey_s02", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3157139400, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_warren_passkey_s02, "object/tangible/mission/quest_item/shared_warren_passkey_s02.iff") object_tangible_mission_quest_item_shared_warren_passkey_s03 = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_warren_passkey_s03.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_ticket_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@warren_item_d:passkey_s03", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@warren_item_n:passkey_s03", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 4112742469, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_warren_passkey_s03, "object/tangible/mission/quest_item/shared_warren_passkey_s03.iff") object_tangible_mission_quest_item_shared_warren_passkey_s04 = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_warren_passkey_s04.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_ticket_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@warren_item_d:passkey_s04", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@warren_item_n:passkey_s04", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 247485265, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_warren_passkey_s04, "object/tangible/mission/quest_item/shared_warren_passkey_s04.iff") object_tangible_mission_quest_item_shared_warren_turret_sequence = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_warren_turret_sequence.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@warren_item_d:turret_sequence", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@warren_item_n:turret_sequence", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1273506615, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_warren_turret_sequence, "object/tangible/mission/quest_item/shared_warren_turret_sequence.iff") object_tangible_mission_quest_item_shared_wilhalm_skrim_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_wilhalm_skrim_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:wilhalm_skrim_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:wilhalm_skrim_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 961134093, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_wilhalm_skrim_q1_needed, "object/tangible/mission/quest_item/shared_wilhalm_skrim_q1_needed.iff") object_tangible_mission_quest_item_shared_wilhalm_skrim_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_wilhalm_skrim_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:wilhalm_skrim_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:wilhalm_skrim_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 827497223, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_wilhalm_skrim_q2_needed, "object/tangible/mission/quest_item/shared_wilhalm_skrim_q2_needed.iff") object_tangible_mission_quest_item_shared_windom_starkiller_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_windom_starkiller_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/wp_pistol_power5.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:windom_starkiller_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:windom_starkiller_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3087063788, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_windom_starkiller_q2_needed, "object/tangible/mission/quest_item/shared_windom_starkiller_q2_needed.iff") object_tangible_mission_quest_item_shared_wuher_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_wuher_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:wuher_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:wuher_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3120568606, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_wuher_q1_needed, "object/tangible/mission/quest_item/shared_wuher_q1_needed.iff") object_tangible_mission_quest_item_shared_wuher_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_wuher_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/thm_prp_camera.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:wuher_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:wuher_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2988129300, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_wuher_q2_needed, "object/tangible/mission/quest_item/shared_wuher_q2_needed.iff") object_tangible_mission_quest_item_shared_wuher_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_wuher_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/edb_con_tato_jar_empty_s01.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:wuher_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:wuher_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3052265234, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_wuher_q3_needed, "object/tangible/mission/quest_item/shared_wuher_q3_needed.iff") object_tangible_mission_quest_item_shared_wuher_q4_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_wuher_q4_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tato_d:wuher_q4_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tato_n:wuher_q4_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2720888320, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_wuher_q4_needed, "object/tangible/mission/quest_item/shared_wuher_q4_needed.iff") object_tangible_mission_quest_item_shared_xaan_talmaron_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_xaan_talmaron_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/force_amplification_crystal.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dant_d:xaan_talmaron_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dant_n:xaan_talmaron_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 726645346, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_xaan_talmaron_q1_needed, "object/tangible/mission/quest_item/shared_xaan_talmaron_q1_needed.iff") object_tangible_mission_quest_item_shared_xaan_talmaron_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_xaan_talmaron_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dant_d:xaan_talmaron_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dant_n:xaan_talmaron_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 614628462, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_xaan_talmaron_q3_needed, "object/tangible/mission/quest_item/shared_xaan_talmaron_q3_needed.iff") object_tangible_mission_quest_item_shared_xalox_guul_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_xalox_guul_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk_inventory.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_tals_d:xalox_guul_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_tals_n:xalox_guul_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2258907872, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_xalox_guul_q2_needed, "object/tangible/mission/quest_item/shared_xalox_guul_q2_needed.iff") object_tangible_mission_quest_item_shared_xarot_korlin_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_xarot_korlin_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/force_amplification_crystal.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dath_d:xarot_korlin_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dath_n:xarot_korlin_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2168666592, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_xarot_korlin_q1_needed, "object/tangible/mission/quest_item/shared_xarot_korlin_q1_needed.iff") object_tangible_mission_quest_item_shared_xarot_korlin_q2_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_xarot_korlin_q2_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/force_amplification_crystal.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_dath_d:xarot_korlin_q2_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_dath_n:xarot_korlin_q2_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 2304253162, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_xarot_korlin_q2_needed, "object/tangible/mission/quest_item/shared_xarot_korlin_q2_needed.iff") object_tangible_mission_quest_item_shared_yith_seenath_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_yith_seenath_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_yavn_d:yith_seenath_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_yavn_n:yith_seenath_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3276450481, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_yith_seenath_q1_needed, "object/tangible/mission/quest_item/shared_yith_seenath_q1_needed.iff") object_tangible_mission_quest_item_shared_zekka_thyne_q1_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_zekka_thyne_q1_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_data_disk.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_corl_d:zekka_thyne_q1_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_corl_n:zekka_thyne_q1_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 3147538700, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_zekka_thyne_q1_needed, "object/tangible/mission/quest_item/shared_zekka_thyne_q1_needed.iff") object_tangible_mission_quest_item_shared_zogor_sturm_q3_needed = SharedTangibleObjectTemplate:new { clientTemplateFileName = "object/tangible/mission/quest_item/shared_zogor_sturm_q3_needed.iff" --Data below here is deprecated and loaded from the tres, keeping for easy lookups --[[ appearanceFilename = "appearance/eqp_medic_stimpack_sm_s1.apt", arrangementDescriptorFilename = "", certificationsRequired = {}, clearFloraRadius = 0, clientDataFile = "", clientGameObjectType = 8211, collisionActionBlockFlags = 0, collisionActionFlags = 51, collisionActionPassFlags = 1, collisionMaterialBlockFlags = 0, collisionMaterialFlags = 1, collisionMaterialPassFlags = 0, containerType = 0, containerVolumeLimit = 1, customizationVariableMapping = {}, detailedDescription = "@loot_nboo_d:zogor_sturm_q3_needed", gameObjectType = 8211, locationReservationRadius = 0, lookAtText = "string_id_table", noBuildRadius = 0, objectName = "@loot_nboo_n:zogor_sturm_q3_needed", onlyVisibleInTools = 0, paletteColorCustomizationVariables = {}, portalLayoutFilename = "", rangedIntCustomizationVariables = {}, scale = 1, scaleThresholdBeforeExtentTest = 0.5, sendToClient = 1, slotDescriptorFilename = "", snapToTerrain = 1, socketDestinations = {}, structureFootprintFileName = "", surfaceType = 0, targetable = 1, totalCellNumber = 0, useStructureFootprintOutline = 0, clientObjectCRC = 1563677402, derivedFromTemplates = {"object/object/base/shared_base_object.iff", "object/tangible/base/shared_tangible_base.iff"} ]] } ObjectTemplates:addClientTemplate(object_tangible_mission_quest_item_shared_zogor_sturm_q3_needed, "object/tangible/mission/quest_item/shared_zogor_sturm_q3_needed.iff")
target("lcurses") set_kind("static") add_deps(get_config("runtime")) if is_plat("windows") and has_config("pdcurses") then add_deps("pdcurses") add_defines("XM_CONFIG_API_HAVE_CURSES", {public = true}) elseif has_config("curses") then add_defines("XM_CONFIG_API_HAVE_CURSES", {public = true}) else set_default(false) end add_files("lcurses.c") if is_plat("windows") then add_options("pdcurses") set_languages("c89") else add_options("curses") end
local Object = require("object") local Action = require("action") local Definition = Object:new(); function Definition:new (obj) obj = Object.new( self, obj ) obj.tags = {} obj.actions = {} return obj end function Definition:action (name, f, tag) if f == nil then error("Name and Function couldn't be nil") end if type(f) ~= "function" then error("Not a Function") end local action = Action:new () self:addAction (name, action) self:attachTagToAction (tag, action) end function Definition:addAction (name, action) local actions = self.actions if actions[name] ~= nil then error("This Action name has been Defined") end action.name = name actions[name] = action end function Definition:attachTagToAction (tag, action) if tag == nil or tag == "" then return end if type(tag) ~= "string" then error("123") end action:addTag(tag) self.tags[tag] = self.tags[tag] or {} local collect = self.tags[tag] collect[#collect + 1] = action end return Definition
--[[ Multicolor Awesome WM config 2.0 github.com/copycat-killer --]] -- {{{ Required libraries local gears = require("gears") local awful = require("awful") awful.rules = require("awful.rules") require("awful.autofocus") local wibox = require("wibox") local beautiful = require("beautiful") local naughty = require("naughty") -- }}} -- {{{ Error handling if awesome.startup_errors then naughty.notify({ preset = naughty.config.presets.critical, title = "Oops, there were errors during startup!", text = awesome.startup_errors }) end do local in_error = false awesome.connect_signal("debug::error", function (err) if in_error then return end in_error = true naughty.notify({ preset = naughty.config.presets.critical, title = "Oops, an error happened!", text = err }) in_error = false end) end -- }}} -- {{{ Autostart applications function run_once(cmd) findme = cmd firstspace = cmd:find(" ") if firstspace then findme = cmd:sub(0, firstspace-1) end awful.util.spawn_with_shell("pgrep -u $USER -x " .. findme .. " > /dev/null || (" .. cmd .. ")") end run_once("xrdb ~/.Xresources") run_once("urxvtd") run_once("unclutter") -- }}} -- {{{ Variable definitions -- localization os.setlocale(os.getenv("LANG")) -- beautiful init local home = os.getenv("HOME") beautiful.init(home .. "/.config/awesome/theme.lua") -- common modkey = "Mod4" altkey = "Mod1" terminal = "urxvtc" or "xterm" editor = os.getenv("EDITOR") or "vim" or "nano" or "vi" editor_cmd = terminal .. " -e " .. editor -- user defined browser = "luakit" mail = terminal .. " -e mutt " local layouts = { awful.layout.suit.tile, } -- }}} -- {{{ Tags local tags = { names = { "web", "vim", "chat", }, layout = { layouts[1], layouts[1], layouts[1], } } for s = 1, screen.count() do -- Each screen has its own tag table. tags[s] = awful.tag(tags.names, s, tags.layout) end -- }}} -- {{{ Wallpaper if beautiful.wallpaper then for s = 1, screen.count() do gears.wallpaper.maximized(beautiful.wallpaper, s, true) end end -- }}} -- {{{ Layout -- Create a wibox for each screen and add it local mywibox = {} local mybottomwibox = {} local mypromptbox = {} local mylayoutbox = {} local mytaglist = {} local mytasklist = {} mytaglist.buttons = awful.util.table.join( awful.button({ }, 1, awful.tag.viewonly), awful.button({ modkey }, 1, awful.client.movetotag), awful.button({ }, 3, awful.tag.viewtoggle), awful.button({ modkey }, 3, awful.client.toggletag), awful.button({ }, 4, function(t) awful.tag.viewnext(awful.tag.getscreen(t)) end), awful.button({ }, 5, function(t) awful.tag.viewprev(awful.tag.getscreen(t)) end) ) mytasklist.buttons = awful.util.table.join( awful.button({ }, 1, function (c) if c == client.focus then c.minimized = true else -- Without this, the following -- :isvisible() makes no sense c.minimized = false if not c:isvisible() then awful.tag.viewonly(c:tags()[1]) end -- This will also un-minimize -- the client, if needed client.focus = c c:raise() end end), awful.button({ }, 3, function () if instance then instance:hide() instance = nil else instance = awful.menu.clients({ width=250 }) end end), awful.button({ }, 4, function () awful.client.focus.byidx(1) if client.focus then client.focus:raise() end end), awful.button({ }, 5, function () awful.client.focus.byidx(-1) if client.focus then client.focus:raise() end end)) for s = 1, screen.count() do -- Create a promptbox for each screen mypromptbox[s] = awful.widget.prompt() -- We need one layoutbox per screen. mylayoutbox[s] = awful.widget.layoutbox(s) mylayoutbox[s]:buttons(awful.util.table.join( awful.button({ }, 1, function () awful.layout.inc(layouts, 1) end), awful.button({ }, 3, function () awful.layout.inc(layouts, -1) end), awful.button({ }, 4, function () awful.layout.inc(layouts, 1) end), awful.button({ }, 5, function () awful.layout.inc(layouts, -1) end))) -- Create a taglist widget mytaglist[s] = awful.widget.taglist(s, awful.widget.taglist.filter.all, mytaglist.buttons) -- Create a tasklist widget mytasklist[s] = awful.widget.tasklist(s, awful.widget.tasklist.filter.currenttags, mytasklist.buttons) -- Create the upper wibox mywibox[s] = awful.wibox({ position = "top", screen = s, height = 20 }) --border_width = 0, height = 20 }) -- Widgets that are aligned to the upper left local left_layout = wibox.layout.fixed.horizontal() left_layout:add(mytaglist[s]) --left_layout:add(mypromptbox[s]) --left_layout:add(mpdicon) --left_layout:add(mpdwidget) -- Widgets that are aligned to the upper right local right_layout = wibox.layout.fixed.horizontal() if s == 1 then right_layout:add(wibox.widget.systray()) end --right_layout:add(mailicon) --right_layout:add(mailwidget) --right_layout:add(netdownicon) --right_layout:add(netdowninfo) --right_layout:add(netupicon) --right_layout:add(netupinfo) --right_layout:add(volicon) --right_layout:add(volumewidget) --right_layout:add(memicon) --right_layout:add(memwidget) --right_layout:add(cpuicon) --right_layout:add(cpuwidget) --right_layout:add(fsicon) --right_layout:add(fswidget) --right_layout:add(weathericon) --right_layout:add(yawn.widget) --right_layout:add(tempicon) --right_layout:add(tempwidget) --right_layout:add(baticon) --right_layout:add(batwidget) --right_layout:add(clockicon) --right_layout:add(mytextclock) -- Now bring it all together (with the tasklist in the middle) local layout = wibox.layout.align.horizontal() layout:set_left(left_layout) --layout:set_middle(mytasklist[s]) layout:set_right(right_layout) mywibox[s]:set_widget(layout) -- Create the bottom wibox mybottomwibox[s] = awful.wibox({ position = "bottom", screen = s, border_width = 0, height = 20 }) --mybottomwibox[s].visible = false -- Widgets that are aligned to the bottom left bottom_left_layout = wibox.layout.fixed.horizontal() -- Widgets that are aligned to the bottom right bottom_right_layout = wibox.layout.fixed.horizontal() bottom_right_layout:add(mylayoutbox[s]) -- Now bring it all together (with the tasklist in the middle) bottom_layout = wibox.layout.align.horizontal() bottom_layout:set_left(bottom_left_layout) bottom_layout:set_middle(mytasklist[s]) bottom_layout:set_right(bottom_right_layout) mybottomwibox[s]:set_widget(bottom_layout) end -- }}} -- {{{ Mouse Bindings root.buttons(awful.util.table.join( awful.button({ }, 3, function () awful.util.spawn(terminal) end), awful.button({ }, 4, awful.tag.viewnext), awful.button({ }, 5, awful.tag.viewprev) )) -- }}} -- {{{ Key bindings globalkeys = awful.util.table.join( -- Take a screenshot -- https://github.com/copycat-killer/dots/blob/master/bin/screenshot awful.key({ altkey }, "p", function() os.execute("screenshot") end), -- Tag browsing awful.key({ modkey }, "Left", awful.tag.viewprev ), awful.key({ modkey }, "Right", awful.tag.viewnext ), awful.key({ modkey }, "Escape", awful.tag.history.restore), -- Non-empty tag browsing --awful.key({ altkey }, "Left", function () lain.util.tag_view_nonempty(-1) end), --awful.key({ altkey }, "Right", function () lain.util.tag_view_nonempty(1) end), -- Default client focus awful.key({ altkey }, "k", function () awful.client.focus.byidx( 1) if client.focus then client.focus:raise() end end), awful.key({ altkey }, "j", function () awful.client.focus.byidx(-1) if client.focus then client.focus:raise() end end), -- By direction client focus awful.key({ modkey }, "j", function() awful.client.focus.bydirection("down") if client.focus then client.focus:raise() end end), awful.key({ modkey }, "k", function() awful.client.focus.bydirection("up") if client.focus then client.focus:raise() end end), awful.key({ modkey }, "h", function() awful.client.focus.bydirection("left") if client.focus then client.focus:raise() end end), awful.key({ modkey }, "l", function() awful.client.focus.bydirection("right") if client.focus then client.focus:raise() end end), -- Show/Hide Wibox awful.key({ modkey }, "b", function () mywibox[mouse.screen].visible = not mywibox[mouse.screen].visible mybottomwibox[mouse.screen].visible = not mybottomwibox[mouse.screen].visible end), -- Layout manipulation awful.key({ modkey, "Shift" }, "j", function () awful.client.swap.byidx( 1) end), awful.key({ modkey, "Shift" }, "k", function () awful.client.swap.byidx( -1) end), awful.key({ modkey, "Control" }, "j", function () awful.screen.focus_relative( 1) end), awful.key({ modkey, "Control" }, "k", function () awful.screen.focus_relative(-1) end), awful.key({ modkey, }, "u", awful.client.urgent.jumpto), awful.key({ modkey, }, "Tab", function () awful.client.focus.history.previous() if client.focus then client.focus:raise() end end), awful.key({ altkey, "Shift" }, "l", function () awful.tag.incmwfact( 0.05) end), awful.key({ altkey, "Shift" }, "h", function () awful.tag.incmwfact(-0.05) end), awful.key({ modkey, "Shift" }, "l", function () awful.tag.incnmaster(-1) end), awful.key({ modkey, "Shift" }, "h", function () awful.tag.incnmaster( 1) end), awful.key({ modkey, "Control" }, "l", function () awful.tag.incncol(-1) end), awful.key({ modkey, "Control" }, "h", function () awful.tag.incncol( 1) end), awful.key({ modkey, }, "space", function () awful.layout.inc(layouts, 1) end), awful.key({ modkey, "Shift" }, "space", function () awful.layout.inc(layouts, -1) end), awful.key({ modkey, "Control" }, "n", awful.client.restore), -- Standard program awful.key({ modkey, }, "Return", function () awful.util.spawn(terminal) end), awful.key({ modkey, "Control" }, "r", awesome.restart), awful.key({ modkey, "Shift" }, "q", awesome.quit), -- Dropdown terminal -- awful.key({ modkey, }, "z", function () drop(terminal) end), -- ALSA volume control awful.key({ altkey }, "Up", function () awful.util.spawn("amixer -q set Master 1%+") volumewidget.update() end), awful.key({ altkey }, "Down", function () awful.util.spawn("amixer -q set Master 1%-") volumewidget.update() end), awful.key({ altkey }, "m", function () awful.util.spawn("amixer -q set Master playback toggle") volumewidget.update() end), awful.key({ altkey, "Control" }, "m", function () awful.util.spawn("amixer -q set Master playback 100%") volumewidget.update() end), -- MPD control awful.key({ altkey, "Control" }, "Up", function () awful.util.spawn_with_shell("mpc toggle || ncmpcpp toggle || ncmpc toggle || pms toggle") mpdwidget.update() end), awful.key({ altkey, "Control" }, "Down", function () awful.util.spawn_with_shell("mpc stop || ncmpcpp stop || ncmpc stop || pms stop") mpdwidget.update() end), awful.key({ altkey, "Control" }, "Left", function () awful.util.spawn_with_shell("mpc prev || ncmpcpp prev || ncmpc prev || pms prev") mpdwidget.update() end), awful.key({ altkey, "Control" }, "Right", function () awful.util.spawn_with_shell("mpc next || ncmpcpp next || ncmpc next || pms next") mpdwidget.update() end), -- Copy to clipboard awful.key({ modkey }, "c", function () os.execute("xsel -p -o | xsel -i -b") end), -- User programs awful.key({ modkey }, "q", function () awful.util.spawn(browser) end), awful.key({ modkey }, "i", function () awful.util.spawn(browser2) end), awful.key({ modkey }, "s", function () awful.util.spawn(gui_editor) end), awful.key({ modkey }, "g", function () awful.util.spawn(graphics) end), -- Prompt awful.key({ modkey }, "r", function () mypromptbox[mouse.screen]:run() end), awful.key({ modkey }, "x", function () awful.prompt.run({ prompt = "Run Lua code: " }, mypromptbox[mouse.screen].widget, awful.util.eval, nil, awful.util.getdir("cache") .. "/history_eval") end) ) clientkeys = awful.util.table.join( awful.key({ modkey, }, "f", function (c) c.fullscreen = not c.fullscreen end), awful.key({ modkey, "Shift" }, "c", function (c) c:kill() end), awful.key({ modkey, "Control" }, "space", awful.client.floating.toggle ), awful.key({ modkey, "Control" }, "Return", function (c) c:swap(awful.client.getmaster()) end), awful.key({ modkey, }, "o", awful.client.movetoscreen ), awful.key({ modkey, }, "t", function (c) c.ontop = not c.ontop end), awful.key({ modkey, }, "n", function (c) -- The client currently has the input focus, so it cannot be -- minimized, since minimized clients can't have the focus. c.minimized = true end), awful.key({ modkey, }, "m", function (c) c.maximized_horizontal = not c.maximized_horizontal c.maximized_vertical = not c.maximized_vertical end) ) -- Bind all key numbers to tags. -- Be careful: we use keycodes to make it works on any keyboard layout. -- This should map on the top row of your keyboard, usually 1 to 9. for i = 1, 9 do globalkeys = awful.util.table.join(globalkeys, awful.key({ modkey }, "#" .. i + 9, function () local screen = mouse.screen local tag = awful.tag.gettags(screen)[i] if tag then awful.tag.viewonly(tag) end end), awful.key({ modkey, "Control" }, "#" .. i + 9, function () local screen = mouse.screen local tag = awful.tag.gettags(screen)[i] if tag then awful.tag.viewtoggle(tag) end end), awful.key({ modkey, "Shift" }, "#" .. i + 9, function () local tag = awful.tag.gettags(client.focus.screen)[i] if client.focus and tag then awful.client.movetotag(tag) end end), awful.key({ modkey, "Control", "Shift" }, "#" .. i + 9, function () local tag = awful.tag.gettags(client.focus.screen)[i] if client.focus and tag then awful.client.toggletag(tag) end end)) end clientbuttons = awful.util.table.join( awful.button({ }, 1, function (c) client.focus = c; c:raise() end), awful.button({ modkey }, 1, awful.mouse.client.move), awful.button({ modkey }, 3, awful.mouse.client.resize)) -- Set keys root.keys(globalkeys) -- }}} -- {{{ Rules awful.rules.rules = { -- All clients will match this rule. { rule = { }, properties = { border_width = beautiful.border_width, border_color = beautiful.border_normal, focus = awful.client.focus.filter, keys = clientkeys, buttons = clientbuttons, size_hints_honor = false } }, { rule = { class = "Urxvt" }, properties = { opacity = 0.39 } }, { rule = { class = "MPlayer" }, properties = { floating = true } }, { rule = { class = "Dwb" }, properties = { tag = tags[1][1] } }, { rule = { class = "Iron" }, properties = { tag = tags[1][1] } }, { rule = { instance = "plugin-container" }, properties = { tag = tags[1][1] } }, { rule = { class = "Gimp" }, properties = { tag = tags[1][4] } }, { rule = { class = "Gimp", role = "gimp-image-window" }, properties = { maximized_horizontal = true, maximized_vertical = true } }, } -- }}} -- {{{ Signals -- signal function to execute when a new client appears. client.connect_signal("manage", function (c, startup) -- enable sloppy focus c:connect_signal("mouse::enter", function(c) if awful.layout.get(c.screen) ~= awful.layout.suit.magnifier and awful.client.focus.filter(c) then client.focus = c end end) if not startup and not c.size_hints.user_position and not c.size_hints.program_position then awful.placement.no_overlap(c) awful.placement.no_offscreen(c) end local titlebars_enabled = false if titlebars_enabled and (c.type == "normal" or c.type == "dialog") then -- buttons for the titlebar local buttons = awful.util.table.join( awful.button({ }, 1, function() client.focus = c c:raise() awful.mouse.client.move(c) end), awful.button({ }, 3, function() client.focus = c c:raise() awful.mouse.client.resize(c) end) ) -- widgets that are aligned to the right local right_layout = wibox.layout.fixed.horizontal() right_layout:add(awful.titlebar.widget.floatingbutton(c)) right_layout:add(awful.titlebar.widget.maximizedbutton(c)) right_layout:add(awful.titlebar.widget.stickybutton(c)) right_layout:add(awful.titlebar.widget.ontopbutton(c)) right_layout:add(awful.titlebar.widget.closebutton(c)) -- the title goes in the middle local middle_layout = wibox.layout.flex.horizontal() local title = awful.titlebar.widget.titlewidget(c) title:set_align("center") middle_layout:add(title) middle_layout:buttons(buttons) -- now bring it all together local layout = wibox.layout.align.horizontal() layout:set_right(right_layout) layout:set_middle(middle_layout) awful.titlebar(c,{size=16}):set_widget(layout) end end) -- No border for maximized clients client.connect_signal("focus", function(c) if c.maximized_horizontal == true and c.maximized_vertical == true then c.border_color = beautiful.border_normal else c.border_color = beautiful.border_focus end end) client.connect_signal("unfocus", function(c) c.border_color = beautiful.border_normal end) -- }}} -- {{{ Arrange signal handler for s = 1, screen.count() do screen[s]:connect_signal("arrange", function () local clients = awful.client.visible(s) local layout = awful.layout.getname(awful.layout.get(s)) if #clients > 0 then -- Fine grained borders and floaters control for _, c in pairs(clients) do -- Floaters always have borders -- No borders with only one humanly visible client if layout == "max" then c.border_width = 0 elseif awful.client.floating.get(c) or layout == "floating" then c.border_width = beautiful.border_width elseif #clients == 1 then clients[1].border_width = 0 if layout ~= "max" then awful.client.moveresize(0, 0, 2, 0, clients[1]) end else c.border_width = beautiful.border_width end end end end) end -- }}}
-- (c) 2009-2011 John MacFarlane. Released under MIT license. -- See the file LICENSE in the source for details. --- Copyright &copy; 2009-2011 John MacFarlane. -- -- Released under the MIT license (see LICENSE in the source for details). -- -- ## Description -- -- Lunamark is a lua library for conversion of markdown to -- other textual formats. Currently HTML, Docbook, ConTeXt, -- LaTeX, and Groff man are the supported output formats, -- but lunamark's modular architecture makes it easy to add -- writers and modify the markdown parser (written with a PEG -- grammar). -- -- Lunamark's markdown parser currently supports the following -- extensions (which can be turned on or off individually): -- -- - Smart typography (fancy quotes, dashes, ellipses) -- - Significant start numbers in ordered lists -- - Footnotes -- - Definition lists -- -- More extensions will be supported in later versions. -- -- The library is as portable as lua and has very good performance. -- It is about as fast as the author's own C library -- [peg-markdown](http://github.com/jgm/peg-markdown). -- -- ## Simple usage example -- -- local lunamark = require("lunamark") -- local writer = lunamark.writer.html.new() -- local parse = lunamark.reader.markdown.new(writer, { smart = true }) -- local result, metadata = parse("Here's 'my *text*'...") -- print(result) -- assert(result == 'Here’s ‘my <em>text</em>’…') -- -- ## Customizing the writer -- -- Render emphasized text using `<u>` tags rather than `<em>`. -- -- local unicode = require("unicode") -- function writer.emphasis(s) -- return {"<u>",s,"</u>"} -- end -- local parse = lunamark.reader.markdown.new(writer, { smart = true }) -- local result, metadata = parse("*Beiß* nicht in die Hand, die dich *füttert*.") -- print(result) -- assert(result == '<u>Beiß</u> nicht in die Hand, die dich <u>füttert</u>.') -- -- Eliminate hyperlinks: -- -- function writer.link(lab,url,tit) -- return lab -- end -- local parse = lunamark.reader.markdown.new(writer, { smart = true }) -- local result, metadata = parse("[hi](/url) there") -- print(result) -- assert(result == 'hi there') -- -- ## Customizing the parser -- -- Parse CamelCase words as wikilinks: -- -- lpeg = require("lpeg") -- local writer = lunamark.writer.html.new() -- function add_wikilinks(syntax) -- local capword = lpeg.R("AZ")^1 * lpeg.R("az")^1 -- local parse_wikilink = lpeg.C(capword^2) -- / function(wikipage) -- return writer.link(writer.string(wikipage), -- "/" .. wikipage, -- "Go to " .. wikipage) -- end -- syntax.Inline = parse_wikilink + syntax.Inline -- return syntax -- end -- local parse = lunamark.reader.markdown.new(writer, { alter_syntax = add_wikilinks }) -- local result, metadata = parse("My text with WikiLinks.\n") -- print(result) -- assert(result == 'My text with <a href="/WikiLinks" title="Go to WikiLinks">WikiLinks</a>.') -- local G = {} setmetatable(G,{ __index = function(t,name) local mod = require("lunamark." .. name) rawset(t,name,mod) return t[name] end }) return G
local Controller = require('charon.Controller') local test = {} local env = {} env.field = function() return 'localhost' end test.should_return_http_status_headers_and_body_nil = function() local c = Controller.new{ _env = env, controllerName = 'index' } local http, headers, body = c:redirect{ action = 'list' } assert( http == 302 ) assert( headers[1] == "Location: http://localhost/index/list", headers[1] ) assert( body == nil ) end return test
for n,e in pairs({(function(e,...)local M="This file was obfuscated using PSU Obfuscator 4.0.A | https://www.psu.dev/ & discord.gg/psu";local H=e["eepRF"];local N=e[(600852055)];local p=e[(921427140)];local Z=e[(288658720)];local h=e['dYvOGsoT'];local Y=e[((#{}+543910516))];local T=e[(852822498)];local F=e[(271775793)];local v=e[((#{91;}+951188783))];local J=e[(747761922)];local t=e[(826926820)];local b=e.kVsrvF5;local L=e[((277125179-#("woooow u hooked an opcode, congratulations~ now suck my cock")))];local G=e[((#{890;471;142;}+777716871))];local x=e[(229430380)];local k=e['xd1EP3b8h'];local c=e[(683810419)];local O=e[(222121763)];local S=e[(512806783)];local X=e[((336588298-#("If you see this, congrats you're gay")))];local I=e[(994474430)];local A=e[(813552642)];local m=e[(964981490)];local s=e['J9sFyaX'];local o=e[((917082950-#("I hate this codebase so fucking bad! - notnoobmaster")))];local a=e[((#{410;307;(function(...)return 378;end)()}+218886251))];local y=e['aMdBTBWo'];local q=e[(867364706)];local w=e[(705806905)];local P=e[(486953303)];local j=e[((#{844;}+713924387))];local f=e[(68423056)];local V=e[((#{169;762;799;614;(function(...)return 511,145;end)()}+116293030))];local z=((getfenv)or(function(...)return(_ENV);end));local l,i,n=({}),(""),(z(x));local d=((n["\98"..e[s].."\116"..e[I].."\50"])or(n["\98\105\116"])or({}));local l=(((d)and(d["\98\120"..e[w].."\114"]))or(function(e,n)local x,l=x,t;while((e>t)and(n>t))do local a,d=e%o,n%o;if a~=d then l=l+x;end;e,n,x=(e-a)/o,(n-d)/o,x*o;end;if e<n then e=n;end;while e>t do local n=e%o;if n>t then l=l+x;end;e,x=(e-n)/o,x*o;end;return(l);end));local r=(o^y);local D=(r-x);local B,C,g;local r=(i["\103"..e[c].."\117"..e[a]]);local u=(i[""..e[a].."\121\116\101"]);local W=(i[""..e[A]..e[h]..e["tdDz0xdIlA"]..e[F]]);local i=(i[""..e[c].."\117"..e[a]]);local R=(n["\112"..e["tdDz0xdIlA"].."\105\114\115"]);local E=(n["\109"..e['tdDz0xdIlA'].."\116"..e[h]]["\102\108\111\111\114"]);local r=((n[""..e["feR8HGuA"].."\110\112"..e['tdDz0xdIlA'].."\99"..e[L]])or(n["\116"..e['tdDz0xdIlA'].."\98\108\101"]["\117"..e[p].."\112"..e["tdDz0xdIlA"].."\99\107"]));local U=((n["\109\97\116"..e[h]]["\108\100"..e['wz0MfMx']..e.JOopghrs.."\112"])or(function(n,e,...)return((n*o)^e);end));local L=(n[""..e[f]..e[w].."\110"..e.feR8HGuA..e[m].."\98\101\114"]);local P=(n[""..e[f]..e[P].."\112\101"]);local m=(n[""..e[c]..e.wz0MfMx.."\116"..e[m]..e["wz0MfMx"].."\116\97\116"..e["tdDz0xdIlA"]..e[a].."\108\101"]);local m=(n["\114"..e["tdDz0xdIlA"].."\119\115"..e.wz0MfMx..e[f]]);local P=(n[""..e[c]..e["wz0MfMx"]..e[b]..e.wz0MfMx..e[A]..e[f]]);C=((d["\114"..e[c].."\104"..e[s].."\102\116"])or(function(n,e,...)if(e<t)then return(B(n,-(e)));end;return(E(n%o^y/o^e));end));B=((d["\108"..e[c]..e[h]..e[s].."\102\116"])or(function(n,e,...)if(e<t)then return(C(n,-(e)));end;return((n*o^e)%o^y);end));local y=(d[""..e[a].."\111\114"])or(function(e,n,...)return(D-g(D-e,D-n));end);local D=(d[""..e[a].."\110"..e[w].."\116"])or(function(e,...)return(D-e);end);g=(d[""..e[a]..e["tdDz0xdIlA"]..e[p]..e[k]])or(function(n,e,...)return(((n+e)-l(n,e))/o);end);if((not(n["\98\105"..e[f]..e[I].."\50"]))and(not(n[""..e[a].."\105"..e[f]])))then d["\98"..e.tdDz0xdIlA.."\110"..e[k]]=g;d["\98\120\111"..e[F]]=l;d["\114"..e[c]..e[h]..e[s].."\102\116"]=C;d[""..e[b]..e[c]..e[h]..e[s].."\102"..e[f]]=B;d["\98\110\111"..e[f]]=D;d["\98\111"..e[F]]=y;end;local o=(n["\116"..e['tdDz0xdIlA']..e[a]..e[b]..e.wz0MfMx][""..e[s]..e[p]..e[c].."\101\114"..e[f]]);local b=(((n[""..e[f]..e["tdDz0xdIlA"]..e[a]..e[b].."\101"][""..e[A].."\114\101"..e.tdDz0xdIlA..e[f].."\101"]))or((function(e,...)return({r({},t,e);});end)));local o=(n["\116"..e['tdDz0xdIlA']..e[a].."\108\101"]["\114"..e['wz0MfMx'].."\109"..e[w].."\118\101"]);local c=(n["\116\97"..e[a].."\108"..e.wz0MfMx][""..e[A]..e[w]..e[p].."\99\97"..e[f]]);n[""..e[a].."\105\116\51\50"]=d;local n=((-Z+(function()local d,l=t,x;(function(n,x,e)e(x(x,e,n and n),n(e and n,x,e),e(n,e,x and e))end)(function(e,n,o)if d>X then return o end d=d+x l=(l+Y)%v if(l%q)<=H then l=(l*j)%O return e else return e(o(e and e,e,o),e(o,o,n),o(n,n and e,e))end return n(n(n,o,n)and o(o,e,n and e),n(n,n,e)and e(e,o,o),n(n and e,e and n,e and e)and n(e,e,n))end,function(n,e,o)if d>N then return e end d=d+x l=(l*V)%S if(l%G)>=J then return n(e(e,n,e),e(o,o,n),e(n,e and n,e))else return o end return o end,function(n,o,e)if d>T then return n end d=d+x l=(l*(263))%((14388-#("PSU|161027525v21222B11273172751L275102731327523d27f22I27f21o26o24Y21J1827F1X27f1r27F23823a26w1... oh wait")))if(l%((252-#("this isn't krnl support you bonehead moron"))))>=((#{872;861;}+103))then l=(l-(335))%(13204)return o(e(e,o,e)and e(e,e,n),n(n,n,e),o(e,n and n,n)and o(e,o,e))else return o end return n end)return l;end)()));local o=(#M+((203-#("psu 34567890fps, luraph 1fps, xen 0fps"))));local f,w=({}),({});for e=t,o-x do local n=W(e);f[e]=n;w[e]=n;w[n]=e;end;local h,d=(function(l)local a,d,e=u(l,x,(3));if((a+d+e)~=(248))then n=n+(179);o=o+(173);end;l=i(l,((#{933;581;216;}+2)));local n,d,a=(""),(""),({});local e=x;local function t()local n=L(i(l,e,e),((52-#("The Voxel is sus"))));e=e+x;local x=L(i(l,e,e+n-x),((52-#("The Voxel is sus"))));e=e+n;return(x);end;n=w[t()];a[x]=n;while(e<#l)do local e=t();if f[e]then d=f[e];else d=n..i(n,x,x);end;f[o]=n..i(d,x,x);a[#a+x],n,o=d,d,o+x;end;return(c(a));end)("PSU|26M21h21h261261101026525v1E27922R1B191F19121g15161N1d1p1G1m24U25T1C2792371I1n1j1c171T171l1F1d1626Z2491727922C21D1n101j181726f2481H279235141G28q21M21c1121D2171H19191l1v1t1621t21c15279234121r171Q25825G27V1021Z2121C1821i21i28m283191K25725E1a2792241Z1821G21i1n141v1A161H2352961022r1H27G141023D1D27922628W131o1t1p2122181J1P1e1N23d1e2a722821d1f1q1725725O2ac1022q2AF2Aj23c29f27f28718121F171d151V1j24t25n132792321B1i25g251162792252141h1s171b24S2B227921u2191b1T22h2141827922V1228m1h141C1u21l2212bm1022V181b21N22927d1021u21c1r181F21p2121M181o21121F1T1D26j2411f27923B151r1T1H21m21o1F151p1i1D1E1j1m25z25028B1022821O1d1O1s1N1126y2491g27922021P1o1C1f11161D21i21P101r21021d1j1622C2192AF2dU1l1X1s1i1P1l1421122v1T2831i2952bu1Y1q161M26K28L2F32F51M21321j112eg1122N23621B151a1826a23Y2Dt22b2131h1l101L1125525W1927922B21C1h28F1b21521e1s26v28A27W1m2A02A21625Y24W2CL22a21F1O1d2372dT21V21728z101H1124S25f1B27922A21J2bc1r1h1w21f1J1B1Q21q22I2e42A812121b1d21m21I171O27O152bG1l1h24T25Q2bt102321R1o2be1n21z21f2Ht2A92Ab1r26p24229F2251y1b1H1P1921I2G31r1P1424P2622gp2gR27i121126L23W2a722B21N28B1R22c21829f2212131o2ii1E29l2a01J2HZ21E2dT22e2i11N2De21t23022h2hT21V21813131t21t26z2Gx2GC2F6171n2dH122aF21U21A2792k122X21525l23O2Eo22R2He2Hg21m2191N1L1S1D122A423G2CA1022U1j1R1d1N292111Q23h2G01022C1z1i101b213213181926p24B2a72Cc1H1j1422W2812792361n1K141s1r1N26K23u2cl22x29B1023E2cS22621n2hx2ju1X21i2Li1g2HG2gg2562kv2dv2dx2dZ21h2G821I22f2KK21u2kY1M21H2ej1627124a1j2gC1H2172171s1Q2a01521n21i1d112H82EZ1D2242I127W171629A192302aU27w131h1m1p24z2612B32AW2kE26923k2kV22S2Eb1C122al151924T25D2Kv22X1q21821o2K92my25z24I28M2kL1F2Ll162DJ2fm2Ea1h1h27N2DE23D122kv22e141129z2A12A322P2b327921s2672671v22G2dT2l91j2hF1o22e2EN2792391r1u2ns2H327n21721K1i1s2212112A721W1x162JX24e26x2GY2a82LA1I1r1r2gD142j826k2432eO2222111629B171w2OP2gF25y2m527922f2Mx1721k1Z2fu1124626S2Jj1y29J27Z21722k1m27e2g4142hp21M2181M2jT2Jv21l2kN2kp2kR22621d2O72l91S112af2mZ2Pa1T1v1l1N2ec24x2hS2lf1J1F1A1B1221A21V2K127926o25r25P26Y2kk2j11Q1y21J27p1G2321129T2cm2cD1Q1B2py1N1M1723Q26P2cL22d2131U24X25y2PR2371M2oG2mu1B11121L1D23i2sa21Z1Y1H2132Q92a324726u2b322621B29J26z2462ME2C51t21q21Q2c62642542pr2Lv2lx1N2h52IO2542nI2dB2d11t27123l2kK2Ss29N1729p21822a2EO2311C1A1e21m2142dD1t1L131e1921X2122Jj1521G2801824726a2hc22d2d01n21n2SN15112t62ge2A321x2152KV2GQ191J2p21N2G421k21Y29f22w28B141D2R42kQ16112Tc2Da2SB2og2Dp1Q182ft1L2ui2UK24T26728f1021y1Z111127z1d2mW1I21n2kc1N21021H102n71B2e02dg2oZ28C21D1t1C21i2Kc22G2pj2972p22Af22421h2fu1022w1s10142222FU1U132dk1u2xc1U1V1b2e91F1f26P25c2Kk2381R2BY2N72u52302Ec27921T21G112Kf2n01A2sY2GU22921o2kV22a21N1e1f1S21f21H2ih23f152cS2t31H21C1X1m1G161b1A152aY1726L24D2CL22t1m132282172pr2FR2xq1921D2s527Q26Z2q12LF1h1C111T1s13192ob192Py25625h2Eo22821R2Q52Az2q82V42GG2522A721t21E102ST26I24f2fF1021326N25R2jB2Jd2DE21S23122d2sA2312hF1D1F1v1U2PU1t25c2582vr2h02KE2FL2y1111y21B1R1128B23931031A22d2262O72261x2iX22p2XW2xY1Q1t2Y02hp2IQ23x2B322U2o91N2282N4102PL171G1R1Q21Y2tl2wO2WQ2V32oq1621M2WN1021X2171f2UJ192Iq2u12792T32Y02Vw2YN224311V1022421l1K21E29m1029O1k2b82DT2lQ28I27v122272C92p72f62sg152Vy26G23z2Ht2202152rp2l423Y26J2rv1G22x21l2232s92gz2131r21P2T71621X2102b331242hw24L31072cB2co27J2sw21m2md27921Y2fk192142141m1R26923m2PR22e21r1R2vO1K1D21l2ux2i02ht2l927N122ZL1O2G121m142j31d1L2kR21o21F2HN1S1621R1Z2nr1D192182192331f2B32382Q51g26Z2482HT2aW2j82H810234315d311D1824926z2KV22P1K112xo29a2eG2582BL2971S1U24V2632hT22P18142861r21T2122Mn10236171r21d2QZ2R121M2r32ko2VN28U22C2PR2Yh21J2171115182GD1B21d22I2a72np2Ju1I24V25i2cs316I316K316m2sH2JV21f1P1K24326t2Dt22P2ay1T18316a21322J2O72u32rB2Rd1b2rf2rH2Rj1d25m2572kk27F28Z172ND1c24F315t2E52131V2fV1n21C2171721d22E2kV2C42C621R2152DF2A42gO2gZ2I1131B2bM24K2XL2792J128328528725y2ZV27922D1h2191422N25C2702cS2h02H21h1z21f316Q2kR26o2Z91021v2HJ101N2h821j2qO1827z2432sk3142191p2672iS2792Q31d2172192ql3136319C2M824g31912vS2VD2ZE1024u2sQ29u31552jX21r2Ig2Ii25J2bs27e2zc2kg1L22C2wv2Kw2ky2l026f312A312I2112Y81S29o24526W2Sa2FR2Vy2Eb21c2182SW25425Z2t22G82hi2ZT1h2t1279311J2Ll1m1Q2uK28622421C2HC3143151O2G42n81y31253127111G2331R2792pl13171k1P1o316W28z2132161a171H1821a2Gr1L21D2h62h81724u2Tw319r31cw2qr2CL22121M21E222132kK2E62e82ea2EC233182CL23727N21P2JI2JS1h316j2652532B322b21i2qW21q21u2me1Z12182H331e22492682Kz1022B21K1A2hP2bf2dO1m21g2dw1l1i192RG24F26v2IT21n31571022H312H2cU2A01a1X2Q42Q621822J2nJ1V2By22N2le1022I21h2Bd2xg27S2602A722U1A2BM1T25625P31FF2bF1V1m247269316g2L92MQ2MS2Mu2mW2MY2N02d626F24A2b322v162TE31g227923831571L2472s0312Z2GD2eC28z26Z2442sa2BA162BC31dg1o26f2gb1022321a1S2qY2sW26Z31g7102ua2Ke24a2Qm2792LQ1T31Gf2712fP312B21h2j82913182310o2Wo28y290292311Y2gF26z2L72WO2cg1U23c315c28c21N10132242132Gp2181t1n1Y2G824H317A314221b171A310V310X17316W316y1826Y315i312B29I1831591g2a631G82vZ1926K311H2QD21E191821n31142G121e1O21g3147101I2pn21j21J2M12sH2582Jr102j11U2v12WD2CX27N24P31fe31422UQ29j25425O2O7310q1S310S311F21j313k1t2EK1231Gy2b3319a319C21e318M2Db2AK31Cl2nd2KH1h2Lt2gz21j2yO2W82LZ2u42u631do2ps2A02hp2322xt2CT318J2yp31272H52H71Q26I2472Kv21T1y2WI2Qt31bb1b28k315J2Dw2dY1n23K317l31H52o021P31Cs1L21q31k81031L32kq1V2Kd2GU2iR2A722c316F181524k29E2G121o1q1R1a21J313N2321729F2kX2Kz1B313M2zT24731A2102371a1n22621A2cS2L91n2zC2L027n2KR1T23l26o1227922n2gM31DZ31hh28Z2911624p31BN31i82lL2j62Sf2562C21023b1m1J1S26f314b31Ap315621o31lb2Dz25631jE2981T2PC1n2pE2pG24B318c31NF1I31cs1s29j1E1H24p25S2EO2362Zb2ZD2zF28z29929B2173122314n319v1o21531222lg31JB17217317427922e2Z6315g31HO1022t28F2EZ1631ip31e921n315X16239102FF2w7101y31l42792He10317q2K11i1j111321L21m27931PN121Q1q102192191i1h2Jm24924a2791I1m141324c24F31q41n151325I25H31Q41k161321021331q41L318821621531q42vV1324q24P31Q41r191325Y25X31Q41O31fh25u25t31q41p318y23k23n31q41u1C2Jn1U31q41v1D2bM2CL2pg1e1321G21J31q41t312621d2ZY31j627k2nd31E81I2ND1323N23K31q431J6131z1W31Q4111J1325t25U31q4161k1321R21o31Q42841321t21u31Q4142yx142DT1I151N1325L25M31q41A1O31R031r231J61b1P1325525631Q4181q1325p25q31q4191R1321321031Q41e2Zf23J23g31Q41f1T1322j22G31Q42ch1321j21g31Q41D1V31cI2b31i21E1W1325O25r31Q421F1x1324P24Q31Q421C1Y1322122231q421d1z1321B21831q421I2101323f23C31q421J2111325z25w31Q421G2121321k31HV31j621H2131323l23m31Q42ue1321A21931Q421N215131y1x31q421k2161324124231q421L2171323M23L31Q421Q2jl22M22L31q421r2191321521631q421o21a31HX22731q421P21b13162a71I1Y21c1325f25C31q41z21D1321c21F31Q41W21E1324D24E31q41x21f131p31pV31J621221G1324F24c31pR132BD1E1121g21G31pz2Jm23c23f31q431Q61322022331Qb31qd23423731Qh31qj2Hw31QN318822522631Qs31Dj1X31pF2pu31qz25125231r331fH2SX31r8318y24624531rd31rf23323031RI31rk25K25N31Q41S31rO24b24831RS312625825b31Q431rY23D23E31q431S224r24o31S631s122H22I31Sb31sd25725431Sh31Sj24S24v31Sn2Ui21Z21w31sS2yx24k24N31Q431sy1324e24D31T331T522822B31q431t91322d22e31Te31TG25v25s31TK31tM23h23i31Tq2zf1G316G1i31tw1325j25g31U12X921v21s31U631U823B23831q431uC1324t24U31Uh31uJ25r25o31un31Up24N24K31uT31uV24324031uZ31V131F431v531V71U1t31vB31vd23z23W31Q431vI1322E22d31VN2141322B22831VS31vU22222131Vy31w022Q22P31W431w621O21r31wa2jl316O31Wf31wh23u23T31WL31wn23E23D31wq31WS21S2rU31j631wx1323q23P31X231x431t131x831Xa24l24M31xe31xG25025331Q431XL1323w23z31XQ2bd2KG31xV31xX1325325031Y131Q725c25F31Y61322n22K31YA1325625531YD132lh31yh1324424731qX31QZ25225131YP1325d25E31YS1322y22x31yW1323V23s31z01324824B31Z431rO21f21C31Z9318X2kk1I31ry23223131zh31q022W22z31Zl2xa2hT1i31sc1325W25Z31Zt1323123231zX1322922a32011321n21k320531SZ25G25J320a1321U21t320e31TA23Y23X320J1323X23y320N1321i2WH31J631TR1325425731Tv31TX25B25832101322c22f3214131Q1P321831ud22F22C321D1322x22y321h1325A259321l1322T22u321P1321h21i321s31XR31031I31vc1325m25l322031vJ25n25k32251324W24z322A13247244322E1321E21d322I1324j24g322M1321Q2Ef31J631WG1323t23u322t131F29f1i31wr2aj31CF323131WY21421732361321121232391322a229323D13212211323h31XM22v22s323m328K31rP31xW31Q01325925A323u1323S23v323Y226225324221821b3246236235324924y24x324d1323O23R324H263260324l1a2kv1i31rE131L2Qt31J631rj1321X21Y324x1322K22N325125x25Y31ZD1g1323823B3258131k2W32kz31s125h25i31zP1323923A325K24x24Y325O25Q25P325S237234325W31x531x731J631T4132192k031t831tA1s318F31J631TF2ZG2Sa31EK31Tm227224320R1324i24H326L1324H24i326P24A249326t1W1Z326x1324G24J327122P22Q327524U24t327925E25D327d1J2Hc1i31v61331PZ321w31Dc2PR1i32212E9327T21W21Z327X242241328123i23h328523p23q32892CL328d31Wh22u22T328i230233322X1323a31P9328q1323g23J328U22L22M328y21p21Q329223R23o32961324V24s329a2Se323p329e24o24r329a31kv132sX31cI2Dt31j631Y221y21x31pR142hn2RD111i31qI1332eN27923n23r141H26v26e27925Z325j31J62vV21024C31ZS101X215319Z24N24W317q112L41d2b632cv31R4131M2x12Et1b21023I31zO31J631re21023V31ZW32fd2191C1n22b21w1c1C1I32Ae32ex31pa1f31tr2x42hE2rc1C2Vb101e31xt1d1c1k2e832Gi2Rq2vy31Pk32A922o22R31PR2yo27V2Ub1A1131ix28Q101A1a32EZ141926632f726f26F323U32FA32Fc31eY141N23o243142On32eq32Fm31HW32Cv32EV22S22v31PR1528P2e4161631q51421021w22O32HZ2ON310332eL32I626m31t232fD21132HM25E25x32hQ1132eq1731Q727921d21G32I022L22H22022032IS32i024h24l32FM310y2q532eK2eB171v32Bq31pa2n61232EH2791X21327n22A21x32I31H1k2Yf181632GN316Y2qW2X131j631QC21026V25V31PR2N6171531my102Z516319d22J314632k61423022W2362361X2122Ju23l24632Im2N61K1j2N62vo32eQ2Pv2k131pc2RV31Pa32Ic31pH2k132hq31pr2Ff31Pe32KU31pA32J932L5111O314R32l232KW32kw"),(#M-((#{260;(function(...)return;end)()}+89)));local function x(e,n,...)if(e==41796031)then return(l(l(l(n,780690),376080),832099));elseif(e==142470432)then return((l((l(n,192419))-301815,21005))-775972);elseif(e==741806547)then return((l((((n)-421553)-976264)-384504,539987))-564015);elseif(e==153425076)then return(l(((l((n)-861204,108653))-809785)-11737,687882));elseif(e==150837712)then return((((n)-295009)-582058)-664901);elseif(e==61507650)then return((l(l(l((n)-184390,28089),298786),293665))-27429);elseif(e==183121319)then return(l(l((l((n)-76377,446478))-564866,571722),1035));elseif(e==842758761)then return(((l(((n)-59314)-355776,129293))-433861)-599600);elseif(e==489832671)then return(((((l(n,442970))-378519)-146877)-679288)-196920);elseif(e==952157867)then return((((n)-438175)-917714)-475470);elseif(e==657349104)then return(l(l(l(n,610975),107003),305510));elseif(e==935742912)then return((l(((l(n,706255))-393422)-196388,952761))-171548);elseif(e==749784420)then return((l((n)-931249,148913))-438138);else end;end;local x=e[(976632227)];local A=e[(953699710)];local o=e[(229430380)];local s=e[((826926939-#("you dumped constants by printing the deserializer??? ladies and gentlemen stand clear we have a genius in the building.")))];local p=e["Cqtx5O"];local c=e[((#{}+109449187))];local t=e[(346881517)];local f=e[((#{409;700;}+917082896))];local function a()local f,a,e,o=u(h,d,d+c);f=l(f,n);n=f%x;a=l(a,n);n=a%x;e=l(e,n);n=e%x;o=l(o,n);n=o%x;d=d+p;return((o*t)+(e*A)+(a*x)+f);end;local function c(x,e,n)if(n)then local e=(x/f^(e-o))%f^((n-o)-(e-o)+o);return(e-(e%o));else local e=f^(e-o);return(((x%(e+e)>=e)and(o))or(s));end;end;local function t()local o,e=u(h,d,d+f);o=l(o,n);n=o%x;e=l(e,n);n=e%x;d=d+f;return((e*x)+o);end;local function f()local e=l(u(h,d,d),n);n=e%x;d=(d+o);return(e);end;local k="\35";local function x(...)return({...}),P(k,...);end;local function O(...)local D=e['Cqtx5O'];local r=e[((#{}+133611663))];local O=e[(432531483)];local Y=e[(164766591)];local I=e[(976632227)];local X=e["WtYM0TCB"];local m=e[((#{545;810;}+797023399))];local T=e[(310485076)];local z=e["B0prX35eZ"];local C=e[((109449230-#("https://www.youtube.com/watch?v=Lrj2Hq7xqQ8")))];local p=e[((#{272;714;(function(...)return 920,160,...;end)(290,439,356)}+889909818))];local x=e[(229430380)];local k=e[((328396161-#("Luraph: Probably considered the worst out of the three, Luraph is another Lua Obfuscator. It isnt remotely as secure as Ironbrew or Synapse Xen, and it isn't as fast as Ironbrew either.")))];local M=e['PlnrEtpec'];local P=e[(744037167)];local L=e["FT9yNDRN"];local o=e[((826926925-#("PSU|161027525v21222B11273172751L275102731327523d27f22I27f21o26o24Y21J1827F1X27f1r27F23823a26w1... oh wait")))];local v=e.ZFb7Y;local F=e[(583727597)];local y=e[((#{562;641;504;761;(function(...)return 980,429,212,...;end)(115,960,836)}+917082888))];local b=e['aMdBTBWo'];local A=e["LEgGLYP"];local S=e[(513716167)];local q=e[((#{577;}+713924387))];local function g(...)local e=({});local B=({});local s=({});local W=f(n);local J=t(n);for t=o,a(n)-x,x do local s=f(n);if(s%r==A)then local n=f(n);e[t]=(n~=o);elseif(s%r==X)then while(true)do local a=a(n);if(a==o)then e[t]=('');break;end;if(a>S)then local o,f=(''),(i(h,d,d+a-x));d=d+a;for e=x,#f,x do local e=l(u(i(f,e,e)),n);n=e%I;o=o..w[e];end;e[t]=o;else local x,o=(''),({u(h,d,d+a-x)});d=d+a;for o,e in R(o)do local e=l(e,n);n=e%I;x=x..w[e];end;e[t]=x;end;break;end;elseif(s%r==D)then while(true)do local d=a(n);local l=a(n);local a=x;local d=(c(l,x,z)*(y^b))+d;local n=c(l,r,q);local l=((-x)^c(l,b));if(n==o)then if(d==o)then e[t]=E(l*o);break;else n=x;a=o;end;elseif(n==O)then e[t]=(d==o)and(l*(x/o))or(l*(o/o));break;end;local n=U(l,n-L)*(a+(d/(y^P)));e[t]=n%x==o and E(n)or n break;end;elseif(s%r==p)then while(true)do local n=a(n);e[t]=i(h,d,d+n-x);d=d+n;break;end;else e[t]=nil end;end;local l=a(n);for e=o,l-x,x do s[e]=({});end;for B=o,l-x,x do local l=f(n);if(l~=o)then l=l-x;local i,r,w,d,b,u=o,o,o,o,o,o;local h=c(l,x,C);if(h==A)then d=(t(n));u=(f(n));r=(t(n));i=(a(n));b=({});for e=x,r,x do b[e]=({[o]=f(n),[x]=t(n)});end;elseif(h==o)then d=(t(n));u=(f(n));r=(t(n));i=(t(n));elseif(h==p)then elseif(h==x)then d=(t(n));u=(f(n));i=(a(n));elseif(h==y)then d=(t(n));u=(f(n));i=s[(a(n))];elseif(h==C)then d=(t(n));u=(f(n));r=(t(n));i=s[(a(n))];end;if(c(l,D,D)==x)then d=e[d];end;if(c(l,F,F)==x)then w=s[a(n)];else w=s[B+x];end;if(c(l,A,A)==x)then i=e[i];end;if(c(l,p,p)==x)then r=e[r];end;if(c(l,m,m)==x)then b=({});for e=x,f(),x do b[e]=a();end;end;local e=s[B];e['k6Wr']=w;e[M]=u;e["gp1n"]=r;e['yyTcXx']=b;e[-v]=i;e["wrH"]=d;end;end;for e=o,a(n)-x,x do B[e]=g();end;return({['ZqXoMP']=W;[Y]=J;['BfBe']=s;['BWDbwy']=e;[-k]=B;[-T]=o;});end;return(g(...));end;local function A(e,n,c,...)local n=e['BWDbwy'];local l=0;local f=e['BfBe'];local d=e['ZqXoMP'];local w=e[-663822];local t=e[299294];return(function(...)local e=({});local s={...};local n={};local e=(817422083);local o='k6Wr';local u={};local e='yyTcXx';local x='wrH';local a="gp1n";local h=(P(k,...)-1);local p=609534;local f=f[l];local e=(true);local l=-116962;local i=-(1);local e=1;for e=0,h,e do if(e>=d)then u[e-d]=s[e+1];else n[e]=s[e+1];end;end;local s=h-d+1;repeat local e=f;local d=e[p];f=e[o];if(d<=17)then if(d<=8)then if(d<=3)then if(d<=1)then if(d==0)then do return;end;elseif(d<=1)then n[e[x]]();end;elseif(d>2)then local t;local f;local a;local o=0;local function d(e,n,x)e=(o+e)%3 o=((e~=0)and o+((e<2)and-n or n)or o*n)%x return o end for o=1,31 do if d(9731,8509+o,1826)>913 then if d(4839,6628+o,1430)>=715 then if d(3521,8546+o,3710)<=1855 then t=x;else end else f=e[l];if d(7205,9249+o,2872)<1436 then n[a]=f;else a=e[t];end end else if d(3126,2198+o,1908)<=954 then if d(2603,5149+o,1978)>989 then else end else if d(6213,1169+o,3238)<1619 then else end end end end elseif(d<3)then local x=e[x];local l=n[x];local e,o=0,50*(e[a]-1);for x=x+1,i,1 do l[o+e+1]=n[x];e=e+1;end;end;elseif(d<=5)then if(d>4)then n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local i;local t;local c;local f=0;local function d(n,e,x)e=(f+e)%3 f=((e~=0)and f+((1==e)and-n or n)or f*n)%x return f end for o=2,34 do if d(6773,2753+o,780)<=390 then i=x;if d(3557,7047+o,2844)<1422 then if d(7815,7028+o,2966)>=1483 then n[c]=t;else end else if d(9579,4236+o,1512)>756 then c=e[i];else t=e[l];end end else if d(1348,8117+o,3764)<1882 then if d(2853,4598+o,2718)<=1359 then n[e[x]]=e[l]-e[a];else end else if d(9790,4708+o,2496)<1248 then else end end end end local i;local t;local c;local f=0;local function d(n,e,x)e=(f+e)%3 f=((e~=0)and f+((1==e)and n or-n)or f*n)%x return f end for o=0,31 do if d(1876,8424+o,508)<=254 then i=x;if d(8647,9888+o,1638)<=819 then if d(4485,2286+o,790)>395 then else t=e[l];end else if d(9218,1781+o,3790)<=1895 then else end end else if d(6120,2855+o,1434)<=717 then if d(6213,3627+o,2162)<1081 then else n[e[x]]=#n[e[l]];end else if d(3813,8594+o,3162)>1581 then else c=e[i];end end n[c]=t;end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local c;local t;local i;local f=0;local function d(n,e,x)e=(f+e)%3 f=((e~=0)and f+((1==e)and-n or n)or f*n)%x return f end for o=2,31 do if d(9488,2681+o,2260)<1130 then n[i]=t;if d(3973,5738+o,2866)>1433 then if d(1887,7418+o,3418)<1709 then else end else if d(3266,6974+o,2900)>=1450 then else end end else c=x;if d(3293,1077+o,996)>498 then if d(9079,1876+o,2548)>1274 then else end else t=e[l];if d(9759,8602+o,2452)<1226 then i=e[c];else end end end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local t;local c;local i;local f=0;local function d(n,e,x)e=(f+e)%3 f=((e~=0)and f+((e<2)and n or-n)or f*n)%x return f end for o=1,34 do if d(5025,9533+o,2282)>1141 then if d(5837,2975+o,2186)<=1093 then if d(4171,3042+o,2918)>=1459 then i=e[t];else end else if d(3630,6141+o,1856)>=928 then n[i]=c;else end end else if d(8088,9186+o,1342)<671 then t=x;if d(9339,2392+o,668)<=334 then c=e[l];else end else if d(8592,1905+o,2648)<1324 then n[e[x]]=e[l]-e[a];else end end end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];e=e[o];elseif(d<5)then n[e[x]][e[l]]=e[a];end;elseif(d<=6)then n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local r;local i;local c;local t=0;local function d(e,n,x)e=(t+e)%3 t=((e~=0)and t+((1==e)and n or-n)or t*n)%x return t end for o=2,30 do if d(4550,4207+o,2372)>=1186 then if d(1562,3790+o,688)<344 then if d(2389,2691+o,568)>284 then else c=e[r];end else n[c]=i;if d(8702,1146+o,626)>313 then else end end else if d(1323,2468+o,2102)>=1051 then if d(4523,5538+o,910)<=455 then else end else if d(1133,2296+o,1294)<647 then i=e[l];else r=x;end end end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local i;local r;local c;local t=0;local function d(e,n,x)e=(t+e)%3 t=((e~=0)and t+((e<2)and-n or n)or t*n)%x return t end for o=1,29 do if d(2691,6008+o,1696)<848 then if d(1805,1136+o,1308)<654 then if d(5752,5890+o,1796)>=898 then else end else if d(5933,5713+o,3356)<=1678 then i=x;else c=e[i];end end else if d(4429,6140+o,2688)<1344 then if d(9719,7387+o,2894)>=1447 then else end else if d(7180,3012+o,2978)<1489 then r=e[l];else n[c]=r;end end end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local r;local i;local c;local t=0;local function d(e,n,x)e=(t+e)%3 t=((e~=0)and t+((e<2)and n or-n)or t*n)%x return t end for o=0,30 do if d(4185,6582+o,2876)<=1438 then r=x;if d(5021,4557+o,3334)<=1667 then if d(3661,1781+o,2742)>1371 then n[c]=i;else if(e[x]~=e[a])then f=f+1;else f=e[l];end;end else if d(5793,2086+o,1822)>911 then else i=e[l];end c=e[r];end else if d(2318,5565+o,1182)<=591 then if d(4391,5172+o,2272)<1136 then else end else if d(1122,7156+o,622)>311 then else end end end end n[e[x]]=e[l];e=e[o];local r;local i;local c;local t=0;local function d(e,n,x)e=(t+e)%3 t=((e~=0)and t+((e<2)and n or-n)or t*n)%x return t end for o=0,26 do if d(6458,1100+o,2056)<1028 then if d(3263,5734+o,900)>450 then if d(7909,9857+o,1414)>707 then else end else if d(4078,2481+o,1456)>728 then r=x;else end end else if d(6227,7652+o,2490)>=1245 then i=e[l];if d(2907,7749+o,1992)>996 then else c=e[r];end else if d(6393,3621+o,580)<290 then else end end n[c]=i;end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local r;local i;local c;local t=0;local function d(n,e,x)e=(t+e)%3 t=((e~=0)and t+((e<2)and n or-n)or t*n)%x return t end for o=2,33 do if d(4319,2450+o,1532)>=766 then if d(4164,2528+o,1274)<=637 then if d(7555,5393+o,1154)>=577 then if(e[x]~=e[a])then f=f+1;else f=e[l];end;else n[e[x]]=n[e[l]];end else r=x;if d(4021,5140+o,330)<=165 then else i=e[l];end end c=e[r];else n[c]=i;if d(4012,7649+o,1046)>523 then if d(4400,4406+o,3256)>=1628 then else end else if d(8089,5312+o,3766)>1883 then else end end end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];e=e[o];elseif(d>7)then n[e[x]]=A(w[e[l]],(nil),c);elseif(d<8)then n[e[x]]=b(256);end;elseif(d<=12)then if(d<=10)then if(d>9)then local w;local p;local D;local A;local y;local C;local h=0;local F=0;local function d(n,e,x)e=(h+e)%3 h=((e~=0)and h+((1==e)and n or-n)or h*n)%x return h end for o=0,34 do if d(9153,3810+o,1082)>=541 then if d(5942,6043+o,1808)>=904 then if d(8690,3318+o,722)<361 then C=w[D];else p=l;end else A=n;if d(8242,1030+o,286)>143 then if F~=1 then n[C]=y;F=1;end;else y=A[w[p]];end end else if d(6704,8957+o,2622)>1311 then if d(7332,6975+o,2766)<=1383 then D=x;else if(n[e[x]]==e[a])then f=f+1;else f=e[l];end;end else if d(6187,4022+o,270)<=135 then w=e;else end end end end n[e[x]]=e[l];e=e[o];local d=e[x];n[d](r(n,d+1,e[l]));for e=d+1,t do n[e]=nil;end;e=e[o];n[e[x]]=c[e[l]];e=e[o];n[e[x]]();e=e[o];local h;local w;local p;local D;local A;local r=0;local function d(e,n,x)e=(r+e)%3 r=((e~=0)and r+((e<2)and-n or n)or r*n)%x return r end for o=1,34 do if d(1563,4326+o,644)>322 then if d(1798,6726+o,1710)>855 then if d(6578,3560+o,2076)<1038 then else if(n[e[x]]==e[a])then f=f+1;else f=e[l];end;end else p=e[l];if d(8967,3311+o,1892)>=946 then A=e[w];else D=h[p];end end else if d(7925,8421+o,2694)<=1347 then h=c;if d(7642,7867+o,250)>=125 then w=x;else end else n[A]=D;if d(4479,1477+o,2666)<1333 then else end end end end n[e[x]]=n[e[l]][e[a]];e=e[o];n[e[x]]=b(256);e=e[o];n[e[x]][e[l]]=e[a];e=e[o];n[e[x]][e[l]]=e[a];e=e[o];n[e[x]]=b(256);e=e[o];local x=e[x];i=x+s-1;for e=0,s do n[x+e]=u[e];end;for e=i+1,t do n[e]=nil;end;e=e[o];e=e[o];elseif(d<10)then local x=e[x];local d=n[x+2];local o=n[x]+d;n[x]=o;if(d>0)then if(o<=n[x+1])then f=e[l];n[x+3]=o;end;elseif(o>=n[x+1])then f=e[l];n[x+3]=o;end;end;elseif(d==11)then local s;local r;local i;local t=0;local function d(n,e,x)e=(t+e)%3 t=((e~=0)and t+((1==e)and-n or n)or t*n)%x return t end for o=1,30 do if d(9704,3687+o,1590)<=795 then n[e[x]]=c[e[l]];if d(9095,3638+o,2864)>1432 then if d(5520,4366+o,2262)<=1131 then n[e[x]]=n[e[l]]+e[a];else if(e[x]~=e[a])then f=f+1;else f=e[l];end;end else if d(4272,6390+o,3944)>1972 then n[e[x]]=#n[e[l]];else if(n[e[x]]==e[a])then f=f+1;else f=e[l];end;end f=e[l];end else if d(4592,4464+o,1074)<=537 then if d(2962,7728+o,2166)<=1083 then local o=e[l];local l=n[o];for e=o+1,e[a]do l=l..n[e];end;n[e[x]]=l;else i=e[s];end n[i]=r;else if d(8680,5859+o,1532)>766 then s=x;else n[e[x]]=e[l]-e[a];end end r=e[l];end end local c;local t;local i;local f=0;local function d(e,n,x)e=(f+e)%3 f=((e~=0)and f+((e<2)and n or-n)or f*n)%x return f end for o=1,30 do if d(5735,6535+o,1500)<750 then if d(6628,4678+o,384)<=192 then if d(7757,4877+o,304)<152 then else end else if d(5886,8566+o,3304)<=1652 then i=e[c];else n[i]=t;end end else if d(6144,5027+o,2462)>=1231 then if d(7151,1862+o,714)<=357 then else end else c=x;if d(5953,4834+o,2994)<1497 then n[e[x]]=n[e[l]]+e[a];else t=e[l];end end end end n[e[x]]=e[l];e=e[o];local i;local t;local c;local f=0;local function d(e,n,x)e=(f+e)%3 f=((e~=0)and f+((1==e)and-n or n)or f*n)%x return f end for o=2,32 do if d(6933,6160+o,3062)<=1531 then i=x;if d(6031,3226+o,454)<227 then if d(4077,1124+o,1526)<=763 then else end else if d(7940,7371+o,2314)<=1157 then else t=e[l];end c=e[i];end else if d(7943,3350+o,214)<=107 then if d(9695,9882+o,1440)<=720 then else n[c]=t;end else if d(8584,8952+o,814)>=407 then local o=e[l];local l=n[o];for e=o+1,e[a]do l=l..n[e];end;n[e[x]]=l;else end end end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local t;local c;local i;local f=0;local function d(e,n,x)e=(f+e)%3 f=((e~=0)and f+((e<2)and-n or n)or f*n)%x return f end for o=1,26 do if d(8238,6813+o,920)<=460 then if d(4095,9342+o,1434)>717 then if d(7177,3306+o,2732)<1366 then else end else t=x;if d(1598,2208+o,3068)>=1534 then c=e[l];else n[e[x]]=n[e[l]]+e[a];end end i=e[t];else if d(3884,4751+o,1570)<=785 then if d(8247,6844+o,2726)<1363 then else end else if d(2252,2017+o,2160)<=1080 then n[i]=c;else end end end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local f;local t;local c;local a=0;local function d(n,e,x)e=(a+e)%3 a=((e~=0)and a+((1==e)and n or-n)or a*n)%x return a end for o=1,29 do if d(5809,9894+o,1736)<868 then if d(4228,2043+o,3272)<1636 then if d(2986,3728+o,1230)>=615 then else c=e[f];end n[c]=t;else if d(7181,9140+o,778)>=389 then f=x;else end end t=e[l];else if d(5821,3330+o,2778)<=1389 then if d(4596,4404+o,1212)>606 then else end else if d(8168,6965+o,2204)>=1102 then else end end end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local f;local t;local c;local a=0;local function d(e,n,x)e=(a+e)%3 a=((e~=0)and a+((1==e)and n or-n)or a*n)%x return a end for o=0,27 do if d(7742,7505+o,1986)<=993 then if d(2297,3926+o,1194)>597 then if d(2435,8959+o,314)<157 then t=e[l];else end else if d(2041,1301+o,1458)>729 then else f=x;end end else c=e[f];if d(1203,3896+o,1368)>=684 then if d(2317,8146+o,272)>=136 then else end else if d(2191,7736+o,3256)<1628 then n[c]=t;else end end end end e=e[o];elseif(d<=12)then local o=e[l];local l=n[o];for e=o+1,e[a]do l=l..n[e];end;n[e[x]]=l;end;elseif(d<=14)then if(d==13)then local f;local h;local i;local t;local c;local r;local o=0;local s=0;local function d(n,e,x)e=(o+e)%3 o=((e~=0)and o+((e<2)and n or-n)or o*n)%x return o end for o=2,34 do if d(1120,7992+o,1230)<615 then if d(7810,2846+o,1646)>823 then if d(6116,2935+o,344)<=172 then f=e;else if s~=1 then n[r]=c;s=1;end;end else if d(8255,3759+o,322)>=161 then else end end h=l;else i=x;if d(5856,5898+o,3504)>1752 then if d(3018,3930+o,1182)>=591 then else t=n;end else if d(7982,8710+o,304)>152 then n[e[x]]=n[e[l]]+e[a];else c=t[f[h]];end r=f[i];end end end elseif(d<=14)then n[e[x]][e[l]]=n[e[a]];end;elseif(d<=15)then local x=e[x];local l=e[l];local d=50*(e[a]-1);local o=n[x];local e=0;for l=x+1,l do o[d+e+1]=n[x+(l-x)];e=e+1;end;elseif(d>16)then local x=e[x];n[x]=0+(n[x]);n[x+1]=0+(n[x+1]);n[x+2]=0+(n[x+2]);local o=n[x];local d=n[x+2];if(d>0)then if(o>n[x+1])then f=e[l];else n[x+3]=o;end;elseif(o<n[x+1])then f=e[l];else n[x+3]=o;end;elseif(d<17)then local x=e[x];n[x](r(n,x+1,e[l]));for e=x+1,t do n[e]=nil;end;end;elseif(d<=26)then if(d<=21)then if(d<=19)then if(d>18)then local x=e[x];n[x]=n[x](r(n,x+1,e[l]));for e=x+1,t do n[e]=nil;end;elseif(d<19)then n[e[x]]=n[e[l]];e=e[o];local s;local h;local i;local f=0;local function d(e,n,x)e=(f+e)%3 f=((e~=0)and f+((1==e)and n or-n)or f*n)%x return f end for o=0,33 do if d(2420,5298+o,2030)<1015 then if d(8028,2825+o,1270)>=635 then if d(3237,6031+o,1190)<=595 then s=x;else end h=e[l];else if d(8898,4028+o,3750)<=1875 then else end end else if d(1850,4018+o,2368)<=1184 then i=e[s];if d(4011,6970+o,1102)>=551 then else n[i]=h;end else if d(3601,5541+o,2288)<1144 then else end end end end n[e[x]]=c[e[l]];e=e[o];n[e[x]]=c[e[l]];e=e[o];n[e[x]]=n[e[l]][e[a]];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=#n[e[l]];e=e[o];local d=e[x];n[d]=n[d](r(n,d+1,e[l]));for e=d+1,t do n[e]=nil;end;e=e[o];n[e[x]]=n[e[l]][n[e[a]]];e=e[o];local d=e[x];n[d]=n[d](n[d+1]);for e=d+1,t do n[e]=nil;end;e=e[o];n[e[x]]=e[l];e=e[o];local f=e[l];local d=n[f];for e=f+1,e[a]do d=d..n[e];end;n[e[x]]=d;e=e[o];local x=e[x];n[x](r(n,x+1,e[l]));for e=x+1,t do n[e]=nil;end;e=e[o];e=e[o];end;elseif(d==20)then n[e[x]]=n[e[l]][n[e[a]]];elseif(d<=21)then local e=e[x];n[e]=n[e](n[e+1]);for e=e+1,t do n[e]=nil;end;end;elseif(d<=23)then if(d==22)then e=e[o];local l=e[x];i=l+s-1;for e=0,s do n[l+e]=u[e];end;for e=i+1,t do n[e]=nil;end;e=e[o];local x=e[x];do return r(n,x,i);end;e=e[o];e=e[o];elseif(d<=23)then n[e[x]]=n[e[l]][e[a]];end;elseif(d<=24)then local e=e[x];do return r(n,e,i);end;elseif(d>25)then n[e[x]]=b(e[l]);elseif(d<26)then n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local r;local s;local i;local t=0;local function d(n,e,x)e=(t+e)%3 t=((e~=0)and t+((e<2)and-n or n)or t*n)%x return t end for o=0,34 do if d(1294,3685+o,3610)>=1805 then if d(6446,9076+o,3048)<=1524 then if d(4694,1548+o,1692)>846 then else end else if d(3080,2327+o,2072)<=1036 then r=x;else i=e[r];end s=e[l];end else if d(9192,4374+o,524)<=262 then if d(4416,8909+o,576)<288 then else n[e[x]]=c[e[l]];end else if d(4358,3223+o,1154)>577 then else n[i]=s;end end end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local r;local c;local i;local t=0;local function d(e,n,x)e=(t+e)%3 t=((e~=0)and t+((e<2)and n or-n)or t*n)%x return t end for o=2,29 do if d(7723,9431+o,1396)>=698 then if d(6812,6800+o,1056)<=528 then if d(5227,6358+o,566)>=283 then r=x;else i=e[r];end c=e[l];else if d(4010,6072+o,1614)<807 then if(e[x]~=e[a])then f=f+1;else f=e[l];end;else end end else if d(2071,8425+o,3048)<=1524 then n[i]=c;if d(9257,3930+o,1482)>=741 then else end else if d(5884,9098+o,1394)>697 then else end end end end n[e[x]]=e[l];e=e[o];local c;local i;local t;local f=0;local function d(e,n,x)e=(f+e)%3 f=((e~=0)and f+((e<2)and-n or n)or f*n)%x return f end for o=1,25 do if d(6829,4831+o,3378)>1689 then c=x;if d(8819,1793+o,2660)>1330 then i=e[l];if d(8593,8893+o,1056)<528 then n[t]=i;else t=e[c];end else if d(6968,6631+o,948)>474 then else end end else if d(4819,7704+o,2802)>1401 then if d(8447,1961+o,2886)>1443 then n[e[x]]=n[e[l]];else end else if d(5158,7045+o,3576)>1788 then n[e[x]]=e[l]-e[a];else end end end end n[e[x]]=e[l];e=e[o];e=e[o];end;elseif(d<=31)then if(d<=28)then if(d>27)then n[e[x]]=#n[e[l]];elseif(d<28)then local e=e[x];n[e](n[1+e]);for e=e,t do n[e]=nil;end;end;elseif(d<=29)then n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local i;local r;local s;local t=0;local function d(n,e,x)e=(t+e)%3 t=((e~=0)and t+((1==e)and-n or n)or t*n)%x return t end for o=1,33 do if d(2623,2591+o,3308)<1654 then if d(5426,3215+o,1798)<=899 then if d(1489,8257+o,1016)<=508 then i=x;else r=e[l];end else if d(6754,6010+o,742)<=371 then else s=e[i];end n[s]=r;end else if d(9595,5578+o,2350)>=1175 then if d(9412,5960+o,1364)>=682 then else end else if d(1599,8811+o,2904)<=1452 then else end end end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local i;local r;local s;local t=0;local function d(n,e,x)e=(t+e)%3 t=((e~=0)and t+((e<2)and n or-n)or t*n)%x return t end for o=2,32 do if d(2158,5680+o,850)>=425 then if d(1420,7110+o,2738)>1369 then if d(1745,9246+o,1872)>=936 then else n[s]=r;end else if d(1328,9815+o,1964)<=982 then local o=e[l];local l=n[o];for e=o+1,e[a]do l=l..n[e];end;n[e[x]]=l;else end end else if d(7308,3942+o,1282)>641 then r=e[l];if d(2666,6715+o,1966)>983 then s=e[i];else end else if d(3133,1175+o,928)>=464 then i=x;else n[e[x]]=c[e[l]];end end end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local c;local r;local i;local t=0;local function d(n,e,x)e=(t+e)%3 t=((e~=0)and t+((e<2)and n or-n)or t*n)%x return t end for o=0,27 do if d(9847,6513+o,2668)<=1334 then if d(9587,4681+o,2416)<=1208 then n[i]=r;if d(3541,2395+o,1504)<=752 then else end else if d(1917,5043+o,2680)>1340 then else c=x;end end else if d(8981,3050+o,1308)<654 then if d(9100,7798+o,1392)<696 then if(n[e[x]]==e[a])then f=f+1;else f=e[l];end;else r=e[l];end i=e[c];else if d(7232,8846+o,2400)<1200 then else end end end end n[e[x]]=e[l];e=e[o];local f;local c;local t;local a=0;local function d(e,n,x)e=(a+e)%3 a=((e~=0)and a+((1==e)and n or-n)or a*n)%x return a end for o=1,31 do if d(5866,5919+o,2382)<1191 then if d(4122,5729+o,1148)<574 then if d(2183,4391+o,3792)>1896 then else end else if d(7757,8858+o,1648)>824 then else f=x;end c=e[l];end else t=e[f];if d(4745,4701+o,3812)<=1906 then if d(3413,9798+o,3370)>1685 then else n[t]=c;end else if d(4958,6500+o,322)>=161 then else end end end end n[e[x]]=e[l];e=e[o];local c;local f;local t;local a=0;local function d(e,n,x)e=(a+e)%3 a=((e~=0)and a+((1==e)and-n or n)or a*n)%x return a end for o=2,27 do if d(1571,6395+o,2238)<1119 then t=e[c];if d(5942,4193+o,2146)<=1073 then if d(5993,2255+o,3228)>1614 then else n[t]=f;end else if d(6846,6797+o,1802)<=901 then else end end else if d(9018,7534+o,2122)<=1061 then if d(1158,9556+o,784)>=392 then c=x;else end else if d(2240,7899+o,1844)>922 then else end end f=e[l];end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];e=e[o];elseif(d==30)then n[e[x]][e[l]]=n[e[a]];e=e[o];local d=e[x];n[d]=n[d](n[d+1]);for e=d+1,t do n[e]=nil;end;e=e[o];n[e[x]]=c[e[l]];e=e[o];n[e[x]]=b(256);e=e[o];n[e[x]][e[l]]=e[a];e=e[o];n[e[x]][e[l]]=e[a];e=e[o];n[e[x]]=n[e[l]][e[a]];e=e[o];n[e[x]]=n[e[l]][n[e[a]]];e=e[o];local x=e[x];n[x](n[1+x]);for e=x,t do n[e]=nil;end;e=e[o];e=e[o];elseif(d<=31)then local e=e[x];i=e+s-1;for x=0,s do n[e+x]=u[x];end;for e=i+1,t do n[e]=nil;end;end;elseif(d<=33)then if(d>32)then n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local i;local r;local c;local t=0;local function d(n,e,x)e=(t+e)%3 t=((e~=0)and t+((1==e)and-n or n)or t*n)%x return t end for o=1,33 do if d(2147,9536+o,238)>=119 then if d(5178,9241+o,3976)<1988 then if d(5631,9689+o,294)<=147 then else r=e[l];end else n[c]=r;if d(1547,9679+o,1578)<789 then else end end c=e[i];else if d(2469,6361+o,3926)<1963 then if d(2698,6162+o,2714)>1357 then if(e[x]~=e[a])then f=f+1;else f=e[l];end;else end else if d(4076,8319+o,2040)>=1020 then n[e[x]]=n[e[l]]+e[a];else i=x;end end end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local c;local t;local i;local f=0;local function d(e,n,x)e=(f+e)%3 f=((e~=0)and f+((e<2)and-n or n)or f*n)%x return f end for o=0,29 do if d(2290,1356+o,2634)>=1317 then if d(1252,7003+o,2310)>=1155 then if d(5363,9272+o,3942)>1971 then n[i]=t;else end else if d(5194,7741+o,2018)>1009 then else end end else if d(5145,9821+o,1810)<905 then if d(7502,3315+o,2444)<1222 then n[e[x]]=n[e[l]]+e[a];else c=x;end t=e[l];else if d(5740,1208+o,1888)<944 then i=e[c];else n[e[x]]=n[e[l]];end end end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local c;local t;local i;local f=0;local function d(e,n,x)e=(f+e)%3 f=((e~=0)and f+((1==e)and-n or n)or f*n)%x return f end for o=1,34 do if d(7083,4022+o,2148)<1074 then if d(6479,2849+o,1078)>539 then if d(1864,1146+o,2906)<=1453 then else c=x;end t=e[l];else if d(4844,6055+o,856)<=428 then else end end else i=e[c];if d(7686,8644+o,1192)>596 then if d(7613,4663+o,686)<343 then n[i]=t;else end else if d(2218,7242+o,612)<=306 then local o=e[l];local l=n[o];for e=o+1,e[a]do l=l..n[e];end;n[e[x]]=l;else end end end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];e=e[o];elseif(d<33)then n[e[x]]=b(e[l]);e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local s;local r;local i;local t=0;local function d(n,e,x)e=(t+e)%3 t=((e~=0)and t+((e<2)and-n or n)or t*n)%x return t end for o=2,33 do if d(9564,5404+o,3842)>1921 then if d(1536,5224+o,588)>294 then if d(2979,8103+o,1938)<=969 then else end else if d(6577,9848+o,1970)>985 then else i=e[s];end end n[i]=r;else if d(7637,8333+o,1096)>=548 then if d(9281,9856+o,1150)>=575 then else end else if d(1048,1964+o,2552)>=1276 then else s=x;end end r=e[l];end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local s;local i;local r;local t=0;local function d(e,n,x)e=(t+e)%3 t=((e~=0)and t+((1==e)and-n or n)or t*n)%x return t end for o=2,28 do if d(8092,8873+o,3136)>=1568 then if d(7097,9316+o,776)>=388 then if d(3722,5626+o,2706)>=1353 then else n[r]=i;end else if d(9231,5179+o,2130)<1065 then n[e[x]]=n[e[l]]+e[a];else end end else if d(2707,1002+o,3774)<=1887 then if d(6143,2628+o,1200)<600 then else end else if d(2001,3323+o,3028)>1514 then s=x;else end i=e[l];end r=e[s];end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local s;local r;local i;local t=0;local function d(n,e,x)e=(t+e)%3 t=((e~=0)and t+((1==e)and n or-n)or t*n)%x return t end for o=0,33 do if d(2180,6416+o,2046)>=1023 then if d(8820,2532+o,2442)<=1221 then if d(2420,1243+o,1472)>736 then else s=x;end else if d(4250,6606+o,2040)<1020 then else end end else r=e[l];if d(3713,5392+o,1688)<=844 then if d(7579,3632+o,430)<215 then else end else if d(2424,6390+o,740)>370 then i=e[s];else n[i]=r;end end end end local i;local r;local s;local t=0;local function d(n,e,x)e=(t+e)%3 t=((e~=0)and t+((e<2)and n or-n)or t*n)%x return t end for o=2,28 do if d(2592,7300+o,862)<=431 then if d(6935,8324+o,3634)<1817 then if d(5492,7040+o,270)>135 then else end else if d(4579,6856+o,1700)<=850 then n[e[x]]=c[e[l]];else i=x;end r=e[l];end else if d(7732,2203+o,1748)>=874 then if d(4376,7885+o,1660)>=830 then else s=e[i];end else if d(6371,3171+o,1880)<=940 then if(e[x]~=e[a])then f=f+1;else f=e[l];end;else end end n[s]=r;end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local t;local i;local c;local f=0;local function d(e,n,x)e=(f+e)%3 f=((e~=0)and f+((e<2)and-n or n)or f*n)%x return f end for o=2,34 do if d(4463,7939+o,2734)>1367 then t=x;if d(8368,6150+o,446)>223 then if d(1135,5430+o,536)<=268 then else end else if d(4042,4042+o,3052)<=1526 then i=e[l];else end c=e[t];end else if d(2920,3507+o,2842)<=1421 then if d(4725,6719+o,2612)>1306 then else end else if d(4987,6684+o,2750)<1375 then n[c]=i;else end end end end local t;local c;local i;local f=0;local function d(n,e,x)e=(f+e)%3 f=((e~=0)and f+((1==e)and n or-n)or f*n)%x return f end for o=0,27 do if d(3481,2325+o,772)<386 then if d(3334,3890+o,1732)<866 then if d(2783,7283+o,3592)>=1796 then t=x;else end c=e[l];else if d(4091,8596+o,1792)>896 then else end end else if d(7904,4947+o,2066)>=1033 then if d(2834,8595+o,2368)>=1184 then else end else if d(9864,3120+o,2190)<1095 then n[e[x]]=e[l]-e[a];else i=e[t];end end n[i]=c;end end e=e[o];end;elseif(d<=34)then elseif(d>35)then n[e[x]]=c[e[l]];elseif(d<36)then n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local r;local i;local t;local f=0;local function d(n,e,x)e=(f+e)%3 f=((e~=0)and f+((1==e)and n or-n)or f*n)%x return f end for o=0,32 do if d(7792,5828+o,400)>=200 then if d(4024,5797+o,1818)>=909 then if d(5790,2619+o,558)<279 then r=x;else t=e[r];end else if d(7772,6486+o,658)>329 then else n[e[x]]=n[e[l]];end end i=e[l];else if d(2926,8171+o,800)>=400 then if d(4715,4564+o,2330)>1165 then n[t]=i;else end else if d(1163,6460+o,3952)<=1976 then n[e[x]]=c[e[l]];else end end end end local i;local c;local t;local f=0;local function d(n,e,x)e=(f+e)%3 f=((e~=0)and f+((e<2)and n or-n)or f*n)%x return f end for o=0,31 do if d(4255,1543+o,398)>=199 then if d(1675,2113+o,1852)<926 then if d(9274,4747+o,3424)<1712 then else c=e[l];end t=e[i];else if d(6287,7401+o,1786)<893 then i=x;else n[e[x]]=n[e[l]];end end else if d(7798,7185+o,3440)>1720 then n[t]=c;if d(7684,7305+o,1602)<801 then else end else if d(2885,2727+o,3722)>=1861 then else end end end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];local t;local c;local i;local f=0;local function d(n,e,x)e=(f+e)%3 f=((e~=0)and f+((1==e)and-n or n)or f*n)%x return f end for o=2,27 do if d(2869,1401+o,2540)>=1270 then if d(1236,9944+o,1148)>=574 then if d(4233,1131+o,2274)<=1137 then else local o=e[l];local l=n[o];for e=o+1,e[a]do l=l..n[e];end;n[e[x]]=l;end else if d(8715,8991+o,2144)>=1072 then n[e[x]]=n[e[l]];else end end else t=x;if d(2310,5476+o,880)>=440 then c=e[l];if d(5411,6335+o,1678)>839 then else i=e[t];end else if d(3284,5793+o,3552)>=1776 then n[i]=c;else end end end end n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];n[e[x]]=e[l];e=e[o];e=e[o];end;until false end);end;return A(O(),{},z())(...);end)(({[(964981490)]=((421925413));[((#{674;731;}+355620241))]=("\105");[(68423056)]=((31789804));[(38627198)]=("\111");[(713924388)]=(((150-#("you dumped constants by printing the deserializer??? ladies and gentlemen stand clear we have a genius in the building."))));[(797023401)]=((7));[((726935520-#("psu premium chads winning (only joe biden supporters use the free version)")))]=((210));[(147637160)]=((36));[(583727597)]=((8));["PlnrEtpec"]=((609534));['xd1EP3b8h']=((705365770));kVsrvF5=((746242376));[(109449187)]=((3));[((#{894;387;(function(...)return 29,782,549;end)()}+490201101))]=("\121");[((#{284;561;284;47;(function(...)return 848,416,504,375,...;end)()}+744037159))]=((52));[(328395976)]=((663822));[(229430380)]=(((#{908;(function(...)return 456,42,281;end)()}-3)));[(889909825)]=((6));[((218886333-#("Are you using AztupBrew, clvbrew, or IB2? Congratulations! You're deobfuscated!")))]=(((#{855;997;}+553494945)));[((#{813;(function(...)return 63,618,505,562,...;end)(550)}+26931651))]=("\115");[(543910516)]=((472));[((336588447-#("Luraph: Probably considered the worst out of the three, Luraph is another Lua Obfuscator. It isnt remotely as secure as Ironbrew or Synapse Xen, and it isn't as fast as Ironbrew either.")))]=((190));[(324257788)]=((179));[((113174053-#("concat was here")))]=("\104");[((699949240-#("psu == femboy hangout")))]=(((#{661;667;(function(...)return 418,263,...;end)(195)}+13199)));[((#{382;311;169;442;}+826926816))]=(((67-#("i am not wally stop asking me for wally hub support please fuck off"))));Lb2S05dNc=(((277-#("Bunu yazan tosun... - federal"))));[(747761922)]=((171));[(526741667)]=((263));[((553494976-#("Perth Was here impossible ikr")))]=("\98");[((486953363-#("woooow u hooked an opcode, congratulations~ now suck my cock")))]=(((490201146-#("still waiting for luci to fix the API :|"))));[((310485143-#("@everyone designs are done. luraph website coming.... eta JULY 2020")))]=((636864));[((#{749;287;889;(function(...)return 630,225,450,961,...;end)(398)}+304737099))]=("\99");[(813552642)]=(((304737174-#("i am not wally stop asking me for wally hub support please fuck off"))));wz0MfMx=("\101");[((705806957-#("I hate this codebase so fucking bad! - notnoobmaster")))]=((38627198));[(271775793)]=(((89425889-#("Luraph: Probably considered the worst out of the three, Luraph is another Lua Obfuscator. It isnt remotely as secure as Ironbrew or Synapse Xen, and it isn't as fast as Ironbrew either."))));B0prX35eZ=((20));['FT9yNDRN']=(((1082-#("LuraphDeobfuscator.zip (oh god DMCA incoming everyone hide)"))));[((824405050-#("luraph is now down until further notice for an emergency major security update")))]=(((105-#("concat was here"))));[((513716234-#("i am not wally stop asking me for wally hub support please fuck off")))]=(((5079-#("Are you using AztupBrew, clvbrew, or IB2? Congratulations! You're deobfuscated!"))));[((#{714;85;}+867364704))]=(((322-#("this isn't krnl support you bonehead moron"))));[(222121763)]=((9277));aMdBTBWo=((32));['dYvOGsoT']=(((113174145-#("I'm not ignoring you, my DMs are full. Can't DM me? Shoot me a email: mem@mem.rip (Business enquiries only)"))));[((#{}+683810419))]=(((#{698;96;901;(function(...)return 252,950,502,618;end)()}+26931650)));[((#{}+746242376))]=("\108");[((432531519-#("If you see this, congrats you're gay")))]=(((2118-#("why the fuck would we sell a deobfuscator for a product we created....."))));["LEgGLYP"]=((5));[(31789804)]=("\116");[((#{382;446;(function(...)return 70;end)()}+994474427))]=(((814391269-#("psu 34567890fps, luraph 1fps, xen 0fps"))));[(161997582)]=((105));[((#{932;}+777716873))]=(((#{832;}+341)));[((#{938;297;507;494;}+852822494))]=((435));["J9sFyaX"]=(((355620259-#("The Voxel is sus"))));['feR8HGuA']=("\117");[(164766591)]=((299294));[((512806835-#("I hate this codebase so fucking bad! - notnoobmaster")))]=((24538));["Cqtx5O"]=((4));[(735591709)]=("\107");["Lj10qfRi"]=((14283));["eepRF"]=(((180-#("still waiting for luci to fix the API :|"))));[((116293065-#("Bunu yazan tosun... - federal")))]=((1011));[((346881599-#("who the fuck looked at synapse xen and said 'yeah this is good enough for release'")))]=(((16777321-#("PSU|161027525v21222B11273172751L275102731327523d27f22I27f21o26o24Y21J1827F1X27f1r27F23823a26w1... oh wait"))));[((#{960;550;}+951188782))]=((22470));["tdDz0xdIlA"]=("\97");[(921427140)]=((68627213));[(976632227)]=((256));[(705365770)]=("\100");['WtYM0TCB']=((11));[((#{296;696;}+917082896))]=((2));['JOopghrs']=("\120");[(133611663)]=((21));[((421925518-#("PSU|161027525v21222B11273172751L275102731327523d27f22I27f21o26o24Y21J1827F1X27f1r27F23823a26w1... oh wait")))]=("\109");[(600852055)]=(((#{6;536;661;}+275)));[((814391261-#("please suck my cock :pleading:")))]=("\51");luPDU0r4=(((#{808;996;}+333)));['ZFb7Y']=((116962));[(288658720)]=((3945));[(68627213)]=("\110");[((#{144;881;624;(function(...)return;end)()}+140805464))]=(((#{566;}+172)));[(295040260)]=(((236-#("why the fuck would we sell a deobfuscator for a product we created....."))));[(953699710)]=((65536));[(89425704)]=("\114");[(277125119)]=(((#{}+735591709)));}),...)})do return e end;
return Def.Quad { InitCommand = function(self) self:xy(SCREEN_CENTER_X, SCREEN_CENTER_Y):zoomto(SCREEN_WIDTH, SCREEN_HEIGHT) end, OnCommand = function(self) self:diffuse(color("0,0,0,1")):sleep(0.1):linear(0.1):diffusealpha(0) end }
Player = GameObject:extend() SP = 0 function Player:new(area, x, y, opts) Player.super.new(self, area, x, y, opts) self.w, self.h = 12, 12 self.collider = self.area.world:newCircleCollider(self.x, self.y, self.w) self.collider:setObject(self) self.collider:setCollisionClass("Player") self.r = -math.pi * 0.5 --starting angle (up) self.rv = 1.66 * math.pi --angle change on player input self.vel = 0 self.base_max_vel = 100 self.max_vel = self.base_max_vel self.acc = 100 self.max_hp = 100 self.hp = self.max_hp self.max_ammo = 100 self.ammo = self.max_ammo self.invincible = false self.invisible = false self.max_boost = 100 self.boost = self.max_boost self.can_boost = true self.boost_timer = 0 self.boost_cooldown = 2 self.cycle_timer = 0 self.cycle_cooldown = 5 self.inside_haste_area = false self.energy_shield_recharge_cooldown = 2 self.energy_shield_recharge_amount = 1 self.drop_mine_interval = 0.5 self.drop_mine_timer = 0 self.cycle_attack_interval = 10 self.cycle_attack_timer = 0 --multipliers self.hp_multiplier = 1 self.ammo_multiplier = 1 self.boost_multiplier = 1 self.enemy_spawn_rate_multiplier = 1 self.attack_speed_multiplier = Stat(1) self.attack_speed_boosting = false self.movement_speed_multiplier = Stat(1) self.movement_speed_boosting = false self.projectile_speed_mutliplier = Stat(1) self.projectile_speed_boosting = false self.projectile_speed_inhibiting = false self.cycle_speed_multiplayer = Stat(1) self.increased_cycle_speed_while_boosting = false self.energy_shield_recharge_amount_multiplier = 1 self.energy_shield_recharge_cooldown_multiplier = 1 self.luck_multiplier = 1 self.hp_spawn_chance_multiplier = 1.0 self.sp_spawn_chance_multiplier = 1.0 self.boost_spawn_chance_multiplier = 1.0 self.resource_spawn_rate_multiplier = 1.0 self.attack_spawn_rate_multiplier = 1.0 self.turn_rate_multiplier = 1.0 self.boost_effectiveness_multiplier = 1.0 self.projectile_size_mutliplier = 1.0 self.boost_recharge_rate_mutliplier = 1.0 self.invulnerability_time_multiplier = 1.0 self.ammo_consumption_multiplier = 1.0 self.size_multiplier = 1.0 self.stat_boost_duration_multiplier = 1.0 self.angle_change_frequency_multiplier = 1.0 self.projectile_waviness_multiplier = 1.0 self.projectile_acceleration_multiplier = 1.0 self.projectile_deceleration_multiplier = 1.0 self.projectile_duration_multiplier = 1.0 self.area_multiplier = 1.0 self.laser_width_multiplier = 1.0 --flats self.flat_hp = 0 self.flat_ammo = 0 self.flat_boost = 0 self.additional_bounce_projectiles = 0 self.additional_homing_projectiles = 0 self.additional_barrage_projectiles = 0 --chances self.launch_homing_projectile_on_ammo_pickup_chance = 0 self.regain_hp_on_ammo_pickup_chance = 0 self.regain_hp_on_sp_pickup_chance = 0 self.spawn_haste_area_on_hp_pickup_chance = 0 self.spawn_haste_area_on_sp_pickup_chance = 0 self.spawn_sp_on_cycle_chance = 0 self.barrage_on_kill_chance = 0 self.spawn_hp_on_cycle_chance = 0 self.regain_hp_on_cycle_chance = 0 --25 self.regain_full_ammo_on_cycle_chance = 0 self.change_attack_on_cycle_chance = 0 self.spawn_haste_area_on_cycle_chance = 0 self.barrage_on_cycle_chance = 0 self.launch_homing_projectile_on_cycle_chance = 0 self.regain_ammo_on_kill_chance = 0 --20 self.launch_homing_projectile_on_kill_chance = 0 self.regain_boost_on_kill_chance = 0 --40 self.spawn_boost_on_kill_chance = 0 self.gain_attack_speed_boost_on_kill_chance = 0 self.gain_movement_speed_boost_on_cycle_chance = 0 self.gain_projectile_speed_boost_on_cycle_chance = 0 self.gain_projectile_speed_inhibit_on_cycle_chance = 0 self.launch_homing_projectile_while_boosting_chance = 0 self.attack_twice_chance = 0 self.gain_double_sp_chance = 0 self.split_projectiles_split_chance = 0 --maybe has to be changed so that split children projectiles can never spawn new split children projectiles self.self_explode_on_cycle_chance = 0 self.spawn_double_hp_chance = 0 self.spawn_double_sp_chance = 0 self.drop_double_ammo_chance = 0 self.shield_projectile_chance = 0 self.drop_mines_chance = 0 self.added_chance_to_all_on_kill_events = 0 self.increased_luck_while_boosting = false self.luck_boosting = false self.invulnerability_while_boosting = false self.energy_shield = false self.change_attack_periodically = false self.gain_sp_on_death = false self.convert_hp_to_sp_if_hp_full = false self.no_boost = false self.half_ammo = false self.half_hp = false self.deals_damage_while_invulnerable = false self.refill_ammo_if_hp_full = false self.refill_boost_if_hp_full = false self.only_spawn_boost = false self.only_spawn_attack = false self.no_ammo_drop = true self.infinite_ammo = true --projectile passives self.projectile_90_degree_change = false self.projectile_random_degree_change = false self.projectile_wavy = false self.slow_to_fast = false self.fast_to_slow = false self.additional_lightning_bolt = false self.increased_lightning_angle = false self.fixed_spin_attack_direction = false self.barrage_nova = false self.projectiles_explode_on_expiration = false self.projectiles_explosions = false --conversions self.ammo_to_attack_speed = 0 self.movespeed_to_attack_speed = 0 self.movespeed_to_hp = 0 self.movespeed_to_projectile_speed = 0 self.ammo_gain = 0 self.ship_variants = {"Fighter", "Assault", "Hour", "Sonic", "Sentinel", "Bithunter"} self.ship = self.ship_variants[1] self.polygons = {} self.boosting = false self.trail_color = skill_point_color self:changeShip(self.ship) input:bind("f3", function () self:die() end) input:bind("f4", function () local index = math.random(#self.ship_variants) local ship = self.ship_variants[index] self:changeShip(ship) end) local function generateAttackTable(v) local t = {} for _, value in pairs(attacks) do t[value.name] = v end return t end --ATTACKS self.attack_spawn_chance_multipliers = generateAttackTable(1) self.attack_spawn_chance_multipliers["Laser"] = 0 self.start_attack_chances = generateAttackTable(false) self.start_attack_chances["Neutral"] = true self.possible_attacks = {} for key, value in pairs(self.attack_spawn_chance_multipliers) do if value > 0 then table.insert(self.possible_attacks, key) end end local start_attacks = {} for key, value in pairs(self.start_attack_chances) do if value then table.insert(start_attacks, key) end end local start_attack = table.random(start_attacks) --APPLY ALL STATS --treeToPlayer(self) self:setStats() self:generateChances() self.projectile_multipliers = { speed = self.projectile_speed_mutliplier.value, size = self.projectile_size_mutliplier, angle_change_frequency = self.angle_change_frequency_multiplier, wavy_amplitude = self.projectile_waviness_multiplier, acceleration_multiplier = self.projectile_acceleration_multiplier, deceleration_multiplier = self.projectile_deceleration_multiplier, duration_multiplier = self.projectile_duration_multiplier, area_multiplier = self.area_multiplier } self.projectile_passives = { degree_change_90 = self.projectile_90_degree_change, random_degree_change = self.projectile_random_degree_change, wavy = self.projectile_wavy, slow_to_fast = self.slow_to_fast, fast_to_slow = self.fast_to_slow, fixed_spin = self.fixed_spin_attack_direction, explode_on_expiration = self.projectiles_explode_on_expiration, barrage_explosion = self.projectiles_explosions } self:setAttack(start_attack) --self:setAttack("Laser") end function Player:setStats() --hp self.max_hp = (self.max_hp + self.flat_hp) * self.hp_multiplier self.hp = self.max_hp --ammo self.max_ammo = (self.max_ammo + self.flat_ammo) * self.ammo_multiplier self.ammo = self.max_ammo --boost self.max_boost = (self.max_boost + self.flat_boost) * self.boost_multiplier self.boost = self.max_boost --energy shield if self.energy_shield then self.invulnerability_time_multiplier = self.invulnerability_time_multiplier * 0.5 end if self.drop_mines_chance > 0 then self.drop_mine_timer = self.drop_mine_interval end if self.change_attack_periodically then self.cycle_attack_timer = self.cycle_attack_interval end if self.half_ammo then self.max_ammo = self.max_ammo * 0.5 end if self.half_hp then self.max_hp = self.max_hp * 0.5 self.hp = self.max_hp end if self.no_boost then self.max_boost = 0 self.boost = self.max_boost end end function Player:generateChances() self.chances = {} for key, value in pairs(self) do if key:find("_chance") and type(value) == "number" then if key:find('_on_kill') and value > 0 then self.chances[key] = chanceList( {true, math.ceil((value + self.added_chance_to_all_on_kill_events)* self.luck_multiplier)}, {false, 100 - math.ceil((value + self.added_chance_to_all_on_kill_events) * self.luck_multiplier)}) else self.chances[key] = chanceList( {true, math.ceil(value * self.luck_multiplier)}, {false, 100 - math.ceil(value * self.luck_multiplier)}) end end end end function Player:shoot() local mods = { shield = self.chances.shield_projectile_chance:next(), bounce = 0 } local d = self.w * 1.2 d = d * 1.5 if self.attack == "Neutral" then self:spawnProjectile(self.attack, self.r, d, mods) elseif self.attack == "Lightning" then local x1, y1 = self.x + d * math.cos(self.r), self.y + d * math.sin(self.r) local cx, cy if self.increased_lightning_angle then cx, cy = self.x, self.y else cx, cy = x1 + 24 * math.cos(self.r), y1 + 24 * math.sin(self.r) end --local closest_enemy = self.area:getGameObjectsInCircle(cx, cy, 64, "enemy", "closest")--nearby_enemies[1] local closest_enemies = self.area:getGameObjectsInCircle(cx, cy, 64 * self.area_multiplier, "enemy", "closest_all") local function spawnLightningBolt(enemy, ammo) if enemy then if ammo then if not self.infinite_ammo then self:addAmmo(-attacks[self.attack].ammo * self.ammo_consumption_multiplier) end end enemy:hit() local x2, y2 = enemy.x, enemy.y self.area:addGameObject("LightningLine", 0, 0, {x1 = x1, y1 = y1, x2 = x2, y2 = y2}) for i = 1, love.math.random(4, 8) do self.area:addGameObject("ExplodeParticle", x1, y1, {color = table.random({default_color, boost_color})}) end for i = 1, love.math.random(4, 8) do self.area:addGameObject("ExplodeParticle", x2, y2, {color = table.random({default_color, boost_color})}) end end end spawnLightningBolt(closest_enemies[1], true) if self.additional_lightning_bolt then if closest_enemies[2] then self.timer:after(attacks["Lightning"].cooldown * 0.25, function () spawnLightningBolt(closest_enemies[2], false) end) end end return -- so the other shoot code isnt run elseif self.attack == "Laser" then local x1, y1 = self.x + d * math.cos(self.r), self.y + d * math.sin(self.r) self.area:addGameObject("LaserLine", x1, y1, {r = self.r, color = attacks[self.attack].color, w_mp = self.laser_width_multiplier}) return elseif self.attack == "Sniper" then self:spawnProjectile(self.attack, self.r, d, mods, 1.5) camera:shake(3, 40, 0.3) elseif self.attack == "Homing" then self:spawnProjectile(self.attack, self.r, d, mods) elseif self.attack == "Explode" then self:spawnProjectile(self.attack, self.r, d, mods) elseif self.attack == "2Split" then self:spawnProjectile(self.attack, self.r, d, mods) elseif self.attack == "3Split" then self:spawnProjectile(self.attack, self.r, d, mods) elseif self.attack == "4Split" then self:spawnProjectile(self.attack, self.r, d, mods) elseif self.attack == "Bounce" then mods.bounce = 4 self:spawnProjectile(self.attack, self.r, d, mods) elseif self.attack == "Swarm" then for i = 1, 6 do local angle = self.r + random(-math.pi * 0.2, math.pi * 0.2) self:spawnProjectile(self.attack, angle, d, mods, random(0.9, 1.1)) end elseif self.attack == "Double" then self:spawnProjectile(self.attack, self.r + math.pi/12, d, mods) self:spawnProjectile(self.attack, self.r - math.pi/12, d, mods) elseif self.attack == "Triple" then self:spawnProjectile(self.attack, self.r + math.pi/12, d, mods) self:spawnProjectile(self.attack, self.r, d, mods) self:spawnProjectile(self.attack, self.r - math.pi/12, d, mods) elseif self.attack == "Spread" then local max_angle = math.pi / 8 local rand_angle = random(-max_angle, max_angle) local accuracy = self.r + rand_angle self:spawnProjectile(self.attack, accuracy, d, mods) elseif self.attack == "Flame" then local max_angle = math.pi / 12 local rand_angle = random(-max_angle, max_angle) local accuracy = self.r + rand_angle self:spawnProjectile(self.attack, accuracy, d, mods) elseif self.attack == "Rapid" then self:spawnProjectile(self.attack, self.r, d, mods) elseif self.attack == "Spin" then self:spawnProjectile(self.attack, self.r, d, mods) elseif self.attack == "Back" then self:spawnProjectile(self.attack, self.r, d, mods) self:spawnProjectile(self.attack, self.r + math.pi, d, mods) elseif self.attack == "Side" then self:spawnProjectile(self.attack, self.r + math.pi * 0.5, d, mods) self:spawnProjectile(self.attack, self.r + math.pi/12, d, mods) self:spawnProjectile(self.attack, self.r - math.pi * 0.5, d, mods) elseif self.attack == "Blast" then for i = 1, 12 do local angle = self.r + random(-math.pi/6, math.pi/6) self:spawnProjectile(self.attack, angle, d, mods, random(2.5, 3)) ------- end camera:shake(4, 60, 0.4) end self.area:addGameObject("ShootEffect", self.x + d * math.cos(self.r), self.y + d * math.sin(self.r), {player = self, d = d}) if not self.infinite_ammo then self:addAmmo(-attacks[self.attack].ammo * self.ammo_consumption_multiplier) end end function Player:hasFullHealth() return self.hp >= self.max_hp end function Player:hasFullAmmo() return self.ammo >= self.max_ammo end function Player:hasFullBoost() return self.boost >= self.max_boost end function Player:cycle() self.area:addGameObject("TickEffect", self.x, self.y, {parent = self}) self:onCycle() end function Player:addAmmo(amount) self.ammo = self.ammo + amount if self.ammo > self.max_ammo then self.ammo = self.max_ammo elseif self.ammo <= 0 then self:setAttack("Neutral") end --self.ammo = clamp(self.ammo + amount, 0, self.max_ammo) end function Player:addBoost(amount) self.boost = clamp(self.boost + amount, 0, self.max_boost) end function Player:addHP(amount) self.hp = clamp(self.hp + amount, 0, self.max_hp) if self.hp <= 0 then self:die() end end function Player:hit(damage, pos_x, pos_y, other) if self.invincible then if self.deals_damage_while_invulnerable then other:hit(100) end return end local dmg = damage or 10 local x = pos_x or self.x local y = pos_y or self.y if self.energy_shield then dmg = dmg * 2 self.timer:after("es_cooldown", self.energy_shield_recharge_cooldown * self.energy_shield_recharge_cooldown_multiplier, function () self.timer:every("es_amount", 0.25, function () self:addHP(self.energy_shield_recharge_amount * self.energy_shield_recharge_amount_multiplier) return self.hp < self.max_hp end) end) end if dmg < self.hp then self:spawnParticles(4, 8, x, y) if dmg >= 30 then self.invincible = true self.timer:after( "invincible", 2 * self.invulnerability_time_multiplier , function () self.invincible = false end) self.timer:every("invincible", 0.04, function () self.invisible = not self.invisible if not self.invincible then self.invisible = false end return self.invincible end) flash(3) camera:shake(6, 60, 0.2) slow(0.25, 0.5) else flash(2) camera:shake(6, 60, 0.1) slow(0.75, 0.25) end end self:addHP(-dmg) end function Player:update(dt) Player.super.update(self, dt) if self.movespeed_to_hp > 0 then self.max_hp = self.max_hp + (self.movespeed_to_hp / 100) * (self.base_max_vel - self.max_vel) end if self.collider:enter("Collectable") then local col_info = self.collider:getEnterCollisionData("Collectable") local object = col_info.collider:getObject() if object:is(Ammo) then object:die() self:addAmmo(5 + self.ammo_gain) self:onAmmoPickup() current_room:increaseScore(SCORE_POINTS.AMMO) elseif object:is(Boost) then object:die() self:addBoost(25) current_room:increaseScore(SCORE_POINTS.BOOST) elseif object:is(HP) then object:die() if self:hasFullHealth() then if self.convert_hp_to_sp_if_hp_full then SP = SP + 3 self.area:addGameObject('InfoText', self.x, self.y, {text = 'HP Full +3 SP', color = skill_point_color}) elseif self.refill_ammo_if_hp_full then self:addAmmo(self.max_ammo) self.area:addGameObject('InfoText', self.x, self.y, {text = 'HP Full Ammo Refill', color = ammo_color}) elseif self.refill_boost_if_hp_full then self:addBoost(self.max_boost) self.area:addGameObject('InfoText', self.x, self.y, {text = 'HP Full Boost Refill', color = boost_color}) end end self:addHP(25) self:onHPPickup() current_room:increaseScore(SCORE_POINTS.HP) elseif object:is(Skillpoint) then object:die() SP = SP + 1 if self.chances.gain_double_sp_chance:next() then SP = SP + 1 self.area:addGameObject('InfoText', self.x, self.y, {text = 'Double SP!', color = skill_point_color}) end self:onSkillpointPickup() current_room:increaseScore(SCORE_POINTS.SKILLPOINT) elseif object:is(Attack) then object:die() self:setAttack(object.attack) current_room:increaseScore(SCORE_POINTS.ATTACK) end elseif self.collider:enter("Enemy") then local col_info = self.collider:getEnterCollisionData("Enemy") if col_info then local object = col_info.collider:getObject() if object then if object:is(Rock) then self:hit(30, self.x, self.y, object) elseif object:is(Shooter) then self:hit(20, self.x, self.y, object) end end end end if self.drop_mine_timer > 0 then self.drop_mine_timer = self.drop_mine_timer - dt if self.drop_mine_timer <= 0 then self.drop_mine_timer = self.drop_mine_interval if self.chances.drop_mines_chance:next() then local d = -self.w * 1.5 self.area:addGameObject("ShootEffect", self.x, self.y, {player = self, d = d}) self:spawnProjectile(self.attack, self.r, d, {mine = true}) self.area:addGameObject('InfoText', self.x, self.y, {text = 'Drop Mine!', color = ammo_color}) end end end if self.cycle_attack_timer > 0 then self.cycle_attack_timer = self.cycle_attack_timer - dt if self.cycle_attack_timer <= 0 then self.cycle_attack_timer = self.cycle_attack_interval local chosen_attack = table.random(self.possible_attacks) self:setAttack(chosen_attack) self.area:addGameObject('InfoText', self.x, self.y, {text = "ATK " .. chosen_attack, color = attacks[chosen_attack].color}) end end if self.increased_cycle_speed_while_boosting then self.cycle_speed_multiplayer:increase(100) end self.cycle_timer = self.cycle_timer + dt if self.cycle_timer >= self.cycle_cooldown/self.cycle_speed_multiplayer.value then self.cycle_timer = 0 self:cycle() end if self.projectile_speed_boosting then self.projectile_speed_mutliplier:increase(100) end if self.projectile_speed_inhibiting then self.projectile_speed_mutliplier:decrease(50) end self.projectile_speed_mutliplier:update(dt) if self.ammo_to_attack_speed > 0 then self.attack_speed_multiplier:increase((self.ammo_to_attack_speed / 100) * (self.max_ammo - 100)) end if self.movespeed_to_attack_speed > 0 then local increase = self.max_vel - self.base_max_vel self.attack_speed_multiplier:increase((self.movespeed_to_attack_speed / 100) * (increase)) end if self.inside_haste_area then self.attack_speed_multiplier:increase(100) end if self.attack_speed_boosting then self.attack_speed_multiplier:increase(100) end self.attack_speed_multiplier:update(dt) self.shoot_timer = self.shoot_timer + dt if self.shoot_timer > self.shoot_cooldown/self.attack_speed_multiplier.value then self.shoot_timer = 0 self:shoot() if self.chances.attack_twice_chance:next() then self:shoot() self.area:addGameObject('InfoText', self.x, self.y, {text = 'Double Attack!', color = ammo_color}) end end self.boost = math.min(self.boost + 10 * dt * self.boost_recharge_rate_mutliplier, self.max_boost) if not self.can_boost then self.boost_timer = self.boost_timer + dt if self.boost_timer > self.boost_cooldown then self.can_boost = true self.boost_timer = 0 end end self.boosting = false self.max_vel = self.base_max_vel if input:pressed("up") and self.boost > 1 and self.can_boost then self:onBoostStart() end if input:released("up") then self:onBoostEnd() end if input:pressed("down") and self.boost > 1 and self.can_boost then self:onBoostStart() end if input:released("down") then self:onBoostEnd() end if input:down("up") and self.boost > 1 and self.can_boost then self.boosting = true self.max_vel = self.base_max_vel * 1.5 * self.boost_effectiveness_multiplier end if input:down("down") and self.boost > 1 and self.can_boost then self.boosting = true self.max_vel = self.base_max_vel * 0.5 / self.boost_effectiveness_multiplier end if self.boosting then self.boost = self.boost - 50 * dt if self.boost <= 1 then self.can_boost = false self.boost_timer = 0 self.boosting = false self:onBoostEnd() end end self.trail_color = skill_point_color if self.boosting then self.trail_color = boost_color end if input:down("left") then self.r = self.r - self.rv * dt * self.turn_rate_multiplier end if input:down("right") then self.r = self.r + self.rv * dt * self.turn_rate_multiplier end if self.movement_speed_boosting then self.movement_speed_multiplier:increase(50) end self.movement_speed_multiplier:update(dt) self.vel = math.min(self.vel + self.acc * dt, self.max_vel * self.movement_speed_multiplier.value) self.collider:setLinearVelocity(self.vel * math.cos(self.r), self.vel * math.sin(self.r)) if self:checkBounds() then self:die() end end function Player:draw() if self.invisible then return end pushRotate(self.x, self.y, self.r) love.graphics.setColor(default_color) local polycount = #self.polygons for i = 1, polycount do local polygon = self.polygons[i] local points = fn.map(polygon, function (v, k) if k % 2 == 1 then --x component return self.x + v + random(-1, 1) else --y component return self.y + v + random(-1, 1) end end) love.graphics.polygon("line", points) end love.graphics.pop() end function Player:onBoostStart() self.timer:every("boost_chances", 0.2, function () if self.chances.launch_homing_projectile_while_boosting_chance:next() then self:spawnHomingProjectile() end end) if self.invulnerability_while_boosting then self.invincible = true end if self.increased_luck_while_boosting then self.luck_boosting = true self.luck_multiplier = self.luck_multiplier * 2.0 self:generateChances() end end function Player:onBoostEnd() self.timer:cancel("boost_chances") if self.invulnerability_while_boosting then self.invincible = false end if self.increased_luck_while_boosting and self.luck_boosting then self.luck_boosting = false self.luck_multiplier = self.luck_multiplier * 0.5 self:generateChances() end end function Player:destroy() Player.super.destroy(self) end function Player:die() self.timer:cancel("barrage") self.timer:cancel("aspd_boost") self.timer:cancel("playertrail") self.timer:cancel("invincible") self.timer:cancel("mspd_boost") self.timer:cancel("pspd_boost") self.timer:cancel("pspd_inhibit") self.timer:cancel("boost_chances") self.timer:cancel("es_cooldown") self.timer:cancel("es_amount") self.dead = true if self.gain_sp_on_death then SP = SP + 20 self.area:addGameObject('InfoText', self.x, self.y, {text = '+20 SP!', color = skill_point_color}) end self:spawnParticles() --for i = 1, love.math.random(8, 12) do -- self.area:addGameObject("ExplodeParticle", self.x, self.y) --end flash(6) camera:shake(6, 60, 0.4) slow(0.15, 1.0) current_room:finish() end function Player:spawnParticles(min_amount, max_amount, pos_x, pos_y) local min = min_amount or 8 local max = max_amount or 12 local x = pos_x or self.x local y = pos_y or self.y for i = 1, love.math.random(min, max) do self.area:addGameObject("ExplodeParticle", x, y) end end function Player:setAttack(attack) self.attack = attack self.shoot_cooldown = attacks[attack].cooldown self.ammo = self.max_ammo self.shoot_timer = 0 end function Player:onKill() if self.chances.barrage_on_kill_chance:next() then self:spawnBarrage() end if self.chances.regain_ammo_on_kill_chance:next() then self:addAmmo(20) self.area:addGameObject('InfoText', self.x, self.y, {text = 'Ammo Regain!', color = ammo_color}) end if self.chances.launch_homing_projectile_on_kill_chance:next() then self:spawnHomingProjectile() end if self.chances.regain_boost_on_kill_chance:next() then self:addBoost(40) self.area:addGameObject('InfoText', self.x, self.y, {text = 'Boost Regain!', color = boost_color}) end if self.chances.spawn_boost_on_kill_chance:next() then self.area:addGameObject("Boost") self.area:addGameObject('InfoText', self.x, self.y, {text = 'Boost Spawn!', color = boost_color}) end if self.chances.gain_attack_speed_boost_on_kill_chance:next() then self.attack_speed_boosting = true self.timer:after("aspd_boost", 4.0 * self.stat_boost_duration_multiplier, function () self.attack_speed_boosting = false end) self.area:addGameObject('InfoText', self.x, self.y, {text = 'ASPD Boost!', color = ammo_color}) end end function Player:onCycle() if self.chances.spawn_sp_on_cycle_chance:next() then self.area:addGameObject("Skillpoint") self.area:addGameObject('InfoText', self.x, self.y, {text = 'SP SPawn!', color = skill_point_color}) end if self.chances.spawn_hp_on_cycle_chance:next() then self.area:addGameObject("HP") self.area:addGameObject('InfoText', self.x, self.y, {text = 'HP Spawn!', color = hp_color}) end if self.chances.regain_hp_on_cycle_chance:next() then self:addHP(25) self.area:addGameObject('InfoText', self.x, self.y, {text = 'Regain HP!', color = hp_color}) end if self.chances.regain_full_ammo_on_cycle_chance:next() then self:addAmmo(self.max_ammo) self.area:addGameObject('InfoText', self.x, self.y, {text = 'Full Ammo!', color = ammo_color}) end if self.chances.change_attack_on_cycle_chance:next() then self:setAttack(table.random(table.keys(attacks))) self.area:addGameObject('InfoText', self.x, self.y, {text = 'Random Attack!', color = skill_point_color}) end if self.chances.spawn_haste_area_on_cycle_chance:next() then self:spawnHasteArea() end if self.chances.barrage_on_cycle_chance:next() then self:spawnBarrage() end if self.chances.launch_homing_projectile_on_cycle_chance:next() then self:spawnHomingProjectile() end if self.chances.gain_movement_speed_boost_on_cycle_chance:next() then self.movement_speed_boosting = true self.timer:after("mspd_boost", 4.0 * self.stat_boost_duration_multiplier, function () self.movement_speed_boosting = false end) self.area:addGameObject('InfoText', self.x, self.y, {text = 'MSPD Boost!', color = boost_color}) end if self.chances.gain_projectile_speed_boost_on_cycle_chance:next() then self.projectile_speed_boosting = true self.timer:after("pspd_boost", 4.0 * self.stat_boost_duration_multiplier, function () self.projectile_speed_boosting = false end) self.area:addGameObject('InfoText', self.x, self.y, {text = 'PSPD Boost!', color = skill_point_color}) end if self.chances.gain_projectile_speed_inhibit_on_cycle_chance:next() then self.projectile_speed_inhibiting = true self.timer:after("pspd_inhibit", 4.0 * self.stat_boost_duration_multiplier, function () self.projectile_speed_inhibiting = false end) self.area:addGameObject('InfoText', self.x, self.y, {text = 'PSPD Slow!', color = skill_point_color}) end if self.chances.self_explode_on_cycle_chance:next() then local color = table.random(all_colors) local size = self.w * 6 self:createExplosion(self.x, self.y, size, color) self.timer:after(0.2, function () local explosion_count = 6 local distance = size local angle_step = (math.pi * 2) / explosion_count local start_angle = self.r local current_angle = start_angle for i = 1, explosion_count do local x,y = self.x + distance * math.cos(current_angle), self.y + distance * math.sin(current_angle) self:createExplosion(x,y, size * 0.5, color) current_angle = current_angle + angle_step end end) end end function Player:onAmmoPickup() if self.chances.launch_homing_projectile_on_ammo_pickup_chance:next() then self:spawnHomingProjectile() end if self.chances.regain_hp_on_ammo_pickup_chance:next() then self:addHP(25) self.area:addGameObject('InfoText', self.x, self.y, {text = 'HP Regain!', color = hp_color}) end end function Player:onSkillpointPickup() if self.chances.regain_hp_on_sp_pickup_chance:next() then self:addHP(25) self.area:addGameObject('InfoText', self.x, self.y, {text = 'HP Regain!', color = hp_color}) end if self.chances.spawn_haste_area_on_sp_pickup_chance:next() then self:spawnHasteArea() end end function Player:onHPPickup() if self.chances.spawn_haste_area_on_hp_pickup_chance:next() then self:spawnHasteArea() end end function Player:createExplosion(x, y, size, color) self.area:addGameObject("ProjectileDeathEffect", x, y, {color = color, w = size}) for i = 1, love.math.random(4, 8) do self.area:addGameObject("ExplodeParticle", x, y, {color = color, s = random(5, 10), v = random(150, 200)}) end local targets = self.area:getGameObjectsInCircle(x, y, size, "enemy", "all") for i = 1, #targets do local target = targets[i] target:hit() end end function Player:spawnHasteArea() self.area:addGameObject("HasteArea", self.x, self.y, {dur_mp = self.stat_boost_duration_multiplier, area_mp = self.area_multiplier}) self.area:addGameObject('InfoText', self.x, self.y, {text = 'Haste Area!', color = ammo_color}) end function Player:spawnProjectile(atk, rot, dis, mods, vel_mp) local split_children if self.attack == "2Split" or self.attack == "4Split" then if self.split_projectiles_split_chance > 0 then if self.chances.split_projectiles_split_chance:next() then split_children = self.chances.split_projectiles_split_chance end end end local bounce = mods.bounce or 0 if bounce > 0 then bounce = bounce + self.additional_bounce_projectiles end local speed_increase = 0 if self.movespeed_to_projectile_speed > 0 then local increase = self.max_vel - self.base_max_vel speed_increase = (self.movespeed_to_attack_speed / 100) * increase end self.area:addGameObject("Projectile", self.x + dis * math.cos(rot), self.y + dis * math.sin(rot), { r = rot or 0, attack = atk, v = (200 + speed_increase) * (vel_mp or 1), modulate = attacks[atk].color, bounce = bounce, split_children = split_children, shield = mods.shield or false, mine = mods.mine or false, barrage_count = self.additional_barrage_projectiles, multipliers = self.projectile_multipliers, passives = self.projectile_passives, }) end function Player:spawnHomingProjectile() local mods = { shield = self.chances.shield_projectile_chance:next(), bounce = 0 } local d = self.w * 1.8 for i = 1, 1 + self.additional_homing_projectiles do self:spawnProjectile("Homing", self.r, d, mods) end self.area:addGameObject('InfoText', self.x, self.y, {text = 'Homing Projectile!'}) end function Player:spawnBarrage() local mods = { shield = self.chances.shield_projectile_chance:next(), bounce = 0 } local d = self.w * 1.8 if self.barrage_nova then local barrage_count = 8 + self.additional_barrage_projectiles local start_angle = self.r local angle_step = (math.pi * 2) / barrage_count local current_angle = start_angle for i = 1, barrage_count do self.area:addGameObject("ShootEffect", self.x + d * math.cos(current_angle), self.y + d * math.sin(current_angle), {player = self, d = d}) self:spawnProjectile(self.attack, current_angle, d, mods) current_angle = current_angle + angle_step end else self.area:addGameObject("ShootEffect", self.x + d * math.cos(self.r), self.y + d * math.sin(self.r), {player = self, d = d}) self.timer:every("barrage", 0.05, function () local angle = self.r + random(-math.pi/8, math.pi/8) self:spawnProjectile(self.attack, angle, d, mods) end, 8 + self.additional_barrage_projectiles) end self.area:addGameObject('InfoText', self.x, self.y, {text = 'Barrage!', color = ammo_color}) end function Player:changeShip(new_ship) self.ship = new_ship self:createShip(new_ship) self:createTrail(new_ship) end function Player:createShip(ship) self.polygons = {} if self.ship == self.ship_variants[1] then self.polygons[1] = { --center self.w, 0, --1 self.w / 2, -self.w / 2, --2 -self.w / 2, -self.w / 2, --3 -self.w, 0, --4 -self.w / 2, self.w / 2, --5 self.w / 2, self.w / 2, --6 } self.polygons[2] = { --top wing self.w / 2, -self.w / 2, --1 0, -self.w, --2 -self.w - self.w / 2, -self.w, --3 -self.w * 0.75, -self.w * 0.25, --4 -self.w / 2, -self.w / 2, --5 } self.polygons[3] = { --bottom wing self.w / 2, self.w / 2, --1 0, self.w, --2 -self.w - self.w / 2, self.w, --3 -self.w * 0.75, self.w * 0.25, --4 -self.w / 2, self.w / 2, --5 } elseif self.ship == self.ship_variants[2] then self.polygons[1] = { --wing (big part) 0, 0, --1 self.w * 0.5, -self.w * 0.75, --2 self.w * 1.5, -self.w * 0.5, --3 self.w * 0.5, -self.w * 1.5, --4 -self.w, 0, --5 self.w * 0.5, self.w * 1.5, --6 self.w * 1.5, self.w * 0.5, --7 self.w * 0.5, self.w * 0.75, --8 } self.polygons[2] = { -- cockpit (small part) 0, 0, --1 self.w * 0.5, -self.w * 0.75, --2 self.w, 0, --3 self.w * 0.5, self.w * 0.75, --4 } elseif self.ship == self.ship_variants[3] then self.polygons[1] = { --center self.w, 0, --1 0, -self.w * 0.75, --2 -self.w, 0, --3 0, self.w * 0.75, --4 } self.polygons[2] = { --top triangle self.w * 0.7071, -self.w * 0.7071, --1 self.w * 1.5, -self.w * 1.5, --2 -self.w * 1.5, -self.w * 1.5, --3 -self.w * 0.7071, -self.w * 0.7071, --4 0, -self.w, --5 } self.polygons[3] = { --bottom triangle self.w * 0.7071, self.w * 0.7071, --1 0, self.w, --2 -self.w * 0.7071, self.w * 0.7071, --3 -self.w * 1.5, self.w * 1.5, --4 self.w * 1.5, self.w * 1.5, --5 } elseif self.ship == self.ship_variants[4] then self.polygons[1] = {--center 0, -self.w * 0.25, --1 self.w, 0, --2 0, self.w * 0.25, --3 } self.polygons[2] = {--top wing self.w, -self.w * 0.25, --1 -self.w * 0.5, -self.w, --2 -self.w, -self.w * 0.75, --3 } self.polygons[3] = {--bottom wing self.w, self.w * 0.25, --1 -self.w, self.w * 0.75, --2 -self.w * 0.5, self.w, --3 } elseif self.ship == self.ship_variants[5] then self.polygons[1] = { self.w, 0, --1 -self.w * 0.5, -self.w, --2 -self.w, -self.w * 0.5, --3 -self.w, self.w * 0.5, --4 -self.w * 0.5, self.w, --5 } elseif self.ship == self.ship_variants[6] then self.polygons[1] = { self.w, 0, --1 self.w * 0.5, -self.w * 0.5, --2 -self.w, -self.w * 0.5, --3 -self.w, self.w * 0.5, --4 self.w * 0.5, self.w * 0.5, --5 } end end function Player:createTrail(ship) if self.ship == self.ship_variants[1] then self.timer:every("playertrail", 0.025, function () self.area:addGameObject( "TrailParticle", self.x - 0.9 * self.w * math.cos(self.r) + 0.2 * self.w * math.cos(self.r - math.pi / 2), self.y - 0.9 * self.w * math.sin(self.r) + 0.2 * self.w * math.sin(self.r - math.pi / 2), {parent = self, d = random(0.15, 0.25), r = random(4, 6), color = self.trail_color} ) self.area:addGameObject( "TrailParticle", self.x - 0.9 * self.w * math.cos(self.r) + 0.2 * self.w * math.cos(self.r + math.pi / 2), self.y - 0.9 * self.w * math.sin(self.r) + 0.2 * self.w * math.sin(self.r + math.pi / 2), {parent = self, d = random(0.15, 0.25), r = random(4, 6), color = self.trail_color} ) end) elseif self.ship == self.ship_variants[2] then self.timer:every("playertrail", 0.02, function () self.area:addGameObject( "TrailParticle", self.x - 0.9 * self.w * math.cos(self.r), self.y - 0.9 * self.w * math.sin(self.r), {parent = self, d = random(0.1, 0.2), r = random(5, 8), color = self.trail_color} ) end) elseif self.ship == self.ship_variants[3] then self.timer:every("playertrail", 0.025, function () self.area:addGameObject( "TrailParticle", self.x - 1.1 * self.w * math.cos(self.r) + 1.1 * self.w * math.cos(self.r - math.pi / 2), self.y - 1.1 * self.w * math.sin(self.r) + 1.1 * self.w * math.sin(self.r - math.pi / 2), {parent = self, d = random(0.2, 0.3), r = random(2, 4), color = self.trail_color} ) self.area:addGameObject( "TrailParticle", self.x - 1.1 * self.w * math.cos(self.r) + 1.1 * self.w * math.cos(self.r + math.pi / 2), self.y - 1.1 * self.w * math.sin(self.r) + 1.1 * self.w * math.sin(self.r + math.pi / 2), {parent = self, d = random(0.2, 0.3), r = random(2, 4), color = self.trail_color} ) end) elseif self.ship == self.ship_variants[4] then self.timer:every("playertrail", 0.02, function () self.area:addGameObject( "TrailParticle", self.x - 0.9 * self.w * math.cos(self.r), self.y - 0.9 * self.w * math.sin(self.r), {parent = self, d = random(0.05, 0.15), r = random(6, 9), color = self.trail_color} ) end) elseif self.ship == self.ship_variants[5] then self.timer:every("playertrail", 0.02, function () self.area:addGameObject( "TrailParticle", self.x - 0.9 * self.w * math.cos(self.r), self.y - 0.9 * self.w * math.sin(self.r), {parent = self, d = random(0.15, 0.3), r = random(3, 5), color = self.trail_color} ) end) elseif self.ship == self.ship_variants[6] then self.timer:every("playertrail", 0.02, function () self.area:addGameObject( "TrailParticle", self.x - 0.9 * self.w * math.cos(self.r), self.y - 0.9 * self.w * math.sin(self.r), {parent = self, d = random(0.2, 0.25), r = random(2, 3), color = self.trail_color} ) end) end end
local component = require("component") local modem = component.modem local event = require("event") local ttf = require("tableToFile") local settingsLocation = "/dns/data/DNS_SETTINGS.cfg" local settings = ttf.load(settingsLocation) local internal = {} function internal.tableReply(rAddr, port, service, request, response, reason) local reply = { rAddr = rAddr, port = port, service = service, request = request, response = { value = response, reason = reason or nil } } return reply end function internal.checkDetails(details, reply) if (details[1] == reply.service and details[2] == reply.request) then return true else return false end end local dns_client = {} function dns_client.discover() local details = {"DNS", "DISCOVER"} modem.broadcast(settings.port, details[1], details[2]) local _, _, rAddr, port, _, service, request, value, reason = event.pull(1, "modem_message") local reply if (rAddr) then reply = internal.tableReply(rAddr, port, service, request, value, reason) if (internal.checkDetails(details, reply)) then if (reply.response.value) then settings.DNS_SERVER = reply.response.value ttf.save(settings, settingsLocation) return reply.response.value end else return reply.response.value, reply.response.reason end else return false, "TIMED_OUT" end end function internal.send(details, data) if (settings.DNS_SERVER) then modem.send(settings.DNS_SERVER, settings.port, details[1], details[2], data) else local tmpAddr = dns_client.discover() if (tmpAddr) then modem.send(tmpAddr, settings.port, details[1], details[2], data) else return false, "TIMED_OUT" end end end function internal.request(details, data) internal.send(details, data) local _, _, rAddr, port, _, service, request, value, reason = event.pull(1, "modem_message") local reply if (rAddr) then reply = internal.tableReply(rAddr, port, service, request, value, reason) if (internal.checkDetails(details, reply)) then return reply.response.value, reply.response.reason end else return false, "TIMED_OUT" end end function dns_client.register(ip) local details = {"DNS", "REGISTER"} return internal.request(details, ip) end function dns_client.lookup(ip) local details = {"DNS", "LOOKUP"} return internal.request(details, ip) end function dns_client.rlookup(addr) local details = {"DNS", "RLOOKUP"} return internal.request(details, addr) end function dns_client.start() if (modem.open(settings.port)) then return true else return false, "IN_USE" end end function dns_client.stop() modem.close(settings.port) return true end return dns_client
--initialization -- ensure imports are from file instead of cache local function import(path) package.loaded[path] = nil local imported = require (path) package.loaded[path] = nil return imported end -- import dependencies local botTools = import("../AM-BotTools/botTools") local compTools = import("../AM-CompTools/compTools") local nodeTools = import("../nodeTools") --assertions if compTools.givenScriptIsRunning("AM-TravelBot/toggleRender.lua") == false then log("&7[&6NodeManagement&7]&f Please render nodes with toggleRender.lua before modifying them") return 0 end --initialize GLBL table if needed if GLBL == nil then GLBL = {} end --initialize SCRIPT table --Stores global variables for just this script local SCRIPT = {} -- main program --initialize MAIN table --Stores variables for just MAIN function local MAIN = {} GLBL.selectedNodeId = compTools.readAll("nodeManagementTools/selectedNode.txt") GLBL.nodes = nodeTools.loadNodesfromJSON() --find closest point to nearby path within 10 meters MAIN.ppX,MAIN.ppY,MAIN.ppZ,MAIN.ppDistance, MAIN.nodeA, MAIN.nodeB, MAIN.ppPathType = nodeTools.pathCloseby() --if path point within 10 meters found if MAIN.ppX ~= false then --create new node at injection point --generate name for new node MAIN.newNodeName = nodeTools.generateRandomNodeName() GLBL.nodes[MAIN.newNodeName] = { ["x"] = MAIN.ppX, ["y"] = MAIN.ppY, ["z"] = MAIN.ppZ, ["connections"] = {}, ["pathType"] = MAIN.ppPathType } --update connections --connect new node with old nodes GLBL.nodes[MAIN.newNodeName].connections[MAIN.nodeA] = true GLBL.nodes[MAIN.newNodeName].connections[MAIN.nodeB] = true --connect old node with new node GLBL.nodes[MAIN.nodeA].connections[MAIN.newNodeName] = true GLBL.nodes[MAIN.nodeB].connections[MAIN.newNodeName] = true --disconnect old node path GLBL.nodes[MAIN.nodeA].connections[MAIN.nodeB] = nil GLBL.nodes[MAIN.nodeB].connections[MAIN.nodeA] = nil log("&7[&6NodeManagement&7]§f Injected node") --save changes nodeTools.saveNodesToJSON() else log("&7[&6NodeManagement&7]§f No path found nearby to inject node into") end
--[[ Name: init.lua For: SantosRP By: TalosLife ]]-- AddCSLuaFile "cl_init.lua" AddCSLuaFile "shared.lua" include "shared.lua" function ENT:Initialize() self.m_vecEffectPos = Vector( -7.283790, -2.089086, -1.120362 ) self.m_tblShadowParams = {} self:SetModel( "models/props_junk/garbage_bag001a.mdl" ) self:PhysicsInit( SOLID_VPHYSICS ) self:SetMoveType( MOVETYPE_VPHYSICS ) self:SetSolid( SOLID_VPHYSICS ) self:SetUseType( SIMPLE_USE ) self:PhysWake() self:SetCarryAngles( Angle(-90, 180, 0), Angle(15, 180, 0) ) if self.ConfigInit then self:ConfigInit() end self.Phys = self:GetPhysicsObject() self:NextThink( CurTime() +1 ) self:StartMotionController() end function ENT:SetFluidID( strFluid ) self.m_strFluid = strFluid self.m_intCurFluid = self.MaxFluid self:SetDisplayText( strFluid ) end function ENT:SetEffect( strEffectName, vecPos, colColor ) self.m_strEffectName = strEffectName self.m_vecEffectPos = vecPos if colColor then self.m_colEffectColor = colColor end end function ENT:SetCarryAngles( angHolding, angPouring ) self.m_angHold = angHolding self.m_angPour = angPouring end function ENT:Think() local Hold = IsValid( self.m_pPlayerHolding ) if Hold then if self.m_bUseBlock and not self.m_pPlayerHolding:KeyDown( IN_USE ) then self.m_bUseBlock = false end if not self.m_pPlayerHolding:Alive() then self.m_pPlayerHolding = nil return end if self.m_pPlayerHolding:KeyDown( IN_ATTACK2 ) then self:ThinkEffect() self:TraceFluid() if self.m_intCurFluid <= 0 then if self:GetPouring() then self:SetPouring( false ) end else if not self:GetPouring() then self:SetPouring( true ) end end else if self:GetPouring() then self:SetPouring( false ) end end else if self.Phys:IsAsleep() and self.m_intCurFluid <= 0 then self:Remove() end end end function ENT:PhysicsSimulate( phys, intDeltaTime ) local Hold = IsValid( self.m_pPlayerHolding ) if Hold and IsValid( phys ) then local eyeAng = self.m_pPlayerHolding:EyeAngles() eyeAng.p = eyeAng.p *-1 if self.m_pPlayerHolding:KeyDown( IN_ATTACK2 ) then self.m_tblShadowParams.angle = eyeAng -self.m_angPour else self.m_tblShadowParams.angle = eyeAng -self.m_angHold end phys:Wake() local newpos = self.m_pPlayerHolding:GetShootPos() +self.m_intHeldDistance *self.m_pPlayerHolding:GetAimVector() self.m_tblShadowParams.secondstoarrive = 0.1 self.m_tblShadowParams.pos = newpos self.m_tblShadowParams.maxangular = 1000000 self.m_tblShadowParams.maxangulardamp = 1000000 self.m_tblShadowParams.maxspeed = 1000000 self.m_tblShadowParams.maxspeeddamp = 1000000 self.m_tblShadowParams.dampfactor = 0.8 self.m_tblShadowParams.teleportdistance = 0 self.m_tblShadowParams.deltatime = intDeltaTime phys:ComputeShadowControl( self.m_tblShadowParams ) end return end function ENT:ThinkEffect() if not self.m_intLastEffect then self.m_intLastEffect = 0 end if CurTime() > self.m_intLastEffect then self.m_intLastEffect = CurTime() +0.1 if self.m_intCurFluid <= 0 then return end local effectData = EffectData() effectData:SetOrigin( self:LocalToWorld(self.m_vecEffectPos) ) effectData:SetNormal( Vector(0, 0, -1) ) effectData:SetStart( self.m_colEffectColor and Vector(self.m_colEffectColor.r, self.m_colEffectColor.g, self.m_colEffectColor.b) or Vector(255, 255, 255) ) --hax util.Effect( self.m_strEffectName, effectData ) end end function ENT:TraceFluid() if not self.m_intLastTrace then self.m_intLastTrace = 0 end if CurTime() < self.m_intLastTrace then return end self.m_intLastTrace = CurTime() +0.5 if self.m_intCurFluid <= 0 then return end local tr = util.TraceLine{ start = self:GetPos(), endpos = self:GetPos() +Vector(0, 0, -256), filter = { self, self.m_pPlayerHolding }, } local take = math.min( self.m_intCurFluid, 25 ) self.m_intCurFluid = math.max( self.m_intCurFluid -take, 0 ) if IsValid( tr.Entity ) and tr.Entity.ReceiveFluid then tr.Entity:ReceiveFluid( self.m_strFluid, take ) end self.ItemTakeBlocked = self.m_intCurFluid ~= self.MaxFluid end function ENT:Use( pPlayer ) if self.m_pPlayerHolding and not self.m_bUseBlock then if pPlayer ~= self.m_pPlayerHolding then return end self.m_pPlayerHolding = nil pPlayer.m_bHoldingBaseFluid = false self.m_bUseBlock = true self.ItemTakeBlocked = self.m_intCurFluid ~= self.MaxFluid return end if pPlayer.m_bHoldingBaseFluid then return end pPlayer.m_bHoldingBaseFluid = true self.m_pPlayerHolding = pPlayer self.m_bUseBlock = true self.ItemTakeBlocked = true self.m_angHeldOffsetAngle = self:WorldToLocalAngles( self:GetAngles() ) self.m_intHeldDistance = (self:GetPos() -pPlayer:GetPos()):Length() self.Phys:Wake() end function ENT:CanSendToLostAndFound() if self.ItemTakeBlocked then return false end return true end
function wsRecvProcess(msg) --msg='{"type":"SetConfig","data":{"has_lock":"1","open_stay_time":"4","lock_delay_time":"5","wifi_mode":"ap","wifi-ssid":"zy_em","wifi-pwd":"12345678","token":""}}' ok,t = sjson.decode(msg) if ok then if t["type"]=="SetConfig" and t["data"]~=nil then print(t["data"]["wifi-ssid"]) print(t["data"]["wifi-pwd"]) else --print(recvData) --SendData to MasterDevice end else print('decode RecvData error:"'..msg..'"') local buf='123456789abcdefgh' local data='' local response={} for i=1,500,1 do data=data..buf end ws:send(data) end end wifi.setmode(wifi.STATION) wifi.sta.config({ ssid = "zy_em", pwd = "12345678" }) wifi.eventmon.register(wifi.eventmon.STA_GOT_IP, function(infro) print("\n\tSTA - GOT IP".."\n\tStation IP: "..infro.IP.."\n\tSubnet mask: ".. infro.netmask.."\n\tGateway IP: "..infro.gateway) ws_try_c = 1 wsConnctTimer = tmr.create() wsConnctTimer:register(1000, 1, function() ws:connect('ws://192.168.20.103:3380') ws:on("connection", function(ws) print('got ws connection') ws_try_c=0 --wsConnctTimer:unregister() --no unregister for reconnect end) ws:on("receive", function(_, msg, opcode) print('got message:', msg, opcode) -- opcode is 1 for text message, 2 for binary wsRecvProcess(msg) end) ws:on("close", function(_, status) print('connection closed', status) ws = nil -- required to Lua gc the websocket client ws_try_c=ws_try_c+1 if ws_try_c>10 then print("try Connect Max.") end wsConnctTimer:start() end) end) wsConnctTimer:start() end)
seven = 7; str = "str"; seven_point_five = 7.5; unrelated = 1; unrelated2 = "two"; int_list = {144, 2, 3, 4, 5, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6, 6}; double_list = {1.414, 3.14}; bool_list = {true, false}; sample_vector2f = {1.2, 3.4}; sample_vector2f_list = {{1.2, 3.4}, {5.6, 7.8}}; wrapper = { another = { sample_vector2f_list = {{9.1, 2.3}, {4.5, 6.7}}; }; };
local site = matches[1] if string.ends(site, "'") then site = site:sub(1, - 2) end selectString(site, 1) if not string.starts(string.lower(site), "http") then site = "http://" .. string.lower(site) end local command = string.format([[openWebPage("%s")]], site) setUnderline(true) setLink(command, "Open link in browser.") resetFormat()
local application = require('ext.application') local cache = {} local module = { cache = cache } module.start = function() cache.filter = hs.window.filter.new({ 'Safari', 'Google Chrome' }) cache.filter:subscribe({ hs.window.filter.windowFocused, hs.window.filter.windowUnfocused }, function(_, appName, event) application.askBeforeQuitting(appName, { enabled = (event == "windowFocused") }) end) end module.stop = function() cache.filter:unsubscribe() end return module
local Core = unpack(select(2, ...)) local C = Core:GetModule("Config") local CT = Core:GetModule("ChatTabs") local EB = Core:GetModule("EditBox") local M = Core:GetModule("Mover") local MC = Core:GetModule("MainContainer") local SMF = Core:GetModule("SlidingMessageFrame") local AceConfig = Core.Libs.AceConfig local AceConfigDialog = Core.Libs.AceConfigDialog local AceDBOptions = Core.Libs.AceDBOptions local LSM = Core.Libs.LSM function C:OnEnable() local options = { name = "Glass", handler = C, type = "group", args = { general = { name = "General", type = "group", args = { fontHeader = { order = 0, type = "header", name = "Font" }, font = { order = 10, type = "select", dialogControl = "LSM30_Font", name = "Font", desc = "Font to use throughout Glass", values = LSM:HashTable("font"), get = function() return Core.db.profile.font end, set = function(info, input) Core.db.profile.font = input SMF:OnUpdateFont() EB:OnUpdateFont() CT:OnUpdateFont() end, }, messageFontSize = { order = 20, type = "range", name = "Font size", desc = "Controls the size of the message text", min = 1, max = 100, softMin = 6, softMax = 24, step = 1, get = function () return Core.db.profile.messageFontSize end, set = function (info, input) Core.db.profile.messageFontSize = input SMF:OnUpdateFont() EB:OnUpdateFont() end, }, messageFontSizeNl = { order = 30, type = "description", name = "" }, messageFontSpacing = { order = 40, type = "range", name = "Font spacing", desc = "Controls the spacing of the message text", min = 0, max = 100, softMin = 0, softMax = 5, step = 0.1, get = function () return Core.db.profile.messageFontSpacing end, set = function (_, input) Core.db.profile.messageFontSpacing = input SMF:OnUpdateFont() EB:OnUpdateFont() end, }, messageFontSpacingNl = { order = 50, type = "description", name = "" }, iconTextureYOffset = { order = 60, type = "range", name = "Icon texture Y offset", desc = "Controls the vertical offset of text icons", min = 0, max = 12, softMin = 0, softMax = 12, step = 1, get = function () return Core.db.profile.iconTextureYOffset end, set = function (info, input) Core.db.profile.iconTextureYOffset = input end, }, iconTextureYOffsetDesc = { order = 70, type = "description", name = "This controls the vertical offset of text icons. Adjust this if text icons aren't centered." }, mouseOverHeading = { order = 80, type = "header", name = "Mouse over tooltips" }, mouseOverTooltips = { order = 90, type = "toggle", name = "Enable", get = function () return Core.db.profile.mouseOverTooltips end, set = function (info, input) Core.db.profile.mouseOverTooltips = input end, }, mouseOverTooltipsDesc = { order = 100, type = "description", name = "Check if you want tooltips to appear when hovering over chat links.", }, chatHeader = { order = 110, type = "header", name = "Chat" }, chatHoldTime = { order = 120, type = "range", name = "Fade out delay", min = 1, max = 100, softMin = 1, softMax = 20, step = 1, get = function () return Core.db.profile.chatHoldTime end, set = function (info, input) Core.db.profile.chatHoldTime = input end, }, chatShowOnMouseOver = { order = 125, type = "toggle", name = "Show on mouse over", get = function () return Core.db.profile.chatShowOnMouseOver end, set = function (info, input) Core.db.profile.chatShowOnMouseOver = input end, }, chatHoldTimeNl = { order = 130, type = "description", name = "" }, chatBackgroundOpacity = { order = 140, type = "range", name = "Chat background opacity", min = 0, max = 1, softMin = 0, softMax = 1, step = 0.01, get = function () return Core.db.profile.chatBackgroundOpacity end, set = function (info, input) Core.db.profile.chatBackgroundOpacity = input SMF:OnUpdateChatBackgroundOpacity() end, }, chatBackgroundOpacityDesc = { order = 150, type = "description", name = "" }, frameHeader = { order = 160, type = "header", name = "Frame" }, frameWidth = { order = 170, type = "range", name = "Width", min = 300, max = 9999, softMin = 300, softMax = 800, step = 1, get = function () return Core.db.profile.frameWidth end, set = function (info, input) Core.db.profile.frameWidth = input M:OnUpdateFrame() MC:OnUpdateFrame() SMF:OnUpdateFrame() EB:OnUpdateFrame() CT:OnUpdateFrame() end }, frameHeight = { order = 180, type = "range", name = "Height", min = 1, max = 9999, softMin = 200, softMax = 800, step = 1, get = function () return Core.db.profile.frameHeight end, set = function (info, input) Core.db.profile.frameHeight = input M:OnUpdateFrame() MC:OnUpdateFrame() SMF:OnUpdateFrame() end } } }, profile = AceDBOptions:GetOptionsTable(Core.db) } } AceConfig:RegisterOptionsTable("Glass", options) self:RegisterChatCommand("glass", "OnSlashCommand") Core.db.RegisterCallback(self, "OnProfileChanged", "RefreshConfig") Core.db.RegisterCallback(self, "OnProfileCopied", "RefreshConfig") Core.db.RegisterCallback(self, "OnProfileReset", "RefreshConfig") end function C:OnSlashCommand(input) if input == "lock" then M:Unlock() else AceConfigDialog:Open("Glass") end end function C:RefreshConfig() SMF:OnUpdateFont() EB:OnUpdateFont() end
function PreviousPosition() -- Local variables of the object / Variáveis locais do objeto local self = {} local data -- Global functions of the object / Funções Globais do objeto function self.getF() return data.f end function self.setF(f) data.f = f end function self.getY() return data.y end function self.setY(y) data.y = y end function self.getX() return data.x end function self.setX(x) data.x = x end function self.getZ() return data.z end function self.setZ(z) data.z = z end function self.start(tabela) data = tabela end return self end
-- This file supplies refrigerators local S = homedecor.gettext -- steel-textured fridge homedecor.register("refrigerator_steel", { mesh = "homedecor_refrigerator.obj", tiles = { "homedecor_refrigerator_steel.png" }, inventory_image = "homedecor_refrigerator_steel_inv.png", description = S("Refrigerator (stainless steel)"), groups = {snappy=3}, sounds = default.node_sound_stone_defaults(), selection_box = homedecor.nodebox.slab_y(2), collision_box = homedecor.nodebox.slab_y(2), expand = { top="placeholder" }, infotext=S("Refrigerator"), inventory = { size=50, lockable=true, }, on_rotate = screwdriver.rotate_simple }) -- white, enameled fridge homedecor.register("refrigerator_white", { mesh = "homedecor_refrigerator.obj", tiles = { "homedecor_refrigerator_white.png" }, inventory_image = "homedecor_refrigerator_white_inv.png", description = S("Refrigerator"), groups = {snappy=3}, selection_box = homedecor.nodebox.slab_y(2), collision_box = homedecor.nodebox.slab_y(2), sounds = default.node_sound_stone_defaults(), expand = { top="placeholder" }, infotext=S("Refrigerator"), inventory = { size=50, lockable=true, }, on_rotate = screwdriver.rotate_simple }) minetest.register_alias("homedecor:refrigerator_white_bottom", "homedecor:refrigerator_white") minetest.register_alias("homedecor:refrigerator_white_top", "air") minetest.register_alias("homedecor:refrigerator_steel_bottom", "homedecor:refrigerator_steel") minetest.register_alias("homedecor:refrigerator_steel_top", "air") minetest.register_alias("homedecor:refrigerator_white_bottom_locked", "homedecor:refrigerator_white_locked") minetest.register_alias("homedecor:refrigerator_white_top_locked", "air") minetest.register_alias("homedecor:refrigerator_steel_bottom_locked", "homedecor:refrigerator_steel_locked") minetest.register_alias("homedecor:refrigerator_steel_top_locked", "air") -- kitchen "furnaces" homedecor.register_furnace("oven", { description = S("Oven"), tile_format = "homedecor_oven_%s%s.png", output_slots = 4, output_width = 2, cook_speed = 1.25, }) homedecor.register_furnace("oven_steel", { description = S("Oven (stainless steel)"), tile_format = "homedecor_oven_steel_%s%s.png", output_slots = 4, output_width = 2, cook_speed = 1.25, }) homedecor.register_furnace("microwave_oven", { description = S("Microwave Oven"), tiles = { "homedecor_microwave_top.png", "homedecor_microwave_top.png^[transformR180", "homedecor_microwave_top.png^[transformR270", "homedecor_microwave_top.png^[transformR90", "homedecor_microwave_top.png^[transformR180", "homedecor_microwave_front.png" }, tiles_active = { "homedecor_microwave_top.png", "homedecor_microwave_top.png^[transformR180", "homedecor_microwave_top.png^[transformR270", "homedecor_microwave_top.png^[transformR90", "homedecor_microwave_top.png^[transformR180", "homedecor_microwave_front_active.png" }, output_slots = 2, output_width = 2, cook_speed = 1.5, extra_nodedef_fields = { node_box = { type = "fixed", fixed = { -0.5, -0.5, -0.125, 0.5, 0.125, 0.5 }, }, }, }) -- coffee! -- coffee! -- coffee! local cm_cbox = { type = "fixed", fixed = { { 0, -8/16, 0, 7/16, 3/16, 8/16 }, { -4/16, -8/16, -6/16, -1/16, -5/16, -3/16 } } } homedecor.register("coffee_maker", { mesh = "homedecor_coffeemaker.obj", tiles = { "homedecor_coffeemaker_decanter.png", "homedecor_coffeemaker_cup.png", "homedecor_coffeemaker_case.png", }, description = "Coffee Maker", inventory_image = "homedecor_coffeemaker_inv.png", walkable = false, groups = {snappy=3}, selection_box = cm_cbox, node_box = cm_cbox, on_rotate = screwdriver.disallow }) local fdir_to_steampos = { x = { 0.15, 0.275, -0.15, -0.275 }, z = { 0.275, -0.15, -0.275, 0.15 } } minetest.register_abm({ nodenames = "homedecor:coffee_maker", label = "sfx", interval = 2, chance = 1, action = function(pos, node) local fdir = node.param2 if fdir and fdir < 4 then local steamx = fdir_to_steampos.x[fdir + 1] local steamz = fdir_to_steampos.z[fdir + 1] minetest.add_particlespawner({ amount = 1, time = 1, minpos = {x=pos.x - steamx, y=pos.y - 0.35, z=pos.z - steamz}, maxpos = {x=pos.x - steamx, y=pos.y - 0.35, z=pos.z - steamz}, minvel = {x=-0.003, y=0.01, z=-0.003}, maxvel = {x=0.003, y=0.01, z=-0.003}, minacc = {x=0.0,y=-0.0,z=-0.0}, maxacc = {x=0.0,y=0.003,z=-0.0}, minexptime = 2, maxexptime = 5, minsize = 1, maxsize = 1.2, collisiondetection = false, texture = "homedecor_steam.png", }) end end }) homedecor.register("toaster", { description = "Toaster", tiles = { "homedecor_toaster_sides.png" }, inventory_image = "homedecor_toaster_inv.png", walkable = false, groups = { snappy=3 }, node_box = { type = "fixed", fixed = { {-0.0625, -0.5, -0.125, 0.125, -0.3125, 0.125}, -- NodeBox1 }, }, on_rightclick = function(pos, node, clicker, itemstack, pointed_thing) local fdir = node.param2 minetest.set_node(pos, { name = "homedecor:toaster_loaf", param2 = fdir }) minetest.sound_play("toaster", { pos = pos, gain = 1.0, max_hear_distance = 5 }) return itemstack end }) homedecor.register("toaster_loaf", { tiles = { "homedecor_toaster_toploaf.png", "homedecor_toaster_sides.png", "homedecor_toaster_sides.png", "homedecor_toaster_sides.png", "homedecor_toaster_sides.png", "homedecor_toaster_sides.png" }, walkable = false, groups = { snappy=3, not_in_creative_inventory=1 }, node_box = { type = "fixed", fixed = { {-0.0625, -0.5, -0.125, 0.125, -0.3125, 0.125}, -- NodeBox1 {-0.03125, -0.3125, -0.0935, 0, -0.25, 0.0935}, -- NodeBox2 {0.0625, -0.3125, -0.0935, 0.0935, -0.25, 0.0935}, -- NodeBox3 }, }, on_rightclick = function(pos, node, clicker, itemstack, pointed_thing) local fdir = node.param2 minetest.set_node(pos, { name = "homedecor:toaster", param2 = fdir }) return itemstack end, drop = "homedecor:toaster" }) homedecor.register("dishwasher", { description = "Dishwasher", drawtype = "nodebox", tiles = { "homedecor_dishwasher_top.png", "homedecor_dishwasher_bottom.png", "homedecor_dishwasher_sides.png", "homedecor_dishwasher_sides.png^[transformFX", "homedecor_dishwasher_back.png", "homedecor_dishwasher_front.png" }, node_box = { type = "fixed", fixed = { {-0.5, -0.5, -0.5, 0.5, -0.4375, 0.5}, {-0.5, -0.5, -0.5, 0.5, 0.5, -0.4375}, {-0.5, -0.5, -0.5, 0.5, 0.1875, 0.1875}, {-0.4375, -0.5, -0.5, 0.4375, 0.4375, 0.4375}, } }, selection_box = { type = "regular" }, sounds = default.node_sound_stone_defaults(), groups = { snappy = 3 }, }) local materials = {"granite", "marble", "steel", "wood"} for _, m in ipairs(materials) do homedecor.register("dishwasher_"..m, { description = "Dishwasher ("..m..")", tiles = { "homedecor_kitchen_cabinet_top_"..m..".png", "homedecor_dishwasher_bottom.png", "homedecor_dishwasher_sides.png", "homedecor_dishwasher_sides.png^[transformFX", "homedecor_dishwasher_back.png", "homedecor_dishwasher_front.png" }, groups = { snappy = 3 }, sounds = default.node_sound_stone_defaults(), }) end
----------------------------------- -- Area: Upper Jeuno -- NPC: Olgald -- Type: Standard NPC -- !pos -53.072 -1 103.380 244 -- -- Auto-Script: Requires Verification (Verified by Brawndo) ----------------------------------- function onTrade(player, npc, trade) end function onTrigger(player, npc) if (player:getCharVar("dancerTailorCS") == 1) then player:startEvent(10167) elseif (player:getCharVar("comebackQueenCS") == 1) then player:startEvent(10146) elseif (player:getCharVar("comebackQueenCS") == 3) then player:startEvent(10150) elseif (player:getCharVar("comebackQueenCS") == 5) then --player cleared Laila's story player:startEvent(10156) else player:startEvent(10122) end end function onEventUpdate(player, csid, option) end function onEventFinish(player, csid, option) if (csid == 10167) then player:setCharVar("dancerTailorCS", 2) end end
local AddonName, AddonTable = ... -- LFR is different loot to the other difficulties. -- N/HC/M all share loot id's however. AddonTable.brf = { -- Oregorger 119448, 113874, 113879, 113880, 113882, 113884, 113878, 113883, 113881, 113876, 113875, 113877, 119194, 116007, 116240, 116310, 116021, 116215, 116257, 116046, 116033, 116380, 116308, 116381, -- Hans'gar and Franzok 113904, 113897, 113910, 113900, 113903, 113899, 113902, 113898, 113906, 113907, 113908, 113901, 113905, 116034, 116256, 116238, 116305, 116012, 116227, 116217, 116311, -- Beastlord Darmac 113939, 113946, 113952, 113945, 113951, 113943, 113949, 113950, 113941, 113944, 113942, 113947, 113940, 113948, 119192, 116019, 116213, 116048, 116016, 116255, 116262, 116038, 116306, 116302, 116223, -- Gruul 113869, 113862, 113868, 113863, 113865, 113872, 113867, 113873, 120078, 113870, 113871, 113864, 113866, 118114, 116242, 116009, 116307, 116018, 116039, 116229, 116216, 116299, 116045, -- Flamebender Ka'graz 119305, 119318, 119315, 113913, 113920, 113918, 120077, 113923, 113924, 113916, 115550, 115566, 115582, 115537, 115570, 115548, 115588, 115560, 115558, 115577, 113925, 113915, 113921, 113914, 113919, 113917, 113922, 119193, 120375, 120393, 120380, 120389, 116011, 116316, 116253, 116040, 116047, 116264, 116245, 116226, 116385, 116313, 116384, -- Operator Thogar 119309, 119322, 119314, 113953, 113960, 115551, 115581, 115559, 115536, 115565, 115574, 115547, 115589, 115561, 115576, 113958, 113956, 113962, 113964, 113955, 113961, 113954, 113957, 113963, 120395, 120381, 120388, 120376, 116239, 116252, 116304, 116389, 116013, 116265, 116049, 116388, 116014, 116301, -- The Blast Furnace 119307, 119320, 119313, 113886, 113885, 113891, 113894, 113892, 113890, 113887, 113896, 115554, 115580, 115569, 115557, 115535, 115573, 115546, 115587, 115564, 115575, 113895, 113888, 113893, 113889, 120385, 120391, 116015, 116037, 120377, 116303, 116379, 116315, 116241, 116041, 116004, 116214, 120379, 116228, 116382, -- Kromog 119308, 119321, 119312, 113934, 113927, 113926, 115553, 115584, 115556, 115568, 115539, 115572, 115545, 115586, 115563, 115579, 113932, 113928, 113929, 113937, 113935, 113933, 113930, 113936, 113938, 113931, 120387, 116387, 120394, 116218, 116243, 116386, 120378, 116044, 116254, 116300, 116008, 116035, 116222, 120383, 116318, 116006, -- The Iron Maidens 119306, 119319, 119311, 113973, 113965, 113966, 113978, 113972, 113971, 113977, 113968, 115552, 115583, 115567, 115555, 115538, 115571, 115549, 115585, 115562, 115578, 113967, 113976, 113970, 113974, 113975, 113969, 120374, 120392, 120386, 120384, 116263, 116017, 116050, 116220, 116051, 116390, 116225, 116314, 116010, 116250, 116312, -- Blackhand 113979, 113980, 113981, 113982, 113983, 113984, 113985, 113986, 113987, 113988, 113989, 113990, 116005, 116022, 116036, 116042, 116219, 116224, 116244, 116251, 116309, 116317, 116391, 116393, 116660, 119310, 119316, 119323, 120209, 120211, 120217, 120228, 120233, 120277, 120278, 120279, 120280, 120281, 120282, 120283, 120284, 120285, 120373, 120382, 120390, 120396, 138809, -- Set Pieces --- Druid - Living Wood Battlegear 115540, 115541, 115542, 115543, 115544, }
ESX = nil TriggerEvent('esx:getSharedObject', function(obj) ESX = obj end) ESX.RegisterUsableItem('bread', function(source) local xPlayer = ESX.GetPlayerFromId(source) xPlayer.removeInventoryItem('bread', 1) TriggerClientEvent('esx_status:add', source, 'hunger', 200000) TriggerClientEvent('esx_basicneeds:onEat', source) xPlayer.showNotification(_U('used_bread')) end) ESX.RegisterUsableItem('pizza', function(source) local xPlayer = ESX.GetPlayerFromId(source) xPlayer.removeInventoryItem('pizza', 1) TriggerClientEvent('esx_status:add', source, 'hunger', 200000) TriggerClientEvent('esx_basicneeds:onEat', source) xPlayer.showNotification(_U('used_pizza')) end) ESX.RegisterUsableItem('burger', function(source) local xPlayer = ESX.GetPlayerFromId(source) xPlayer.removeInventoryItem('burger', 1) TriggerClientEvent('esx_status:add', source, 'hunger', 200000) TriggerClientEvent('esx_basicneeds:onEat', source) xPlayer.showNotification(_U('used_burger')) end) ESX.RegisterUsableItem('pastacarbonara', function(source) local xPlayer = ESX.GetPlayerFromId(source) xPlayer.removeInventoryItem('pastacarbonara', 1) TriggerClientEvent('esx_status:add', source, 'hunger', 200000) TriggerClientEvent('esx_basicneeds:onEat', source) xPlayer.showNotification(_U('used_pastacarbonara')) end) ESX.RegisterUsableItem('macka', function(source) local xPlayer = ESX.GetPlayerFromId(source) xPlayer.removeInventoryItem('macka', 1) TriggerClientEvent('esx_status:add', source, 'hunger', 200000) TriggerClientEvent('esx_basicneeds:onEat', source) xPlayer.showNotification(_U('used_macka')) end) ESX.RegisterUsableItem('cheesebows', function(source) local xPlayer = ESX.GetPlayerFromId(source) xPlayer.removeInventoryItem('cheesebows', 1) TriggerClientEvent('esx_status:add', source, 'hunger', 200000) TriggerClientEvent('esx_basicneeds:onEat', source) xPlayer.showNotification(_U('used_cheesebows')) end) ESX.RegisterUsableItem('chips', function(source) local xPlayer = ESX.GetPlayerFromId(source) xPlayer.removeInventoryItem('chips', 1) TriggerClientEvent('esx_status:add', source, 'hunger', 200000) TriggerClientEvent('esx_basicneeds:onEat', source) xPlayer.showNotification(_U('used_chips')) end) ESX.RegisterUsableItem('marabou', function(source) local xPlayer = ESX.GetPlayerFromId(source) xPlayer.removeInventoryItem('marabou', 1) TriggerClientEvent('esx_status:add', source, 'hunger', 200000) TriggerClientEvent('esx_basicneeds:onEat', source) xPlayer.showNotification(_U('used_marabou')) end) -------------------------------------------------------------------------------- ESX.RegisterUsableItem('water', function(source) local xPlayer = ESX.GetPlayerFromId(source) xPlayer.removeInventoryItem('water', 1) TriggerClientEvent('esx_status:add', source, 'thirst', 200000) TriggerClientEvent('esx_basicneeds:onDrink', source) xPlayer.showNotification(_U('used_water')) end) ESX.RegisterUsableItem('cocacola', function(source) local xPlayer = ESX.GetPlayerFromId(source) xPlayer.removeInventoryItem('cocacola', 1) TriggerClientEvent('esx_status:add', source, 'thirst', 200000) TriggerClientEvent('esx_basicneeds:onDrink', source) xPlayer.showNotification(_U('used_cocacola')) end) ESX.RegisterUsableItem('fanta', function(source) local xPlayer = ESX.GetPlayerFromId(source) xPlayer.removeInventoryItem('fanta', 1) TriggerClientEvent('esx_status:add', source, 'thirst', 200000) TriggerClientEvent('esx_basicneeds:onDrink', source) xPlayer.showNotification(_U('used_fanta')) end) ESX.RegisterUsableItem('sprite', function(source) local xPlayer = ESX.GetPlayerFromId(source) xPlayer.removeInventoryItem('sprite', 1) TriggerClientEvent('esx_status:add', source, 'thirst', 200000) TriggerClientEvent('esx_basicneeds:onDrink', source) xPlayer.showNotification(_U('used_sprite')) end) ESX.RegisterUsableItem('loka', function(source) local xPlayer = ESX.GetPlayerFromId(source) xPlayer.removeInventoryItem('loka', 1) TriggerClientEvent('esx_status:add', source, 'thirst', 200000) TriggerClientEvent('esx_basicneeds:onDrink', source) xPlayer.showNotification(_U('used_loka')) end) -------------------------------------------------------------------------------- ESX.RegisterUsableItem('cigarett', function(source) local xPlayer = ESX.GetPlayerFromId(source) local lighter = xPlayer.getInventoryItem('lighter') if lighter.count > 0 then xPlayer.removeInventoryItem('cigarett', 1) TriggerClientEvent('esx_cigarett:startSmoke', source) else TriggerClientEvent('esx:showNotification', source, ('fandak nadarid')) end end) ------------------------------------------------------------------------------- ESX.RegisterCommand('heal', 'admin', function(xPlayer, args, showError) args.playerId.triggerEvent('esx_basicneeds:healPlayer') args.playerId.triggerEvent('chat:addMessage', {args = {'^5HEAL', 'You have been healed.'}}) end, true, {help = 'Heal a player, or yourself - restores thirst, hunger and health.', validate = true, arguments = { {name = 'playerId', help = 'the player id', type = 'player'} }})